C# Program to Count Spaces in a String

This C# program defines a function called CountSpaces that accepts a string as a parameter and returns the number of spaces in that string. The Main method calls this function with the string "Hello, how are you" and displays the result using Console.WriteLine. This program demonstrates how to pass a string parameter to a function and how to count occurrences of a specific character (in this case, spaces) within the string.



Group

Functions in C#

Objective

1. Define a function called CountSpaces that accepts a string parameter.
2. Inside the CountSpaces function, iterate through each character in the string and count how many times the space character appears.
3. Return the count of spaces from the CountSpaces function.
4. In theMain method, call the CountSpacesfunction with the string "Hello, how are you" as an argument.
5. Display the result using Console.WriteLine, formatted as shown in the example.

Write a C# program whose Main must be like this:

public static void Main()

{
Console.WriteLine("\"Hello, how are you\" contains {0} spaces", CountSpaces("Hello, how are you") );
}

Example C# Exercise

 Copy C# Code
using System;

class Program
{
    // Main method where the program execution begins
    public static void Main()
    {
        // Call the CountSpaces function and display the result
        // Pass the string "Hello, how are you" to the function
        Console.WriteLine("\"Hello, how are you\" contains {0} spaces", CountSpaces("Hello, how are you"));
    }

    // Function to count the number of spaces in a string
    public static int CountSpaces(string input)
    {
        // Initialize a variable to count the spaces
        int spaceCount = 0;

        // Loop through each character in the string
        foreach (char c in input)
        {
            // If the character is a space, increment the counter
            if (c == ' ')
            {
                spaceCount++;
            }
        }

        // Return the total number of spaces
        return spaceCount;
    }
}

 Output

"Hello, how are you" contains 4 spaces

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#.