import java.util.Random; public class RandomNumber{ public static void main(String[] args) { // 使用java.lang.Math的random方法生成隨機數 System.out.println("Math.random(): " + Math.random()); // 使用不帶參數的構造方法構造java.util.Random對象 System.out.println("使用不帶參數的構造方法構造的Random對象:"); Random rd1 = new Random(); // 產生各類類型的隨機數 // 按均勻分佈產生整數 System.out.println("int: " + rd1.nextInt()); // 按均勻分佈產生長整數 System.out.println("long: " + rd1.nextLong()); // 按均勻分佈產生大於等於0,小於1的float數[0, 1) System.out.println("float: " + rd1.nextFloat()); // 按均勻分佈產生[0, 1)範圍的double數 System.out.println("double: " + rd1.nextDouble()); // 按正態分佈產生隨機數 System.out.println("Gaussian: " + rd1.nextGaussian()); // 生成一系列隨機數 System.out.print("隨機整數序列:"); for (int i = 0; i < 5; i++) { System.out.print(rd1.nextInt() + " "); } System.out.println(); // 指定隨機數產生的範圍 System.out.print("[0,10)範圍內隨機整數序列: "); for (int i = 0; i < 10; i++) { // Random的nextInt(int n)方法返回一個[0, n)範圍內的隨機數 System.out.print(rd1.nextInt(10) + " "); } System.out.println(); System.out.print("[5,23)範圍內隨機整數序列: "); for (int i = 0; i < 10; i++) { // 由於nextInt(int n)方法的範圍是從0開始的, // 因此須要把區間[5,28)轉換成5 + [0, 23)。 System.out.print(5 + rd1.nextInt(23) + " "); } System.out.println(); System.out.print("利用nextFloat()生成[0,99)範圍內的隨機整數序列: "); for (int i = 0; i < 10; i++) { System.out.print((int) (rd1.nextFloat() * 100) + " "); } System.out.println(); System.out.println(); // 使用帶參數的構造方法構造Random對象 // 構造函數的參數是long類型,是生成隨機數的種子。 System.out.println("使用帶參數的構造方法構造的Random對象:"); Random ran2 = new Random(10); // 對於種子相同的Random對象,生成的隨機數序列是同樣的。 System.out.println("使用種子爲10的Random對象生成[0,10)內隨機整數序列: "); for (int i = 0; i < 10; i++) { System.out.print(ran2.nextInt(10) + " "); } System.out.println(); Random ran3 = new Random(10); System.out.println("使用另外一個種子爲10的Random對象生成[0,10)內隨機整數序列: "); for (int i = 0; i < 10; i++) { System.out.print(ran3.nextInt(10) + " "); } System.out.println(); // ran2和ran3生成的隨機數序列是同樣的,若是使用兩個沒帶參數構造函數生成的Random對象, // 則不會出現這種狀況,這是由於在沒帶參數構造函數生成的Random對象的種子缺省是當前系統時間的毫秒數。 // 另外,直接使用Random沒法避免生成重複的數字,若是須要生成不重複的隨機數序列,須要藉助數組和集合類 } }運行結果: C:/>java RandomNumber Math.random(): 0.525171492959965 使用不帶參數的構造方法構造的Random對象: int: 636539740 long: -752663949229005813 float: 0.87349784 double: 0.4065973309853902 Gaussian: 0.4505871918488808 隨機整數序列:1936784917 1339857386 -1185229615 1883411721 1409219372 [0,10)範圍內隨機整數序列: 1 1 5 5 9 0 1 0 2 4 [5,23)範圍內隨機整數序列: 9 13 26 18 11 27 26 12 21 8 利用nextFloat()生成[0,99)範圍內的隨機整數序列: 1 47 72 59 49 86 80 88 55 82 使用帶參數的構造方法構造的Random對象: 使用種子爲10的Random對象生成[0,10)內隨機整數序列: 3 0 3 0 6 6 7 8 1 4 使用另外一個種子爲10的Random對象生成[0,10)內隨機整數序列: 3 0 3 0 6 6 7 8 1 4