46.3k views
4 votes
Find extreme value. C++

Integer numInput is read from input representing the number of integers to be read next. Use a loop to read the remaining integers from input. For each integer read, output "Value read: " followed by the value. Then, output "Smallest:" followed by the smallest of the integers read. End each output with a newline.
Ex: If the input is:
2
20 -405
then the output is:
Value read: 20
Value read: -405
Smallest: -405
---------------------------
#include
using namespace std;

int main() {
int numInput;
int inputValue;
int smallestVal;
int i;

cin >> numInput;

/* Your code goes here */

return 0;
}

1 Answer

5 votes

Answer:

Here's the completed code to find the smallest value out of the given inputs:

#include <iostream>

using namespace std;

int main() {

int numInput;

int inputValue;

int smallestVal;

int i;

cin >> numInput;

// Read in the first value and assume it's the smallest

cin >> smallestVal;

cout << "Value read: " << smallestVal << endl;

// Loop through the remaining inputs

for (i = 1; i < numInput; i++) {

cin >> inputValue;

cout << "Value read: " << inputValue << endl;

// If the current input is smaller than the smallest so far, update smallestVal

if (inputValue < smallestVal) {

smallestVal = inputValue;

}

}

// Output the smallest value

cout << "Smallest: " << smallestVal << endl;

return 0;

}

Step-by-step explanation:

The program reads in the number of inputs to expect, then reads in the first input and assumes it's the smallest. It then loops through the remaining inputs, reading them in one at a time, outputting each value as it goes. If the current input is smaller than the smallest so far, it updates the value of smallestVal. Finally, it outputs the smallest value found.

User Gat
by
7.1k points