Group
C# Flow Control Basics
Objective
The objective of this exercise is to write a C# program to prompt the user to enter their login and password (both must be integer numbers) and repeat the prompt as many times as necessary until the entered login is "12" and the password is "1234".
Example C# Exercise
Show C# Code
// First and Last Name: John Doe
using System;
namespace LoginVerificationWithLimit
{
class Program
{
static void Main(string[] args)
{
// Declare variables for login, password, and attempts counter
int login, password;
int attempts = 0;
// Loop to ask for login and password until correct values or maximum attempts are reached
while (attempts < 3)
{
// Prompt user to enter login
Console.Write("Enter login: ");
login = int.Parse(Console.ReadLine()); // Read and convert the login to an integer
// Prompt user to enter password
Console.Write("Enter password: ");
password = int.Parse(Console.ReadLine()); // Read and convert the password to an integer
// Check if the entered login and password are correct
if (login == 12 && password == 1234)
{
Console.WriteLine("Login successful!"); // If correct, display success message
break; // Exit the loop since login is successful
}
else
{
attempts++; // Increment the attempt counter
if (attempts < 3) // If there are remaining attempts
{
Console.WriteLine("Incorrect login or password. Try again.");
}
else
{
Console.WriteLine("You have reached the maximum number of attempts.");
}
}
}
}
}
}
Output
//Example 1: (Incorrect entries with the limit reached)
Enter login: 15
Enter password: 1234
Incorrect login or password. Try again.
Enter login: 12
Enter password: 5678
Incorrect login or password. Try again.
Enter login: 14
Enter password: 1234
Incorrect login or password. Try again.
You have reached the maximum number of attempts.
//Example 2: (Successful login on the second attempt)
Enter login: 15
Enter password: 1234
Incorrect login or password. Try again.
Enter login: 12
Enter password: 1234
Login successful!