Grupo
Funciones en C#
Objectivo
1. Implemente una función iterativa para comprobar si una cadena es simétrica (un palíndromo).
2. Utilice dos punteros, uno al principio de la cadena y otro al final.
3. Compare los caracteres en los dos punteros y muévase hacia el centro.
4. Si algún par de caracteres no coincide, devuelva falso.
5. Si se comprueba toda la cadena y los caracteres coinciden, devuelva verdadero.
Escriba una función iterativa en C# para determinar si una cadena es simétrica (un palíndromo). Por ejemplo, "RADAR" es un palíndromo.
Ejemplo de ejercicio en C#
Mostrar código C#
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.
Código de ejemplo copiado
Comparte este ejercicio de C#