185k views
3 votes
Write a program that asks the user to enter successive values, which are stored in a list. The program repeatedly asks the user for a value until the user enters "stop". Once the user enters "stop", the program asks the user to enter a threshold value. Then, the program calculates and prints the average of the values in the list, only if they are greater than the threshold.

Note: -
-The output produced by the program must be in the format shown in the examples below, including the formhat of the prompt, spaces, and punctuation.
- The user will always enter at least 1 value.
- The user will always enter a threshold less than the highest value stored in the list.
- The user can enter float values.
- The average should be displayed with 2dp.
- Useful methods: append ()

1 Answer

3 votes

Final answer:

A Python program is provided that prompts the user for a list of values, stops when the user inputs 'stop', and then calculates the average of values greater than a specified threshold, formatting the output to two decimal places.

Step-by-step explanation:

To write a program that asks the user for input values, stores them in a list, and calculates the average of those values exceeding a given threshold, you can use the following Python code as an example:

values = []
while True:
user_input = input('Please enter a value or "stop" to finish: ')
if user_input == 'stop':
break
else:
try:
value = float(user_input)
values.append(value)
except ValueError:
print('Please enter a valid number.')

threshold = float(input('Please enter the threshold value: '))
avg_values_above_threshold = [v for v in values if v > threshold]
if avg_values_above_threshold:
average = sum(avg_values_above_threshold) / len(avg_values_above_threshold)
print(f'The average of values above the threshold is {average:.2f}')
else:
print('No values above the threshold.')

This program will continue to prompt the user to enter values until 'stop' is entered. After that, it asks for the threshold value and calculates the average of values that are greater than this threshold, rounding to two decimal places. It handles invalid inputs by catching ValueError exceptions and prompting the user again.

User Seffix
by
7.0k points