我试图从数组中随机选择进行打印,然后将其从数组中删除,以避免两次打印相同的数字。我是Java的新手,所以想知道是否有人可以指出我的错误所在。

public static void main(String[] args) {
    int[] colm = { 1, 2, 3, 4, 5, 67, 87 };
    Random rand = new Random();

    for (int i = 0; i < 5; i++)
        System.out.println(" " + colm[rand.nextInt(colm.length)]);

}

谢谢

最佳答案

随机不会保证唯一编号。您可以改为执行以下操作。

public static void main(String[] args) {
    int[] colm = { 1, 2, 3, 4, 5, 67, 87 };
    List l = new ArrayList();
    for(int i: colm)
        l.add(i);

    Collections.shuffle(l);

    for (int i = 0; i < 5; i++)
        System.out.println(l.get(i));

}

10-05 21:53