Rotate Array - Leet Code Solution
Problem Statement Given an array, rotate the array to the right by k steps…
September 13, 2019
Determine whether an integer is a palindrome. An integer is a palindrome when it reads the same backward as forward.
Example 1:
Input: 121
utput: true
Example 2:
Input: -121
Output: false
Example 3:
Input: 10
Output: false
You can simply reverse the number, and compare with original number. If both are same, it is a palindrome.
private int reverseInt(int x) {
int s = 0;
while (x > 0) {
s = s*10 + x%10;
x = x/10;
}
return s;
}
public boolean isPalindrome(int x) {
if (x < 0) return false;
return x == this.reverseInt(x);
}
The fastest algorithm will be one if you can compare first and last digits and move both left and right pointers inwards. So, you need a method to fetch the digit present at certain place.
Lets look at the code:
/**
* Example: 1234
* place=0, result=4
* place=1, result=3
*/
private int getDigit(int x, int place) {
x = x / (int)Math.pow(10, place);
return x % 10;
}
public boolean isPalindrome_2(int x) {
if (x < 0) return false;
int l = 0;
int temp = x;
while (temp > 0) {
l++;
temp /= 10;
}
for (int i=0; i<l; i++) {
if (this.getDigit(x, i) != this.getDigit(x, l-1-i)) {
return false;
}
}
return true;
}
Problem Statement Given an array, rotate the array to the right by k steps…
Problem Statement You are given an array prices where prices[i] is the price of…
Problem Statement You are given an array of integers. And, you have find the…
Problem Statement Given a string s, return the maximum number of unique…
Graph Topological Sorting This is a well known problem in graph world…
Big-O notation In simpler terms, its kind of a unit to measure how efficient an…
Introduction In this post we will see following: How to schedule a job on cron…
Introduction There are some cases, where I need another git repository while…
Introduction In this post, we will see how to fetch multiple credentials and…
Introduction I have an automation script, that I want to run on different…
Introduction I had to write a CICD system for one of our project. I had to…
Introduction Java log4j has many ways to initialize and append the desired…