您的位置:

JavaScript生成随机数字的方法

JavaScript是一种常用的脚本语言,可以在网站任意页面中嵌入。

一、生成1到99随机数

生成1到99的随机数可以采用Math对象的方法random(),它返回介于0到1之间的一个伪随机数。

function randomNum() {
  return Math.floor(Math.random() * 100);
}

console.log(randomNum());

上述代码中,通过Math.floor()将随机数向下取整,并乘以100来生成0到99之间的随机数。

二、生成指定位数的随机数

我们可以通过重复调用random()方法并截取所需位数的方式来生成任意位数的随机数。

function randomLength(len) {
  var num = "";
  for (var i = 0; i < len; i++) {
    num += Math.floor(Math.random() * 10).toString();
  }
  return parseInt(num);
}

console.log(randomLength(6));

上述代码中,通过循环遍历并调用Math.random()生成0到9之间的随机数,并将结果拼成字符串,再调用parseInt()将字符串转化为数字。

三、生成不重复的随机数

我们可以通过构造一个数字范围的数组并随机获取其中的元素,来生成不重复的随机数。

function randomUnique(min, max, count) {
  var range = [];
  for (var i = min; i <= max; i++) {
    range.push(i);
  }
  var result = [];
  for (var j = 0; j < count; j++) {
    var index = Math.floor(Math.random() * range.length);
    result.push(range[index]);
    range.splice(index, 1);
  }
  return result;
}

console.log(randomUnique(1, 10, 5));

上述代码中,将给定数字范围中的数字构造成数组range,随机获取range数组中的元素,并移除已获取的元素,从而生成指定数量的不重复随机数。

四、生成随机数字0到20

function randomTwenty() {
  return Math.floor(Math.random() * 21);
}

console.log(randomTwenty());

上述代码中,通过Math.random()方法生成介于0到1之间的伪随机数,并乘以21,再通过Math.floor()将随机小数向下取整,生成0到20之间的整数。

五、生成随机数范围

我们可以给定一个范围,再加上一个偏移量来生成更大的随机数范围。

function randomRange(min, max, offset) {
  var range = max - min;
  var random = Math.random() * (range + offset * 2) - offset;
  return Math.floor(random) + min;
}

console.log(randomRange(1, 10, 2));

上述代码中,通过计算出给定范围和偏移量的总长度,并使用Math.random()方法生成随机浮点数,再通过Math.floor()对随机数向下取整,从而得到位于给定范围内并带有偏移量的随机整数。

六、随机生成5个随机数

function fiveRandom() {
  var result = [];
  for (var i = 0; i < 5; i++) {
    result.push(Math.floor(Math.random() * 100));
  }
  return result;
}

console.log(fiveRandom());

上述代码中,通过循环5次调用Math.random()方法生成介于0到1之间的伪随机数,并通过Math.floor()将随机小数向下取整,生成0到99之间的整数,最后将这些整数依次添加到数组中。

七、选取3~5个与js生成随机数的方法相关

涉及到Js生成随机数的方法还有很多,比如:

  • 为数组排序,然后[随机抽取](http://agroup.baidu.com/20200708/773219004.html)几个数;
  • 使用[时间戳](http://www.qdfuns.com/notes/44927/9837b8da20a7804ec09b0d0743bc595b.html)作为随机数生成的种子,类似Math.random();
  • 生成[UUID](https://www.cnblogs.com/linsf/p/7072776.html)(全局唯一标识符)。

以上所有方法都可以在特定的场景下使用,具体方法的选择取决于应用程序的需求。