Uploaded by Alaa Chami

Document 26075779

advertisement
Alaa Chami:
ID:202103310;
LAB1:
EX1:
public void solve(int[] wt, int[] val, int W, int N)
{
int NEGATIVE_INFINITY = Integer.MIN_VALUE;
int[][] m = new int[N + 1][W + 1];
int[][] sol = new int[N + 1][W + 1];
for (int i = 1; i <= N; i++)
{
for (int j = 0; j <= W; j++)
{
int m1 = m[i - 1][j];
int m2 = NEGATIVE_INFINITY;
if (j >= wt[i])
m2 = m[i - 1][j - wt[i]] + val[i];
m[i][j] = Math.max(m1, m2);
sol[i][j] = m2 > m1 ? 1 : 0;
}
}
int[] selected = new int[N + 1];
for (int n = N, w = W; n > 0; n--)
{
if (sol[n][w] != 0)
{
selected[n] = 1;
w = w - wt[n];
}
else
selected[n] = 0;
}
System.out.println("Items selected : ");
for (int i = 1; i < N + 1; i++)
if (selected[i] == 1)
System.out.print(i +" ");
System.out.println();
}
public static void main(String[] args) {
Scanner scan = new Scanner(System.in);
Knapsack ks = new Knapsack;
System.out.println("Enter number of elements ");
int n = scan.nextInt();
int[] wt = new int[n + 1];
int[] val = new int[n + 1];
System.out.println("\nEnter weight for "+ n +" elements");
for (int i = 1; i <= n; i++)
wt[i] = scan.nextInt();
System.out.println("\nEnter value for "+ n +" elements");
for (int i = 1; i <= n; i++)
val[i] = scan.nextInt();
System.out.println("\nEnter knapsack weight ");
int W = scan.nextInt();
ks.solve(wt, val, W, n);
}
}
EX2:
public class Knapsackrecursive {
static int max(int a, int b) {
if(a > b)
return a;
else
return b;
}
static int knapSack(int capacity, int weight[], int value[], int n)
{
//if the capacity is 0 aka the value and weight arrays are empty OR the capacity of that knapsack is 0
then return 0
if (n == 0 || capacity == 0)
return 0;
//if the weight of that value is bigger than the capacity of the knapsack then rerun knapsack but the
size n which is the length of the arrays, should decrease by 1
if (weight[n - 1] > capacity)
return knapSack(capacity, weight, value, n - 1);
else
return max(value[n - 1] + knapSack(capacity - weight[n - 1], weight, value, n - 1),
knapSack(capacity, weight, value, n - 1));
}
public static void main(String[] args) {
// write your code here
Scanner question = new Scanner(System.in);
int capacity;
int size;
int we;
int max;
System.out.println("Please enter the size of the array: ");
capacity = question.nextInt();
int [] values = new int[capacity] ;
int [] weight = new int[capacity];
for (int i =0; i < capacity; i++){
System.out.println("Please enter the values for each object: ");
size = question.nextInt();
values[i] = size;
}
for (int i =0; i < capacity; i++){
System.out.println("Enter a weight for each of these values: ");
we = question.nextInt();
weight[i] = we;
}
System.out.println("Please enter the max weight of the knapscack: ");
max = question.nextInt();
int result = knapSack(max,weight, values, capacity );
System.out.println("The max values thatcan be obtained are: "+ result);
}
}
Download