Java Program To Check Palindrome String

Here's a Java program to check if a given string is a palindrome or not:

public class PalindromeChecker {
    public static void main(String[] args) {
        String str = "madam"; // Change this to the string you want to check
        
        if (isPalindrome(str)) {
            System.out.println("The string \"" + str + "\" is a palindrome.");
        } else {
            System.out.println("The string \"" + str + "\" is not a palindrome.");
        }
    }

    // Function to check if a string is palindrome
    public static boolean isPalindrome(String str) {
        int left = 0;
        int right = str.length() - 1;

        // Loop through the string from both ends
        while (left < right) {
            // If characters at current positions are not equal, return false
            if (str.charAt(left) != str.charAt(right)) {
                return false;
            }
            // Move the left pointer forward and right pointer backward
            left++;
            right--;
        }
        // If the loop completes without returning false, the string is a palindrome
        return true;
    }
}

This program defines a method isPalindrome that checks if the given string is a palindrome by comparing characters from both ends of the string. The main method calls this function with a sample string and prints the result.