1. Using modulo operator
2. Using String class charAt() method
Read Also : Find First and Last Digit of a Number in Java
Let's understand the problem first with the help of examples before moving on to the solution:
Input: 123456 Output: 5 Input: 99774568 Output: 6
Get Second Last Digit of a Number in Java
1. Using Modulo operator
In this method, we will use modulo and divide operators to find the second last digit of a number in Java. Modulo operator returns the remainder of a number whereas divide operator gives quotient as result.
public class SecondLastDigitNumber {
public static void main(String args[]) {
int num = 765432;
// Method 1
int digit = (num % 100) / 10;
System.out.println(num + " second last digit number is: " + digit);
// Method 2
digit = (num /10) % 10;
System.out.println(num + " second last digit number is: " + digit);
}
}
Output:
765432 second last digit number is: 3
765432 second last digit number is: 3
2. Using String class charAt() method
In this method, we will use the String class charAt() method to get the second last digit of a number in Java.
1. We need to convert the given number into the String using the String class valueOf() method.
2. Then, using the charAt() method we get the second last digit as a character.
3. After that result, Character's class getNumericValue() method returns the numeric value of the character.
public class SecondLastDigitNumber2 {
public static void main(String args[]) {
int num = 3434342;
String str = String.valueOf(num);
char secondLastChar = str.charAt(str.length()-2);
int secondLastDigit = Character.getNumericValue(secondLastChar);
System.out.println(num + " second last digit number is: " + secondLastDigit);
}
}
Output:
3434342 second last digit number is: 4
That's all for today. Please mention in the comments in case you have any questions related to how to get the second last digit of a number in Java.