Ejercicio
Pausa Y Continúa
Objectivo
Desarrolla un programa en Python que escriba los números pares del 10 al 20, ambos inclusive, excepto el 16, de 3 formas diferentes:
Incrementando de a 2 en cada paso (usar "continue" para saltar 16)
Incrementando de a 1 en cada paso (usar "continue" para saltar 16)
Usando un bucle infinito (con "break" y "continue")
Ejemplo de ejercicio de Python
Mostrar código Python
#Incrementing by 2 in each step (use "continue" to skip 16)
# Initialize the counter variable
i = 10
# Use a while loop to display even numbers from 10 to 20, skipping 16
while i <= 20:
if i == 16:
i += 2
continue
print(i)
i += 2
#Incrementing by 1 in each step (use "continue" to skip 16)
# Initialize the counter variable
i = 10
# Use a while loop to display even numbers from 10 to 20, skipping 16
while i <= 20:
if i % 2 == 0:
if i == 16:
i += 1
continue
print(i)
i += 1
#Using an endless loop (with "break" and "continue")
# Initialize the counter variable
i = 10
# Use an endless loop to display even numbers from 10 to 20, skipping 16
while True:
if i > 20:
break
if i == 16:
i += 2
continue
print(i)
i += 2
Output
10
12
14
18
20
Código de ejemplo copiado
Comparte este ejercicio de Python