我有一段代码,其想法是将一个带有n个数字的数组列表放入其中,并对其进行随机播放50次,每次添加都会将新的随机播放添加到另一个数组列表中。
然而,似乎要做的是将其随机播放一次,将其添加到数组列表中(应该如此),但是在接下来的49次中,它不会随机播放它。它仅添加相同的一个。
您可能会从下面的代码中了解更多信息:
int chromeSize;
ArrayList<GeoPoint> geoPoints = new ArrayList<GeoPoint>();
ArrayList<Integer> addToFirstChrome = new ArrayList<Integer>();
ArrayList<ArrayList<Integer>> populationShuffle = new ArrayList<ArrayList<Integer>>();
for (int i=0; i<geoPoints.size(); i++) {
addToFirstChrome.add(i);
}
System.out.println("add To First Chrome " + addToFirstChrome);
for (int j =0; j<50; j++) {
Collections.shuffle(addToFirstChrome);
populationShuffle.add(addToFirstChrome);
}
for (int p=0;p<populationShuffle.size();p++) {
System.out.println("Pop " + p +"=" + populationShuffle.get(p));
}
这是输出示例:
10-02 10:10:26.785: I/System.out(19648): add To First Chrome [0, 1, 2, 3, 4]
10-02 10:10:26.790: I/System.out(19648): Pop 0=[2, 1, 3, 4, 0]
10-02 10:10:26.790: I/System.out(19648): Pop 1=[2, 1, 3, 4, 0]
10-02 10:10:26.790: I/System.out(19648): Pop 2=[2, 1, 3, 4, 0]
10-02 10:10:26.790: I/System.out(19648): Pop 3=[2, 1, 3, 4, 0]
10-02 10:10:26.790: I/System.out(19648): Pop 4=[2, 1, 3, 4, 0]
因此,如您所见,它重新排列了第一个,但现在不再。
我在这里想念什么吗?
最佳答案
我在这里想念什么吗?
是。您错过了在每次迭代中添加相同引用的事实:
for(int j =0; j<50; j++) {
Collections.shuffle(addToFirstChrome);
populationShuffle.add(addToFirstChrome);
}
这实际上与以下内容相同:
for (int j =0; j < 50; j++) {
Collections.shuffle(addToFirstChrome);
}
for (int j = 0; j < 50; j++) {
populationShuffle.add(addToFirstChrome);
}
addToFirstChrome
的值仅供参考。听起来您需要50个单独的集合,在这种情况下,您需要在每次迭代中创建一个新集合:
for (int j = 0; j < 50; j++) {
List<Integer> copy = new ArrayList<Integer>(addToFirstChrome);
Collections.shuffle(copy);
populationShuffle.add(copy);
}
(请注意,这要求您将
populationShuffle
的类型更改为List<List<Integer>>
或ArrayList<List<Integer>>
-尽可能对接口进行编程。)