- Java Tutorial
- Java Introduction
- Java Features
- Java Simple Program
- JVM, JDK and JRE
- Java Syntax
- Java Comments
- Java Keywords
- Java Variables
- Java Literals
- Java Separators
- Java Datatypes
- Java Operators
- Java Statements
- Java Strings
- Java Arrays
- Control Statement
- Java If
- Java If-else
- Java If-else-if
- Java Nested If
- Java Switch
- Iteration Statement
- Java For Loop
- Java For Each Loop
- Java While Loop
- Java Do While Loop
- Java Nested Loop
- Java Break/Continue
- Java Methods
- Java Methods
- Java Method Parameters
- Java Method Overloading
- Java Recursion
- Java OOPS
- Java OOPs
- Java Classes/Objects
- Java Inheritance
- Java Polymorphism
- Java Encapsulation
- Java Abstraction
- Java Modifiers
- Java Constructors
- Java Interface
- Java static keyword
- Java this keyword
- Java File Handling
- Java File
- Java Create File
- Java Read/Write File
- Java Delete File
- Java Program To
- Add Two Numbers
- Even or Odd Numbers
- Reverse a String
- Swap Two Numbers
- Prime Number
- Fibonacci Sequence
- Palindrome Strings
- Java Reference
- Java String Methods
- Java Math Methods
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.