砝码称重
分析
将砝码独立来看, 在当前砝码称出重量x的情况下,对于砝码i都有三种操作:
- x+砝码i的重量(放同侧)
- x-砝码i的重量(放异侧)
- x(不放)
显然前面两种操作才有可能产生不同的重量。 另外砝码i一定能称出其自身的重量
又考虑到set能够用于排除相等的元素 由于砝码称出的重量是正的,因此将操作获得的结果取绝对值再放入集合中 因此有如下代码:
import java.util.HashSet;
import java.util.Iterator;
import java.util.Scanner;
import java.util.Set;
public class Main{
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
Set<Integer> ans = new HashSet<Integer>();
int n = sc.nextInt();
for(int i = 0; i < n; i++) {
int t = sc.nextInt();
Set<Integer> temp = new HashSet<Integer>();
Iterator<Integer> it = ans.iterator();
while(it.hasNext()) {
int m = it.next();
temp.add(m+t);
temp.add(Math.abs(m-t));
}
ans.addAll(temp);
ans.add(t);
}
ans.remove(0);
System.out.println(ans.size());
}
}
另外,我还看到有用dp做的,思路其实差不多 附上代码:
import java.util.Scanner;
public class Main{
public static void main(String[] args){
Scanner sc = new Scanner(System.in);
int n = sc.nextInt();
int a[] = new int[n];
int sum = 0;
for(int i = 0; i < n; i++){
a[i] = sc.nextInt();
sum += a[i];
}
int cnt = 0;
boolean dp[][] = new boolean[n][sum+1];
dp[0][a[0]] = true;
for(int i = 1; i < n; i++){
for(int j = 1; j <= sum; j++)
dp[i][j] = dp[i-1][j];
dp[i][a[i]] = true;
for(int j = 1; j <= sum; j++){
dp[i][j+a[i]] = true;
dp[i][Math.abs(j-a[i])] = true;
}
}
}
|