Generating Random Numbers in JavaScript

Written by Devanshu Agarwal /
In programming, the need for random numbers arises in various situations such as in games, simulations, and statistical analysis. JavaScript provides several ways to generate random numbers, making it easy to incorporate randomness into your projects.
Math.random()
The most basic method of generating random numbers in JavaScript is by using the Math.random() function. This function returns a float value between 0 (inclusive) and 1 (exclusive). Here is an example of how to use it:
console.log(Math.random());
Generating Random Integers
To generate a random integer within a specific range, we can use the Math.floor() function along with Math.random(). Math.floor() returns the largest integer less than or equal to a given number. To generate a random integer between min and max, we can use the following code:
function getRandomInt(min, max) {
  return Math.floor(Math.random() * (max - min + 1)) + min;
}
console.log(getRandomInt(1, 10));
Alternatively, you can use the Math.round() function instead of Math.floor() if you want the random number to be rounded to the nearest integer:
function getRandomInt(min, max) {
  return Math.round(Math.random() * (max - min)) + min;
}
console.log(getRandomInt(1, 10));
Generating Random Numbers with a Specific Step Size
To generate a random number within a range and with a specific step size, we can use the following code:
function getRandomStep(min, max, step) {
  return Math.floor(Math.random() * ((max - min) / step + 1)) * step + min;
}
console.log(getRandomStep(1, 100, 10));
Generating Cryptographically Secure Random Numbers
In some cases, it is important to generate random numbers that are cryptographically secure, meaning they cannot be easily predicted by an attacker. In JavaScript, you can use crypto.getRandomValues() to get cryptographically secure random numbers. However, please note that this method is only available in modern browsers and Node.js:
const array = new Uint32Array(1);
crypto.getRandomValues(array);
console.log(array[0]);
In conclusion, JavaScript provides several methods to generate random numbers, making it easy to incorporate randomness into your projects. Whether you need random integers, random numbers with a specific step size, or cryptographically secure random numbers, JavaScript has you covered.