Open In App

PHP Program to Count Digits of a Number

Last Updated : 12 Dec, 2023
Improve
Improve
Like Article
Like
Save
Share
Report

In this article, we will see how to count the digits of a number in PHP. There are three methods to count digits of a number, these are:

Using strlen() Function

The strlen() function returns the length of a given string. It takes a string as a parameter and returns it’s length. It calculates the length of the string including all the whitespaces and special characters.

 

Syntax:

strlen( $string );

Example:

PHP




<?php
  
$numStr1 = '110010';
$digitCount1 = strlen($numStr1);
echo "String Length: " . $digitCount1;
  
$number = 12345;
$numStr2 = (string)$number;
$digitCount2 = strlen($numStr2);
echo "\nString Length: " . $digitCount2;
  
?>


Output

String Length: 6
String Length: 5

Using while Loop

In this section, we use while loop to count the digits of a Number. First, we declare a counter variable and initialize with 0. Then check the given number is not equal to zero, then divide the number by 10, and increase the counter variable by 1. At last, return the counter variable that display the total digits of a number.

PHP




<?php
  
function countDigits($number) {
    $digitCount = 0;
    while ($number != 0) {
        $number = (int)($number / 10);
        $digitCount++;
    }
    return $digitCount;
}
  
$numStr = '110010';
$digitCount1 = countDigits($numStr);
echo "String Length: " . $digitCount1;
  
$number = 12345;
$digitCount2 = countDigits($number);
echo "\nString Length: " . $digitCount2;
  
?>


Output

String Length: 6
String Length: 5

Using str_split() Function

The str_split() function converts the given string into an array, and then use count() function to count total number of digits in given number.

Example:

PHP




<?php
  
function countDigits($number) {
    $digits = str_split($number);
    $digitCount = count($digits);
    return $digitCount;
}
  
$numStr = '110010';
$digitCount1 = countDigits($numStr);
echo "String Length: " . $digitCount1;
  
$number = 12345;
$digitCount2 = countDigits((string)$number);
echo "\nString Length: " . $digitCount2;
  
?>


Output

String Length: 6
String Length: 5


Like Article
Suggest improvement
Share your thoughts in the comments

Similar Reads