学科分类
目录
JavaScript网页编程

生成指定范围的随机数

Math.random()用来获取随机数,每次调用该方法返回的结果都不同。该方法返回的结果是一个很长的浮点数,如“0.925045617789475”,其范围是0~1(不包括1)。

由于Math.random()返回的这个随机数不太常用,我们可以借助一些数学公式来转换成任意范围内的随机数,公式为“Math.random() * (max - min) + min”,表示生成大于或等于min且小于max的随机值。示例代码如下。

Math.random() * (3 - 1) + 1;    //  1 ≤ 返回结果 < 3

Math.random() * (20 - 10) + 10;   // 10 ≤ 返回结果 < 20

Math.random() * (99 - 88) + 88;   // 88 ≤ 返回结果 < 99

上述代码的返回结果是浮点数,当需要获取整数结果时,可以搭配Math.floor()来实现。下面我们通过代码演示如何获取1~3范围内的随机整数,返回结果可能是1、2或3。

 1  function getRandom(min, max) {

 2   return Math.floor(Math.random() * (max - min + 1) + min);

 3  }

 4  console.log(getRandom(1, 3));  // 最小值1,最大值3

上述代码中,第2行用来生成min到max之间的随机整数,包含min和max。另外,还可以使用Math.floor(Math.random() * (max + 1))表示生成0到max之间的随机整数,使用Math.floor(Math.random() * (max + 1) + 1)表示生成1到max之间的随机整数。

利用随机数,可以实现在数组中随机获取一个元素,示例代码如下。

 1  var arr = ['apple', 'banana', 'orange', 'pear'];

 2  // 调用前面编写的getRandom()函数获取随机数

 3  console.log(arr[getRandom(0, arr.length - 1)]);
点击此处
隐藏目录