Ejercicio
Función De Texto Centrado
Objectivo
Desarrolla una función Python llamada "get_int" que muestre el texto recibido como parámetro, solicite al usuario un número entero, repita si el número no está entre los valores mínimo y máximo indicados como parámetros y finalmente devuelva el número ingresado:
age = get_int("Ingresa tu edad", 0, 150)
se convertiría en:
Ingresa tu edad: 180
No es una respuesta válida. No debe ser mayor que 150.
Ingresa tu edad: -2
No es una respuesta válida. No debe ser menor que 0.
Ingresa tu edad: 20
(el valor de la variable "edad" sería 20)
Ejemplo de ejercicio de Python
Mostrar código Python
# Define the function get_int which takes a prompt message, minimum, and maximum values as parameters
def get_int(prompt, min_val, max_val):
while True: # Start an infinite loop to keep asking until a valid input is received
try:
# Display the prompt message and get the input from the user, then try to convert it to an integer
user_input = int(input(f"{prompt}: ")) # Prompt the user for input and convert it to an integer
# Check if the input is within the specified range
if user_input < min_val:
print(f"Not a valid answer. Must be no less than {min_val}.") # If input is too small, show error
elif user_input > max_val:
print(f"Not a valid answer. Must be no more than {max_val}.") # If input is too large, show error
else:
return user_input # If the input is valid, return the value and exit the loop
except ValueError:
# Handle the case where input is not an integer
print("Not a valid number. Please enter a valid integer.") # Display error for invalid input
# Main code to call get_int and store the result in the variable 'age'
age = get_int("Enter your age", 0, 150) # Call the get_int function with a prompt message and range of 0-150
Output
Enter your age: 180
Not a valid answer. Must be no more than 150.
Enter your age: -2
Not a valid answer. Must be no less than 0.
Enter your age: 20
Código de ejemplo copiado
Comparte este ejercicio de Python