Ejercicio
Magnitud Absoluta
Objectivo
Desarrolla un programa en Python para calcular (y mostrar) el valor absoluto de un número x: si el número es positivo, su valor absoluto es exactamente el número x; si es negativo, su valor absoluto es -x.
Hazlo de dos formas diferentes en el mismo programa: usando "if" y usando el "operador condicional" (?).
Ejemplo de ejercicio de Python
Mostrar código Python
Using "if"
# Prompt the user to enter a number
x = float(input("Please enter a number: "))
# Calculate the absolute value using if
if x >= 0:
abs_value_if = x
else:
abs_value_if = -x
# Display the absolute value using if
print(f"Absolute value using if: {abs_value_if}")
#Using Conditional Operator
# Prompt the user to enter a number
x = float(input("Please enter a number: "))
# Calculate the absolute value using the conditional operator
abs_value_conditional = x if x >= 0 else -x
# Display the absolute value using the conditional operator
print(f"Absolute value using the conditional operator: {abs_value_conditional}")
Output
Please enter a number: -5
Absolute value using if: 5.0
Absolute value using the conditional operator: 5.0
Código de ejemplo copiado
Comparte este ejercicio de Python