讓is_subset_sum(int set[], int n, int sum)
是功能查找是否存在set[]
與相加等於總結的一個子集。 n
是set[]
中的元素數。
的is_subset_sum problem
可以被劃分成兩個子問題
- 包含的最後一個元素,復發對於n = N-1,總和=總和 - 將[N-1]
- 排除的最後一個元素,復發對於n = n-1。
如果上述任何一個子問題返回true,則返回true。
以下是is_subset_sum()問題的遞歸公式。
is_subset_sum(set, n, sum) = is_subset_sum(set, n-1, sum) || is_subset_sum(set, n-1, sum-set[n-1])
Base Cases:
is_subset_sum(set, n, sum) = false, if sum > 0 and n == 0
is_subset_sum(set, n, sum) = true, if sum == 0
我們可以在Pseudo-polynomial time使用動態編程解決問題。我們創建一個布爾二維表子集[] []並以自下而上的方式填充它。如果存在集合[0..j-1]的子集合等於i,則子集[i] [j]的值將爲真,否則爲假。最後,我們返回子集Σ[n]
解的時間複雜度是O(sum * n)。
在C實現
// A Dynamic Programming solution for subset sum problem
#include <stdio.h>
// Returns true if there is a subset of set[] with sun equal to given sum
bool is_subset_sum(int set[], int n, int sum) {
// The value of subset[i][j] will be true if there is a
// subset of set[0..j-1] with sum equal to i
bool subset[sum+1][n+1];
// If sum is 0, then answer is true
for (int i = 0; i <= n; i++)
subset[0][i] = true;
// If sum is not 0 and set is empty, then answer is false
for (int i = 1; i <= sum; i++)
subset[i][0] = false;
// Fill the subset table in botton up manner
for (int i = 1; i <= sum; i++) {
for (int j = 1; j <= n; j++) {
subset[i][j] = subset[i][j-1];
if (i >= set[j-1])
subset[i][j] = subset[i][j] || subset[i - set[j-1]][j-1];
}
}
/* // uncomment this code to print table
for (int i = 0; i <= sum; i++) {
for (int j = 0; j <= n; j++)
printf ("%4d", subset[i][j]);
printf("\n");
} */
return subset[sum][n];
}
// Driver program to test above function
int main() {
int set[] = {3, 34, 4, 12, 5, 2};
int sum = 9;
int n = sizeof(set)/sizeof(set[0]);
if (is_subset_sum(set, n, sum) == true)
printf("Found a subset with given sum");
else
printf("No subset with given sum");
return 0;
}
這應該在[CodeReview](http://codereview.stackexchange.com) –
數字是正數嗎? –
@ThisaruGuruge這不是一個代碼審查我已經提出'O(N * N * Sum)'的工作代碼'現在我想改善它的時間複雜性是一個算法問題 –