Group
Functions in C#
Objective
1. Create a C# program that reads command line arguments.
2. The first argument should be a number, the second should be an operator (+, -, *, /), and the third should be another number.
3. Depending on the operator, perform the corresponding arithmetic operation and print the result.
4. Handle errors for invalid input or unsupported operators.
Write a C# program to calculate a sum, subtraction, product or division, analyzing the command line parameters:
calc 5 + 379
(Parameters must be a number, a sign, and another number; allowed signs are + - * x / )
Example C# Exercise
Show C# Code
using System;
class Program
{
// Main method to process command line arguments
static void Main(string[] args)
{
// Check if exactly three arguments are provided
if (args.Length != 3)
{
Console.WriteLine("Invalid number of parameters. Please provide two numbers and an operator.");
return;
}
// Parse the first and third arguments as numbers
double num1, num2;
bool isNum1Valid = double.TryParse(args[0], out num1);
bool isNum2Valid = double.TryParse(args[2], out num2);
// Check if both numbers are valid
if (!isNum1Valid || !isNum2Valid)
{
Console.WriteLine("Invalid numbers provided.");
return;
}
// Extract the operator (second argument)
string operatorSymbol = args[1];
// Perform the operation based on the operator
switch (operatorSymbol)
{
case "+":
Console.WriteLine(num1 + num2);
break;
case "-":
Console.WriteLine(num1 - num2);
break;
case "*":
case "x":
Console.WriteLine(num1 * num2);
break;
case "/":
if (num2 == 0)
{
Console.WriteLine("Error: Division by zero is not allowed.");
}
else
{
Console.WriteLine(num1 / num2);
}
break;
default:
Console.WriteLine("Invalid operator. Allowed operators are +, -, *, x, /.");
break;
}
}
}
Output
If the input is:
calc 5 + 379
The output will be:
384