给定整数a1、a2、a3、、、、an,判断是否可以从中选出若干数,使他们的和恰好为k
(1<n<=20 -100000000<ai<100000000 -100000000<k<100000000)
动态规划解法
代码如下:
#include <iostream>
#include <algorithm>
using namespace std;
long long book[100000000] = {0} ;//用于标记相应的数值是否已经能够组成
long long depot[1000] = {0};//用于储存 已经能够组成的数值
int main()
{
int n,m,k,top,a[22];
cin>>k>>n;
for(int i=0;i<n;i++){
cin>>a[i];
}
sort(a,a+n);
top = 1;//top用来表示能够组成的数的数量
for(int i=0;i<n;i++) {
m = top;
for(int j=0;j<m;j++){
if(book[depot[j] + a[i]] == 0){
book[depot[j] + a[i]] = 1;
depot[top++] = depot[j] + a[i];
if(depot[top-1] == k){
cout<<"Yes!"<<endl;
return 0;
}
}
}
}
cout<<"No!"<<endl;
return 0;
}
深度优先搜索
代码如下:
#include <iostream>
#include <algorithm>
using namespace std;
int n,k,a[22];
bool dfs(int i,int sum)
{
if(i == n)return sum == k;
if(dfs(i+1,sum))return true;
if(dfs(i+1,sum+a[i]))return true;
return false;
}
int main()
{
cin>>k>>n;
for(int i=0;i<n;i++){
cin>>a[i];
}
if(dfs(0,0)) cout<<"Yes!"<<endl;
else cout<<"No!"<<endl;
return 0;
}