Open In App

Check if a string is palindrome in C using pointers

Given a string. The task is to check if the string is a palindrome or not using pointers. You are not allowed to use any built-in string functions. A string is said to be a palindrome if the reverse of the string is same as the original string. For example, “madam” is palindrome because when the string is reversed same string is achieved, but “Madam” is not a palindrome.

Input: str = "Madam"
Output: String is not a Palindrome.

Input: str = "madam"
Output: String is Palindrome.

Input: str = "radar"
Output: String is Palindrome.

Algorithm:

  1. Take two pointers say, ptr and rev.
  2. Initialize ptr to the base address of the string and move it forward to point to the last character of the string.
  3. Now, initialize rev to the base address of the string and start moving rev in forward direction and ptr in backward direction simultaneously until middle of the string is reached.
  4. If at any point the character pointed by ptr and rev does not match, then break from the loop.
  5. Check if ptr and rev crossed each other, i.e. rev > ptr. If so, then the string is palindrome otherwise not.

Below is the implementation of the above approach: 




// C program to check if a string is palindrome
// using pointers
 
#include <stdio.h>
 
// Function to check if the string is palindrome
// using pointers
void isPalindrome(char* string)
{
    char *ptr, *rev;
 
    ptr = string;
 
    while (*ptr != '\0') {
        ++ptr;
    }
    --ptr;
 
    for (rev = string; ptr >= rev;) {
        if (*ptr == *rev) {
            --ptr;
            rev++;
        }
        else
            break;
    }
 
    if (rev > ptr)
        printf("String is Palindrome");
    else
        printf("String is not a Palindrome");
}
 
// Driver code
int main()
{
    char str[1000] = "madam";
 
    isPalindrome(str);
 
    return 0;
}

Output
String is Palindrome

Complexity Analysis:


Article Tags :