本文主要是介绍Java18:Math、Random、SecureRandom,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
Math
abs()
max()
、min()
pow()
、sqrt()
exp()
、log()
、log10()
sin()
、cos()
、tan()
、asin()
、acos()
random()
:生成一个 [ 0 , 1 ) [0, 1) [0,1)之间的随机数
Math.random() * (R - L) + L
:得到一个 [ L , R ) [L, R) [L,R)内的随机数
(内部调用了Random类,所以也是伪随机数,只是无法人为指定种子。)- Math.PI、Math.E
round()
:四舍五入至整数,算法为 Math.floor(x+0.5),即将原来的数字加上 0.5 后再向下取整
toDegrees()
:将参数转化为角度
toRadians()
:将角度转换为弧度
Random
引入类:
import java.util.Random;
Random用来创建伪随机数。
所谓伪随机数,是指只要给定一个初始的种子,产生的随机数序列是完全一样的。
如果不给定种子,就使用系统当前时间戳作为种子。
Random r = new Random();
r.nextInt(); // 2071575453,每次都不一样
r.nextInt(10); // 5,生成一个[0,10)之间的int
r.nextLong(); // 8811649292570369305,每次都不一样
r.nextFloat(); // 0.54335...生成一个[0,1)之间的float
r.nextDouble(); // 0.3716...生成一个[0,1)之间的double
如果我们在创建Random实例时指定一个种子,就会得到完全确定的随机数序列:
Random r = new Random(12345); //设置种子
for (int i = 0; i < 10; i++) {System.out.println(r.nextInt(100)); //生成[0, 100)的随机int数
}
//每次运行所得序列都相同
SecureRandom
引入类:
import java.security.SecureRandom;
SecureRandom无法指定种子,它使用RNG(random number generator)算法,用于创建安全的随机数。
SecureRandom sr = new SecureRandom();
System.out.println(sr.nextInt(100)); //生成[0, 100)的随机int数
SecureRandom的安全性是通过操作系统提供的安全的随机种子来生成随机数。这个种子是通过CPU的热噪声、读写磁盘的字节、网络流量等各种随机事件产生的“熵”。
这篇关于Java18:Math、Random、SecureRandom的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!