我正在寻找一个简单的解决方案,以获取具有从1到n的所有数字的最小数量“整数数组列表”,并具有下一个条件:
每个ArrayList必须使用3个参数(a,b和n)创建
“ a”和“ b”设置ArrayList中的数字
“ n”是限制
条件是:
如果a≤b ===> a≤j≤b
如果a> b ===> 1≤j≤b且a≤j≤n
注意:“ j”是ArrayList上的数字。
这是我的代码:
public Integers(int a, int b, int n) {//constructor
this.numbers = new ArrayList<Integer>();
makeList(a, b, n);
}
public void makeList(int a, int b, int n) {
if (a < b) {
while (a <= b) {
this.numbers.add(a);
a++;
}
} else {
int aux = 1;
while (aux <= b) {
this.numbers.add(aux);
aux++;
}
int aux2 = a;
while (aux2 <= n) {
this.numbers.add(aux2);
aux2++;
}
}
}
public void showNumbers() {
for (int x = 0; x < this.numbers.size(); x++) {
System.out.print(this.numbers.get(x) + "\t");
}
}
这是n = 20的示例:
public static void main(String[] args) {
Integers first= new Integers(1, 10, 20);
first.showNumbers();//1 2 3 ...8 9 10
System.out.println();
Integers second= new Integers(15, 5, 20);
second.showNumbers();//1 2 3 4 5 15 16 17 18 19 20
System.out.println();
Integers third= new Integers(15, 20, 20);
third.showNumbers();//15 16 17 18 19 20
System.out.println();
Integers fourth= new Integers(4, 17, 20);
fourth.showNumbers();//4 5 6 ... 15 16 17
System.out.println();
System.out.println("Solution expected is: 2 ====> <second and fourth>");
}
我期望的答案是2(第二和第四)。
答案 0 :(得分:1)
如果从一开始就知道n
是什么,那么存储n
值的布尔数组可能会更简单。然后,每次构造ArrayList
时,只需标记该值是否会出现在ArrayList
中即可。
除此之外,您几乎必须进行暴力破解(我认为这等同于顶点覆盖问题,因此您最多可以比暴力破解更快地近似)。
因此,我将尝试您的Integer
类的这种实现:
public class Integer {
private int a, b;
private boolean flipped;
public Integer(int _a, int _b){
a = Math.min(_a, _b);
b = Math.max(_a, _b);
flipped = b < a;
}
public void markOff(boolean [] arr){
for(int i = 0; i < arr.length; i++){
if(a <= i && i <= b){
arr[i] = arr[i] || !flipped;
}else{
arr[i] = arr[i] || flipped;
}
}
}
}
因此,在以上内容中,markOff
仅检查每个索引是否会出现在您要创建的ArrayList
中(我将自行确定布尔逻辑,但您的想法只是可以根据需要将所有额外的元素设置为true-因此,如果数组覆盖了新索引,则将其标记为不可用,但不要取消标记已标记的元素。)您可以对其进行优化以使其不遍历整个数组,如果需要的话,看起来更像是makeList
。
为了找到可覆盖n
的最小数组,您必须执行以下操作:
public static int driveSoln(int n, Integer[] covers){
return helper(covers, new boolean[n], 0, 0);
}
private static int helper(Integer[] covers, boolean[] marked, int idx, int used){
boolean done;
for(boolean d: marked) done = done && d;
if(done) return used;
if(idx >= covers.length) return -1;
boolean [] markCopy = marked.clone();
covers[i].markOff(marked);
int dontUse = helper(covers, markCopy, idx + 1, used);
int use = helper(covers, marked, idx + 1, used + 1);
return Math.min(use, dontUse);
}
直觉上,我在这里要做的是输入每个输入的封面,选择是否使用它,然后继续查看其余部分。这里的递归“记住”了我的选择。我保证会(很难)检查所有选择,所以这很慢,但绝对正确。一种优化可能是忽略子集:如果一个数组仅覆盖1个数组已经覆盖的项目,则将其丢弃。