rand
Gera um número pseudoaleatório. Uma versão mais programaticamente segura dessa função está disponível, consulte rand_s
. Os números gerados por rand
não são criptograficamente seguros. Para obter uma geração de número aleatório mais segura criptograficamente, use rand_s
ou as funções declaradas na Biblioteca Padrão do C++ em <random>
.
Sintaxe
int rand(void);
Valor retornado
rand
retorna um número pseudoaleatório, como descrito acima. Não há retorno de erro.
Comentários
A função rand
retorna um inteiro pseudoaleatório no intervalo de 0 a RAND_MAX
(32767). Use a função srand
para propagar a semente do gerador de números pseudoaleatórios antes de chamar rand
.
A função rand
gera uma sequência bem conhecida e não é apropriada para uso como uma função criptográfica. Para obter uma geração de número aleatório mais segura criptograficamente, use rand_s
ou as funções declaradas na Biblioteca Padrão do C++ em <random>
.
Por padrão, o estado global dessa função tem como escopo o aplicativo. Para alterar esse comportamento, confira Estado global no CRT.
Requisitos
Rotina | Cabeçalho necessário |
---|---|
rand |
<stdlib.h> |
Para obter informações sobre compatibilidade, consulte Compatibilidade.
Exemplo
// crt_rand.c
// This program seeds the random-number generator
// with a fixed seed, then exercises the rand function
// to demonstrate generating random numbers, and
// random numbers in a specified range.
#include <stdlib.h> // rand(), srand()
#include <stdio.h> // printf()
void SimpleRandDemo(int n)
{
// Print n random numbers.
for (int i = 0; i < n; i++)
{
printf(" %6d\n", rand());
}
}
void RangedRandDemo(int range_min, int range_max, int n)
{
// Generate random numbers in the interval [range_min, range_max], inclusive.
for (int i = 0; i < n; i++)
{
// Note: This method of generating random numbers in a range isn't suitable for
// applications that require high quality random numbers.
// rand() has a small output range [0,32767], making it unsuitable for
// generating random numbers across a large range using the method below.
// The approach below also may result in a non-uniform distribution.
// More robust random number functionality is available in the C++ <random> header.
// See https://learn.microsoft.com/cpp/standard-library/random
int r = ((double)rand() / RAND_MAX) * (range_max - range_min) + range_min;
printf(" %6d\n", r);
}
}
int main(void)
{
// Seed the random-number generator with a fixed seed so that
// the numbers will be the same every time we run.
srand(1792);
printf("Simple random number demo ====\n\n");
SimpleRandDemo(10);
printf("\nRandom number in a range demo ====\n\n");
RangedRandDemo(-100, 100, 100000);
}```
```Output
Simple random number demo ====
5890
1279
19497
1207
11420
3377
15317
29489
9716
23323
Random number in a range demo ====
-82
-46
50
77
-47
32
76
-13
-58
90
Confira também
Suporte matemático e de ponto flutuante
srand
rand_s
Biblioteca C++<random>