forked from HarshCasper/NeoAlgo
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Palindrome.java
66 lines (52 loc) · 1.69 KB
/
Palindrome.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
import java.util.*;
/*
A program to check whether a string is palindrome or not.
A plaindrome string is a string which is same to its reverse.
eg. 1234321, radar etc.
Time Complexity = O(n/2) //represents the number of operations to be performed by an algorithm to complete its task
Space Complexity = O(n) //represents the total space needed by the algorithm
*/
public class Palindrome {
private static Scanner sc = new Scanner(System.in);
public static void main(String[] args) {
//the string entered by the user is stored in string_1
System.out.println("Kindly enter the string: ");
String string_1 = sc.nextLine();
//to check if the string is palindrome or not
Boolean check = ispalindrome(string_1);
if(check==true)
System.out.println(string_1+" is a palindrome.");
else
System.out.println(string_1+" is not a palindrome.");
}
//method to check if the string is a palindrome or not
//method returns true if the string is a palindrome else it returns false
private static boolean ispalindrome(String string_1)
{
//storing the last index of the string in n
int n =string_1.length() - 1;
//comparing the characters of the string
//first to the end and so on
for (int i = 0; i < (n) / 2; i++)
{
if (string_1.charAt(i) != string_1.charAt(n-i))
return false;
}
return true;
}
}
/*
Output:
Kindly enter the string:
1234321
1234321 is a palindrome.
Kindly enter the string:
radar
radar is a palindrome.
Kindly enter the string:
lol
lol is a palindrome.
Kindly enter the string:
good
good is not a palindrome.
*/