Group
Getting Started with C# Programming
Objective
The objective of this exercise is to develop a C# program that takes two user-input numbers and performs addition, subtraction, multiplication, division, and modulus operations, displaying the results in a structured format.
Write a C# program to print on screen the result of adding, subtracting, multiplying, and dividing two numbers typed by the user. The remainder of the division must be displayed, too.
Example C# Exercise
Show C# Code
// First and Last Name: John Doe
using System;
namespace ArithmeticOperations
{
class Program
{
// The Main method is where the program execution begins
static void Main(string[] args)
{
// Declare variables to store user input
int number1, number2;
// Ask the user to enter the first number
Console.Write("Enter a number: ");
number1 = Convert.ToInt32(Console.ReadLine()); // Read and convert the input to an integer
// Ask the user to enter the second number
Console.Write("Enter another number: ");
number2 = Convert.ToInt32(Console.ReadLine()); // Read and convert the input to an integer
// Perform arithmetic operations
int sum = number1 + number2;
int difference = number1 - number2;
int product = number1 * number2;
int quotient = number1 / number2; // Integer division
int remainder = number1 % number2; // Modulus operation
// Display results with formatted output
Console.WriteLine("{0} + {1} = {2}", number1, number2, sum);
Console.WriteLine("{0} - {1} = {2}", number1, number2, difference);
Console.WriteLine("{0} x {1} = {2}", number1, number2, product);
Console.WriteLine("{0} / {1} = {2}", number1, number2, quotient);
Console.WriteLine("{0} mod {1} = {2}", number1, number2, remainder);
// Wait for the user to press a key before closing the console window
Console.ReadKey(); // This keeps the console window open until a key is pressed
}
}
}
Output
Enter a number: 12
Enter another number: 3
12 + 3 = 15
12 - 3 = 9
12 x 3 = 36
12 / 3 = 4
12 mod 3 = 0