Group
C# Flow Control Basics
Objective
The objective of this exercise is to write a C# program that asks the user to input three numbers and then compares them to find and display the greatest one.
Write a C# program that prompts the user to enter three numbers and displays the greatest one.
Example C# Exercise
Show C# Code
// First and Last Name: John Doe
using System;
namespace GreatestOfThreeNumbers
{
class Program
{
// Main method to start the program execution
static void Main(string[] args)
{
// Declare three variables to store the user's input
double num1, num2, num3;
// Prompt the user to enter the first number
Console.Write("Enter the first number: ");
num1 = Convert.ToDouble(Console.ReadLine()); // Read input and convert to double
// Prompt the user to enter the second number
Console.Write("Enter the second number: ");
num2 = Convert.ToDouble(Console.ReadLine()); // Read input and convert to double
// Prompt the user to enter the third number
Console.Write("Enter the third number: ");
num3 = Convert.ToDouble(Console.ReadLine()); // Read input and convert to double
// Compare the three numbers and display the greatest one
if (num1 >= num2 && num1 >= num3)
{
// num1 is greater than or equal to both num2 and num3
Console.WriteLine("The greatest number is: " + num1);
}
else if (num2 >= num1 && num2 >= num3)
{
// num2 is greater than or equal to both num1 and num3
Console.WriteLine("The greatest number is: " + num2);
}
else
{
// num3 is the greatest number
Console.WriteLine("The greatest number is: " + num3);
}
// Wait for user input before closing the console window
Console.ReadKey(); // Keeps the console open until a key is pressed
}
}
}
Output
//Example 1 (num1 is greatest):
Enter the first number: 7
Enter the second number: 3
Enter the third number: 5
The greatest number is: 7
//Example 2 (num2 is greatest):
Enter the first number: 4
Enter the second number: 9
Enter the third number: 2
The greatest number is: 9
//Example 3 (num3 is greatest):
Enter the first number: 2
Enter the second number: 3
Enter the third number: 10
The greatest number is: 10