Group
Functions in C#
Objective
1. Create a recursive function to reverse a string.
2. The function should call itself with a smaller substring until the entire string is processed.
3. The base case will return the string when it has only one character left.
4. After the recursion, the function should return the reversed string by concatenating the characters.
5. Test the function with various strings to ensure correct results.
Write a C# program that uses recursion to reverse a string of characters (for example, from "Hello" it would return "olleH").
Example C# Exercise
Show C# Code
using System;
class Program
{
// Recursive function to reverse a string
static string ReverseString(string input)
{
// Base case: if the string is empty or has only one character, return it as is
if (input.Length <= 1)
{
return input;
}
// Recursive case: reverse the substring and add the first character to the end
return ReverseString(input.Substring(1)) + input[0];
}
static void Main()
{
// Example string to reverse
string str = "Hello";
// Call the ReverseString function and store the result
string reversedStr = ReverseString(str);
// Output the reversed string
Console.WriteLine("Reversed string: " + reversedStr);
}
}
Output
If the input string is:
string str = "Hello";
The output will be:
Reversed string: olleH