用Java生成唯一的随机数

我正在尝试获取0到100之间的随机数。但是我希望它们是唯一的,而不是在序列中重复。例如,如果我有5个数字,它们应该是82,12,53,64,32而不是82,12,53,12,32(我使用了这个数字),但是它在序列中生成相同的数字。

Random rand = new Random();

selected = rand.nextInt(100);

回答:

  • Add each number in the range sequentially in a list structure.
  • Shuffle it.
  • Take the first ‘n’.

这是一个简单的实现。这将打印3个唯一的随机数,范围为1-10。

import java.util.ArrayList;

import java.util.Collections;

public class UniqueRandomNumbers {

public static void main(String[] args) {

ArrayList<Integer> list = new ArrayList<Integer>();

for (int i=1; i<11; i++) {

list.add(new Integer(i));

}

Collections.shuffle(list);

for (int i=0; i<3; i++) {

System.out.println(list.get(i));

}

}

}

马克·拜尔斯(Mark Byers)在现已删除的答案中指出,采用原始方法进行修复的第一部分是仅使用单个Random实例。

这就是导致数字相同的原因。Random当前时间(以毫秒为单位)是一个实例的种子。对于特定的种子值, “随机”实例将返回与伪随机数完全相同的序列。

以上是 用Java生成唯一的随机数 的全部内容, 来源链接: utcz.com/qa/432570.html

回到顶部