C# Program to Sum the Digits of a Number

In this C# program, we will create a function called "SumDigits" that receives an integer number as input and returns the sum of its digits. The function will iterate through the digits of the number, adding each one to a running total, and return the final sum. This is a simple example of working with digits of a number in C#. For instance, if the input number is 123, the output will be 6, which is the sum of 1 + 2 + 3.



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

 Copy 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

Share this C# Exercise

More C# Practice Exercises of Functions in C#

Explore our set of C# Practice Exercises! Specifically designed for beginners, these exercises will help you develop a solid understanding of the basics of C#. From variables and data types to control structures and simple functions, each exercise is crafted to challenge you incrementally as you build confidence in coding in C#.