Group
Functions in C#
Objective
1. Define a function called "SumDigits" that accepts an integer number.
2. Convert the number to its individual digits using division and modulus operations.
3. Add each digit to a total sum.
4. Return the total sum.
Write a C# function SumDigits that receives a number and returns any results in the sum of its digits. For example, if the number is 123, the sum would be 6.
Example usage:
Console.Write(SumDigits(123));
Output: 6
Example C# Exercise
Show C# Code
using System;
class Program
{
// Function to calculate the sum of digits in a number
public static int SumDigits(int number)
{
// Initialize the sum variable to hold the total sum of the digits
int sum = 0;
// Loop through the digits of the number
while (number > 0)
{
// Add the last digit of the number to the sum
sum += number % 10;
// Remove the last digit from the number
number /= 10;
}
// Return the sum of the digits
return sum;
}
// Main method to run the program
public static void Main()
{
// Call the SumDigits function with the number 123 and display the result
Console.WriteLine(SumDigits(123)); // Output will be 6
}
}
Output
6