在 JavaScript 中输出一个落在某个范围内的随机数

javascriptweb developmentfront end technologyobject oriented programming

我们需要编写一个 JavaScript 函数,该函数接受一个数字(例如 n)和一个表示范围的两个数字的数组。该函数应返回一个包含 n 个随机元素的数组,这些元素均位于第二个参数提供的范围内。

因此,让我们编写该函数的代码 −

示例

其代码为 −

const num = 10;
const range = [5, 15];
const randomBetween = (a, b) => {
   return ((Math.random() * (b - a)) + a).toFixed(2);
};
const randomBetweenRange = (num, range) => {
   const res = [];
   for(let i = 0; i < num; ){
      const random = randomBetween(range[0], range[1]);
      if(!res.includes(random)){
         res.push(random);
         i++;
      };
   };
   return res;
};
console.log(randomBetweenRange(num, range));

输出

控制台中的输出将是 −

[
   '13.25', '10.31',
   '11.83', '5.25',
   '6.28', '9.99',
   '6.09', '7.58',
   '12.64', '8.92'
]

This is just one of the many possible outputs.


相关文章