Group
Functions in C#
Objective
1. Define the "ChangeChar" function that takes three parameters: a string passed by reference, an integer index, and a string containing the new character.
2. The function should replace the character at the specified index of the string with the new character.
3. Use a "StringBuilder" to manipulate the string since strings in C# are immutable.
4. In the Main method, test the "ChangeChar" function by passing a string, index, and the new character. Display the modified string.
Objective: Write a C# function named "ChangeChar" to modify a letter in a certain position (0 based) of a string, replacing it with a different letter.
public static void Main()
{
// Declare a string and modify its character at position 5
string sentence = "Tomato";
ChangeChar(ref sentence, 5, "a"); // Modify the character at position 5
Console.WriteLine(sentence); // This will print "Tomata"
}
Example C# Exercise
Show C# Code
using System;
using System.Text;
class Program
{
// Main method where the program execution begins
public static void Main()
{
// Declare a string and modify its character at position 5
string sentence = "Tomato";
ChangeChar(ref sentence, 5, "a"); // Modify the character at position 5
Console.WriteLine(sentence); // This will print "Tomata"
}
// Function to change a character at a specified position in the string
public static void ChangeChar(ref string str, int index, string newChar)
{
// Check if the index is within the bounds of the string
if (index >= 0 && index < str.Length)
{
// Use StringBuilder to modify the string since strings are immutable
StringBuilder sb = new StringBuilder(str);
// Replace the character at the specified index with the new character
sb[index] = newChar[0]; // newChar is a string, we take the first character
// Update the original string by assigning the modified string
str = sb.ToString();
}
}
}
Output
Tomata