Java random 随机数种子

一、概述
(1)java.util.Random.Random()

public Random() {
    this(seedUniquifier() ^ System.nanoTime());
}
Creates a new random number generator. This constructor sets the seed of the random number generator to a value very likely to be distinct from any other invocation of this constructor.

创建一个新的随机数生成器。该构造函数设置随机数种子的方式非常不同于其他的构造函数。

(2)java.util.Random.Random(long seed)

Creates a new random number generator using a single long seed. The seed is the initial value of the internal state of the pseudorandom number generator which is maintained by method next. 

使用一个随机数种子,创建一个新的随机数生成器。该种子是由next函数维护的伪随机数生成器的内部状态的初始值。

(3)int java.util.Random.nextInt(int bound)

Returns a pseudorandom, uniformly distributed int value between 0 (inclusive) and the specified value (exclusive), drawn from this random number generator's sequence. The general contract of nextInt is that one int value in the specified range is pseudorandomly generated and returned. All bound possible int values are produced with (approximately) equal probability. 

返回一个从随机数生成序列提取的均匀分布在0(包括)和bound指定的值(不包括)的伪随机数。nextInt函数约定了在指定范围内的一个整数被伪随机的产生并返回。所有区域范围内的值都有一个(大致)相同的生成概率。

二、代码实战

package com.demo.test;

import java.util.Random;

public class RandomDemo {

    public static void main(String[] args) {
        int bound = 10;
        Random random = new Random();
        for(int i=0;i<10;i++) {
            int value = random.nextInt(bound);
            System.out.println(value+"");
        }
        System.out.println("====================");

        //不用currentTimeMillis的原因是:当多线程调用时,由于CPU速率很快,因此currentTimeMillis很可能相等,使得随机数结果也会相等
//      long seed1 = System.currentTimeMillis();
//nanoTime()返回最准确的可用系统计时器的当前值,以毫微秒为单位。此方法只能用于测量已过的时间,与系统或钟表时间的其他任何时间概念无关。
        long seed1 = System.nanoTime();
        Random seedRandom1 = new Random(seed1);
        for(int i=0;i<10;i++) {
            /*
             产生一个[0,bound)之间的随机数
             设a
            int value = seedRandom1.nextInt(bound);
            System.out.println(value+"");
        }
        System.out.println("====================");

        long seed2 = 10;
        //当种子一样的时候,虽然每次nextXXX的方法会返回不同的结果,但是由于每次new Random(相同的seed)创建的“随机数生成器”都相同,因此之后产生的随机数序列也就都是一样的。所以每次调用该函数生成随机数都会产生相同的结果。
        Random seedRandom2 = new Random(seed2);
        for(int i=0;i<10;i++) {
            int value = seedRandom2.nextInt(bound);
            System.out.println(value+"");
        }
    }

}

三、运行截图(这里我运行了3次)
这里写图片描述这里写图片描述这里写图片描述

从运行结果可以看出当“随机数种子”相同的时候,每次调用该函数产生的结果都一样,所以在实际运行环境中,我们应该避免使用相同的随机数种子,常用的方法就是使用System.nanoTime来为作为种子。

你可能感兴趣的:(Java,java,random)