Uniform random numbers in an integer interval in C
 
 

Uniform random numbers in an integer interval in C

March 6, 2025
development
C

Just using modulo is a poor choice #

Using random() instead of rand() #

A quote from the rand() manual page on Linux:

The versions of rand() and srand() in the Linux C Library use the same random number generator as random(3) and srandom(3), so the lower-order bits should be as random as the higher-order bits. However, on older rand() implementations, and on current implementations on different systems, the lower-order bits are much less random than the higher-order bits. Do not use this function in applications intended to be portable when good randomness is needed. (Use random(3) instead.)

random_range() #

All of this results in the following implementation (srandom() initialization not shown):

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
int random_range(int min, int max) {

  int range;
  long int chunkSize;
  long int endOfLastChunk;
  long int r;

  range = max - min + 1; 

  chunkSize = (RAND_MAX) / (long) range;
  endOfLastChunk = chunkSize * (long) range;

  r = random();

  while(r >= endOfLastChunk) {
    r = random();
  }

  return(min + r / chunkSize);
}