Java Program to Count Number of Digits in an Integer - The Coding Shala
Home >> Java Programs >> Count Number of Digits in an Integer
Other Posts You May Like
In this post, we will learn how to count the number of digits in an integer using a Java program.
Java Program to Count Number of Digits in an Integer
You have given an integer, return the number of digits in that using Java program. The given number is above 0.
Example 1:
Input: 34
Output: 2
Example 2:
Input: 01
Output: 1
Approach
When we divide a number by 10, we get one digit or we remove one digit from a given number so here we will be using a loop and divide the given number by 10 until it becomes 0.
Example:
The number is 23, so after first iteration
number = 23/10 = 2, and count = 1
second iteration => number = 2/10 = 0, count = 2.
Java Program:
import java.util.Scanner; /** * https://www.thecodingshala.com/ */ public class Main { public static void printDigits(int num) { System.out.print("Number of Digits in " + num + " are: "); int count = 0; while (num > 0) { count++; num = num / 10; } System.out.println(count); } public static void main(String[] args) { Scanner sc = new Scanner(System.in); System.out.println("Enter an integer"); int num = sc.nextInt(); printDigits(num); } }
Output:
Enter an integer 011 Number of Digits in 11 are: 2
- Java Program to Check Armstrong Number
- Java Program to Check Prime Number
- Java Program to Reverse a Number
- Java Program to Check if a Number is a Palindrome
- Java Program to Print Multiplication Table of any Number
Comments
Post a Comment