Grupo
Conceptos básicos control de flujo en C#
Objectivo
Escriba un programa en C# para mostrar los números pares del 10 al 20, ambos inclusive, excepto el 16, de tres maneras diferentes:
Incrementando 2 en cada paso (use "continue" para omitir 16).
Incrementando 1 en cada paso (use "continue" para omitir 16).
Con un bucle infinito (usando "break" y "continue").
El reto de esta tarea consiste en implementar los tres métodos utilizando diferentes estrategias de bucle, respetando la restricción de omitir un número específico (16) en cada caso.
Ejemplo de ejercicio en C#
Mostrar código C#
using System;
namespace EvenNumbersExample
{
class Program
{
static void Main(string[] args)
{
// Display even numbers from 10 to 20, skipping 16 - Method 1: Incrementing by 2
Console.WriteLine("Method 1: Incrementing by 2 (Skipping 16)");
for (int i = 10; i <= 20; i += 2) // Increment by 2 to get only even numbers
{
if (i == 16) continue; // Skip the number 16 using continue
Console.Write(i + " ");
}
Console.WriteLine("\n");
// Display even numbers from 10 to 20, skipping 16 - Method 2: Incrementing by 1
Console.WriteLine("Method 2: Incrementing by 1 (Skipping 16)");
for (int i = 10; i <= 20; i++) // Increment by 1 to check all numbers from 10 to 20
{
if (i == 16) continue; // Skip the number 16 using continue
if (i % 2 == 0) // Check if the number is even
{
Console.Write(i + " ");
}
}
Console.WriteLine("\n");
// Display even numbers from 10 to 20, skipping 16 - Method 3: Endless loop with break and continue
Console.WriteLine("Method 3: Endless loop with break and continue");
int j = 10;
while (true) // Endless loop
{
if (j > 20) break; // Exit the loop if the number exceeds 20
if (j == 16) // Skip the number 16
{
j++;
continue;
}
if (j % 2 == 0) // Check if the number is even
{
Console.Write(j + " ");
}
j++; // Increment the number for the next iteration
}
Console.WriteLine();
}
}
}
Output
Method 1: Incrementing by 2 (Skipping 16)
10 12 14 18 20
Method 2: Incrementing by 1 (Skipping 16)
10 12 14 18 20
Method 3: Endless loop with break and continue
10 12 14 18 20
Código de ejemplo copiado
Comparte este ejercicio de C#