-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathtest.cpp
71 lines (57 loc) · 1.7 KB
/
test.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
// check whether a given set can be partitioned into two subsets such that the sum of elements in both subsets is same. Also print elements of the partitioned set.
#include <bits/stdc++.h>
using namespace std;
bool partition(vector<int> &input, vector<int> &output, int n, int sum, int &sumInpartition)
{
if(sum == 0)
return true;
if(n == 0 and sum != 0)
return false;
if(input[n-1] > sum)
return partition(input, output, n-1, sum, sumInpartition);
bool result = (partition(input, output, n-1, sum, sumInpartition) || partition(input, output, n-1, sum-input[n-1], sumInpartition));
if(result)
{
if(sumInpartition != sum)
{
output.push_back(n-1);
sumInpartition += input[n-1];
}
return true;
}
else
{
return false;
}
}
int main()
{
int n;
cin >> n;
vector<int> input(n);
for(int i=0; i<n; i++)
cin >> input[i];
int sum = 0;
for(int i=0; i<n; i++)
sum += input[i];
if(sum%2)
cout << "Given set can't be partitioned in the desired way." << endl;
else
{
vector<int> output;
int sumInpartition = 0;
bool result = partition(input, output, n, sum/2, sumInpartition);
if(result)
{
cout << "Given set can be partitioned in the desired way." << endl;
cout << "partitioned set " << endl;
for(int i=0; i<output.size(); i++)
cout << input[output[i]] << " ";
}
else
{
cout << "Given set can't be partitioned in the desired way." << endl;
}
}
return 0;
}