Group
Functions in C#
Objective
1. Implement an iterative function to check if a string is symmetric (a palindrome).
2. Use two pointers, one starting at the beginning of the string and the other at the end.
3. Compare the characters at the two pointers and move towards the center.
4. If any pair of characters does not match, return false.
5. If the entire string is checked and the characters match, return true.
Write an C# iterative function to say whether a string is symmetric (a palindrome). For example, "RADAR" is a palindrome.
Example C# Exercise
Show C# Code
using System;
class Program
{
// Function to check if a string is a palindrome iteratively
static bool IsPalindrome(string str)
{
int left = 0; // Pointer at the beginning of the string
int right = str.Length - 1; // Pointer at the end of the string
// Loop through the string until the pointers meet in the middle
while (left < right)
{
// Compare characters at the left and right pointers
if (str[left] != str[right])
{
return false; // Return false if characters don't match
}
left++; // Move the left pointer towards the center
right--; // Move the right pointer towards the center
}
return true; // Return true if the string is a palindrome
}
static void Main()
{
// Test the IsPalindrome function with the string "RADAR"
string testString = "RADAR";
if (IsPalindrome(testString))
{
Console.WriteLine($"{testString} is a palindrome.");
}
else
{
Console.WriteLine($"{testString} is not a palindrome.");
}
// Test the IsPalindrome function with a string that is not a palindrome
testString = "HELLO";
if (IsPalindrome(testString))
{
Console.WriteLine($"{testString} is a palindrome.");
}
else
{
Console.WriteLine($"{testString} is not a palindrome.");
}
}
}
Output
RADAR is a palindrome.
HELLO is not a palindrome.