这个问题已经在这里有一个答案:
- 如何生成Java中的特定范围内的随机整数? 65个回答
我目前正在通过锻炼工作的地方,我需要生成可以是4个值中的一个随机数。 (请注意,我只允许使用的Math.random())
0 1 2或3的
目前我使用此: randno = (int) (Math.random()*4); // range 0-3
randno = (int) (Math.random()*4); // range 0-3
然而,结局必然有相等的概率。 我的测试到目前为止(尽管该方法缺乏)示出了3发生远小于其他的数字。
这是巧合吗? 抑或我的发电机没有相等的概率。
谢谢!
您的代码工作得很好:
public static void main(String[] args) {
int countZero = 0;
int countOne = 0;
int countTwo = 0;
int countThree = 0;
for(int i=0; i<400000; i++){
int randno = (int)(Math.random() * ((3) + 1));
if(randno == 0){
countZero++;
}
else if(randno == 1){
countOne++;
}
else if(randno == 2){
countTwo++;
}
else if(randno == 3){
countThree++;
}
}
System.out.println("Zero: " + countZero);
System.out.println("One: " + countOne);
System.out.println("Two: " + countTwo);
System.out.println("Three: " + countThree);
}
输出:
Zero: 99683
One: 99793
Two: 100386
Three: 100138
只是为了比较,我已经把你的方法旁边的这一个。
public class Test {
private static int min = 0;
private static int max = 3;
private static Map<Integer, Integer> count = new HashMap<>();
public static void main(String[] args) {
OptionOne();
System.out.println("Option One: ");
for (Entry<Integer, Integer> entry : count.entrySet()) {
System.out.println(entry.getKey() + "\t " + entry.getValue());
}
count = new HashMap<Integer, Integer>();
OptionTwo();
System.out.println("\nOption Two:");
for (Entry<Integer, Integer> entry : count.entrySet()) {
System.out.println(entry.getKey() + "\t " + entry.getValue());
}
}
private static void OptionOne() {
for (int i = 0; i < 800000; i++) {
int number = min + (int) (Math.random() * ((max - min) + 1));
if (count.containsKey(number)) {
int sofar = count.get(number) + 1;
count.put(number, sofar);
} else {
count.put(number, 1);
}
}
}
private static void OptionTwo() {
for (int i = 0; i < 800000; i++) {
int number = (int) (Math.random() * 4);
if (count.containsKey(number)) {
int sofar = count.get(number) + 1;
count.put(number, sofar);
} else {
count.put(number, 1);
}
}
}
输出:
方案一:
0 199853
1 200118
2 200136
3 199893
方案二:
0 199857
1 200214
2 199488
3 200441
结论:你的方法效果。 也许你的样本量是不够的?
有了随机数字,就可以随机得到什么似乎是随机的非。 谁也不能保证所有的序列看起来是随机的。 http://vanillajava.blogspot.com/2011/10/randomly-no-so-random.html
对于正确的随机种子可以出现得到一个非随机序列,但这些也同样可能是任何其他。
Random random = new Random(441287210);
for (int i = 0; i < 10; i++)
System.out.print(random.nextInt(10)+" ");
}
版画
1 1 1 1 1 1 1 1 1 1
和
Random random = new Random(-6732303926L);
for(int i = 0; i < 10; i++)
System.out.println(random.nextInt(10)+" ");
}
版画
0 1 2 3 4 5 6 7 8 9
最后
public static void main(String ... args) {
System.out.println(randomString(-229985452)+' '+randomString(-147909649));
}
public static String randomString(int seed) {
Random rand = new Random(seed);
StringBuilder sb = new StringBuilder();
for (int i = 0; ; i++) {
int n = rand.nextInt(27);
if (n == 0) break;
sb.append((char) ('`' + n));
}
return sb.toString();
}
版画
hello world
文章来源: How do you generate a random number with equal probability using Math.random() in Java [duplicate]