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 arithmetic operator (+, -, *, or x), and the third should be another number.
3. Perform the arithmetic operation based on the operator and display the result.
4. Return specific error codes:
- Return error code 1 if the number of parameters is not 3
- Return error code 2 if the operator is invalid
- Return error code 3 if the numbers are invalid
- Return error code 0 if everything is valid
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 / )
This version must return the following error codes:
1 if the number of parameters is not 3
2 if the second parameter is not an accepted sign
3 if the first or third parameter is not a valid number
0 otherwise
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("Error Code: 1");
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("Error Code: 3");
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 Code: 3 (Division by zero)");
}
else
{
Console.WriteLine(num1 / num2);
}
break;
default:
Console.WriteLine("Error Code: 2");
break;
}
}
}
Output
If the input is:
calc 5 + 379
The output will be: 384
If the input is invalid (e.g., invalid number or operator), the corresponding error code will be displayed:
Error Code: 1
(If the number of parameters is not 3)
Error Code: 2
(If the operator is invalid)
Error Code: 3