Java 產生隨機數的方法
隨機數發生器(Random)物件產生以後,通過呼叫不同的method:nextInt()、nextLong()、nextFloat()、nextDouble()等獲得不同型別隨機數。
1>生成隨機數
Random random = new Random();
Random random = new Random(100);//指定種子數100
random呼叫不同的方法,獲得隨機數。
如果2個Random物件使用相同的種子(比如都是100),並且以相同的順序呼叫相同的函式,那它們返回值完全相同。如下面程式碼中兩個Random物件的輸出完全相同
import java.util.*; class TestRandom { public static void main(String[] args) { Random random1 = new Random(100); System.out.println(random1.nextInt()); System.out.println(random1.nextFloat()); System.out.println(random1.nextBoolean()); Random random2 = new Random(100); System.out.println(random2.nextInt()); System.out.println(random2.nextFloat()); System.out.println(random2.nextBoolean()); } }
2>指定範圍內的隨機數
隨機數控制在某個範圍內,使用模數運算子%
import java.util.*; class TestRandom { public static void main(String[] args) { Random random = new Random(); for(int i = 0; i < 10;i++) { System.out.println(Math.abs(random.nextInt())%10); } } }
獲得的隨機數有正有負的,用Math.abs使獲取資料範圍為非負數
3>獲取指定範圍內的不重複隨機數
import java.util.*;
class TestRandom {
public static void main(String[] args) {
int[] intRet = new int[6];
int intRd = 0; //存放隨機數
int count = 0; //記錄生成的隨機數個數
int flag = 0; //是否已經生成過標誌
while(count<6){
Random rdm = new Random(System.currentTimeMillis());
intRd = Math.abs(rdm.nextInt())%32+1;
for(int i=0;i<count;i++){
if(intRet[i]==intRd){
flag = 1;
break;
}else{
flag = 0;
}
}
if(flag==0){
intRet[count] = intRd;
count++;
}
}
for(int t=0;t<6;t++){
System.out.println(t+"->"+intRet[t]);
}
}
}
Java隨機數類Random介紹 | |
Java實用工具類庫中的類java.util.Random提供了產生各種型別隨機數的方法。它可以產生int、long、float、double以 及Goussian等型別的隨機數。這也是它與java.lang.Math中的方法Random()最大的不同之處,後者只產生double型的隨機 數。 |
Random random=new Random();
random.nextInt();
也可以有nextFloat等等,各種基本型別都有
比如說你想要0-10之間的隨機數
你可以這樣寫
(int)(Math.random()*10);
JAVA產生指定範圍的隨機數》
《JAVA產生指定範圍的隨機數》
產生機制:
產生Min-Max之間的數字
實現原理:
Math.round(Math.random()*(Max-Min)+Min)
long Temp; //不能設定為int,必須設定為long
//產生1000到9999的隨機數
Temp=Math.round(Math.random()*8999+1000);