Objectivo
Desarrollar un programa Python que muestre un número (ingresado por el usuario) como producto de sus factores primos. Por ejemplo, 60 = 2 · 2 · 3 · 5
(Sugerencia: puede ser más fácil si la solución se muestra como 60 = 2 · 2 · 3 · 5 · 1)
Ejemplo Ejercicio Python
Mostrar Código Python
# Prompt the user for a number
number = int(input("Enter a number: "))
# Initialize an empty list to store the prime factors
prime_factors = []
# Start with the smallest prime factor (2)
divisor = 2
# Loop to find prime factors
while number > 1:
while number % divisor == 0: # Check if the divisor is a factor
prime_factors.append(divisor) # Add the divisor to the list
number //= divisor # Divide the number by the divisor
divisor += 1 # Move to the next possible divisor
# Display the result as a product of prime factors
print(f"The prime factors of the number are: {' * '.join(map(str, prime_factors))}")
Output
Case 1:
Enter a number: 60
The prime factors of the number are: 2 * 2 * 3 * 5
Case 2:
Enter a number: 100
The prime factors of the number are: 2 * 2 * 5 * 5
Case 3:
Enter a number: 7
The prime factors of the number are: 7
Código de Ejemplo copiado
Comparte este ejercicios Python