5.5k views
4 votes
C++ Random numbers

Given integer variables seedVal and max, generate four random numbers that are less than max and greater than or equal to 0. Each number generated is output. Lastly, the average of the four numbers is output.
Ex: If max is 12, then a possible output is:

9
8
6
10
Average: 8.3
Note: The input seeds are large integers that approximately equal the time in seconds since January 1, 1970.

User Daouda
by
7.1k points

1 Answer

2 votes

Answer:

#include <iostream>

#include <cstdlib>

#include <ctime>

using namespace std;

int main() {

int seedVal = time(0);

int max;

cout << "Enter the maximum value: ";

cin >> max;

srand(seedVal);

int total = 0;

for (int i = 0; i < 4; i++) {

int randomNumber = rand() % max;

cout << randomNumber << endl;

total += randomNumber;

}

cout << "Average: " << (double)total / 4 << endl;

return 0;

}

Step-by-step explanation:

time(0) is used to seed the random number generator with the current time. The rand() function is used to generate the random numbers, and the % operator is used to ensure that the numbers are less than max. The generated numbers are output, and their average is calculated and output as well.

User Ivan Kravchenko
by
8.1k points