0

所以,我正在尝试生成一个长度为 3 的数组,其中包含从 1 到 25 的随机唯一数字。我不明白为什么我的代码不起作用,非常感谢一些帮助!

public void generateRandom() {
    for(int j=0; j<3; j++) {
        dots[j] = (int) (Math.random()*(col*row)+1);
        System.out.println(dots[j]);
        for(int i=j; i>0; i--) {
            if(dots[j]==dots[j-1]) {
                generateRandom();
            }
        }
    }
}

dots[]是我试图存储 3 个唯一随机数的数组。顺便说一句,col*row == 25

4

4 回答 4

6

这是一个有点不同的方法。它依赖于创建一个具有指定值集的 ArrayList,然后对该列表进行混洗。一旦列表被打乱,您可以根据打乱列表中的前三个元素创建一个数组。

public static void main(String[] args) {
    List<Integer> list = new ArrayList<Integer>();
    for(int i = 0; i < 26; i++){
        list.add(i);
    }

    Collections.shuffle(list);
    Integer[] randomArray = list.subList(0, 3).toArray(new Integer[3]);

    for(Integer num:randomArray){
        System.out.println(num);
    }
}
于 2013-03-17T20:21:08.070 回答
2
for(int j=0;j<3;j++)
    dots[j]=(int)(Math.random()*Integer.MAX_VALUE)%25+1;

由于您Math.random无论如何都是一个随机数,因此乘以Integer.MAX_VALUE不会影响随机性。另外,如果您想解释为什么您的代码不起作用,那是因为如果数字相对较小,例如在 下0.001,则乘法时通过获取 int 将得到 0。

于 2013-03-17T20:33:13.513 回答
0

每次 generateRandom 调用自己时,它都会从头开始使用第一个随机数,而不是为当前位置选择一个新的随机数。

于 2013-03-17T20:16:06.050 回答
0

这是方法

public void generateRandom() {
    for(int j=0; j<3; j++) {
      boolean f;
      do { 
        dots[j] = (int) (Math.random()*(col*row)+1);
        f = false;
        for(int i=j-1; i>=0; i--) {
            if(dots[i]==dots[j]) {
              f = true;
              break;
            }
        }
        if (!f)
          System.out.println(dots[j]);
      } while (f);
   }
}

它重复生成数字,直到找不到重复项。

于 2013-03-17T20:22:13.387 回答