Group
Functions in C#
Objective
1. Define a function named "Power" that accepts two integer parameters: the base number and the exponent.
2. Use a repetitive structure, like a "for" loop or "while" loop, to multiply the base by itself for the number of times specified by the exponent.
3. The function should return the result as an integer.
4. In the Main method, test the function by passing two integer values and display the result.
C# function named "Power" to calculate the result of raising an integer number to another (positive integer) number. It must return another integer number. For example, Power(2,3) should return 8.
public static void Main()
{
int result = Power(2, 3); // Calculate 2 raised to the power of 3
Console.WriteLine("The result of 2^3 is: {0}", result); // This will print "The result of 2^3 is: 8"
}
Example C# Exercise
Show C# Code
using System;
class Program
{
// Main method where the program execution begins
public static void Main()
{
// Calculate 2 raised to the power of 3 using the Power function
int result = Power(2, 3);
// Display the result of 2^3
Console.WriteLine("The result of 2^3 is: {0}", result); // This will print "The result of 2^3 is: 8"
}
// Function to calculate the power of a number using a loop
public static int Power(int baseNum, int exponent)
{
// Initialize result as 1 (since any number raised to 0 is 1)
int result = 1;
// Use a for loop to multiply the base by itself for the number of times specified by the exponent
for (int i = 0; i < exponent; i++)
{
result *= baseNum; // Multiply result by baseNum in each iteration
}
// Return the final result after the loop finishes
return result;
}
}
Output
The result of 2^3 is: 8