Group
Functions in C#
Objective
1. Create a function named "Factorial" that accepts an integer as a parameter.
2. Use a loop to multiply all numbers from 1 to the input number.
3. Return the resulting factorial.
4. Test the function with the number 6.
5. Display the result using the console.
Write a C# iterative (non-recursive) function to calculate the factorial of the number specified as parameter.
Example C# Exercise
Show C# Code
using System;
class Program
{
// Function to calculate factorial using an iterative approach
public static int Factorial(int n)
{
// Initialize result to 1 as the factorial starts from 1
int result = 1;
// Use a for loop to multiply all numbers from 1 to n
for (int i = 1; i <= n; i++)
{
result *= i; // Multiply result by the current value of i
}
// Return the calculated factorial
return result;
}
// Main method to test the Factorial function
public static void Main()
{
// Test the Factorial function with the number 6
Console.WriteLine(Factorial(6)); // Expected output is 720
}
}
Output
720