Group
C# Flow Control Basics
Objective
Write a C# program to display the even numbers from 10 to 20, both inclusive, except for 16, in three different ways:
Incrementing 2 in each step (use continue to skip 16).
Incrementing 1 in each step (use continue to skip 16).
With an endless loop (using break and continue).
The challenge in this task is to implement the three methods using different loop strategies, while adhering to the constraints of skipping a specific number (16) in each case.
Example C# Exercise
Show C# Code
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