帮我改成用数组的代码#include <iostream>#include <vector>using namespace std;bool canSum(vector<int>& nums, int target) { vector<bool> dp(target + 1, false); dp[0] = true; for (int i = 0; i < nums.size(); i++) { for (int j = target; j >= nums[i]; j--) { dp[j] = dp[j] || dp[j - nums[i]]; } } return dp[target];}int main() { int n, m, x; vector<int> nums; cout << "请输入整数的数量:"; cin >> n; for (int i = 0; i < n; i++) { cin >> x; nums.push_back(x); } cout << "请输入目标整数:"; cin >> m; if (canSum(nums, m)) { cout << "YES" << endl; } else { cout << "NO" << endl; } return 0;}
时间: 2024-03-06 08:48:15 浏览: 98
好的,以下是使用数组的代码:
```c++
#include <iostream>
using namespace std;
bool canSum(int nums[], int n, int target) {
bool dp[target + 1];
memset(dp, false, sizeof(dp));
dp[0] = true;
for (int i = 0; i < n; i++) {
for (int j = target; j >= nums[i]; j--) {
dp[j] = dp[j] || dp[j - nums[i]];
}
}
return dp[target];
}
int main() {
int n, m;
cout << "请输入整数的数量:";
cin >> n;
int nums[n];
for (int i = 0; i < n; i++) {
cin >> nums[i];
}
cout << "请输入目标整数:";
cin >> m;
if (canSum(nums, n, m)) {
cout << "YES" << endl;
} else {
cout << "NO" << endl;
}
return 0;
}
```
该代码中,我们使用了一个bool型数组dp来存储是否存在序列中的某些数的和为i。我们将dp[0]初始化为true,然后对于序列中的每个数,从m向下遍历dp数组,如果dp[j-nums[i]]为true,那么就可以将dp[j]设为true。最后,如果dp[m]为true,则说明存在任意几个数的和为目标整数m,输出YES,否则输出NO。
需要注意的是,由于数组的大小需要在编译时确定,因此我们需要先读入整数序列的长度n,然后使用动态数组nums来存储整数序列。另外,我们需要使用memset函数将dp数组初始化为false。
阅读全文