Open In App

How to limit string length in PHP ?

A string is a sequence of characters in PHP. The length of the string can be limited in PHP using various in-built functions, wherein the string character count can be restricted. 

Approach 1 (Using for loop): The str_split() function can be used to convert the specified string into the array object. The array elements are individual characters stored at individual indices. 



str_split($string)

Parameters: 

Example: A for loop iteration is performed over the array object until the desired length. The characters are displayed until the length is equivalent to the desired number of characters. 






<?php
    $string = "Geeks for geeks is fun";
    echo("Original String : ");
  
    echo($string . "\n");
    echo("Modified String : ");
  
    $arr = str_split($string);
  
    for($i = 0; $i < 10; $i++) {
        print($arr[$i]);
    }
?>

Output
Original String : Geeks for geeks is fun
Modified String : Geeks for 

Approach 2 (Using mb_strimwidth() function): The mb_strimwidth function is used to get truncated string with specified width. It takes as input the string and the required number of characters. The characters after it are appended with an “!!” string. It returns the string with the trimmed length. 

mb_strimwidth(string, start, width, trim_pt)

Parameters: 

Example:




<?php
    // Declaring original string
    $string = "Geeks for geeks is fun";
    echo("Original String : ");
    echo($string . "\n");
  
    // Trimming length of string
    $new_string =  mb_strimwidth($string, 0, 11, "!!");
    print("Modified String : ");
    print($new_string);
?>

Output

Original String : Geeks for geeks is fun
Modified String : Geeks for!!

Approach 3 (Using substr() method ): The substr() function can be used to extract the specified string within the specified limits. The starting and ending indexes are specified and the equivalent number of characters between the start and end length are extracted. 

substr(string, start, end)

Parameters: 

Example:




<?php
    $string = "Geeks for geeks is fun";
    echo("Original String : ");
  
    echo($string . "\n");
    echo("Modified String : ");
  
    if (strlen($string) > 10)
       $new_string = substr($string, 0, 10) . '!!!';
    echo($new_string . "\n");
?>

Output:

Original String : Geeks for geeks is fun
Modified String : Geeks for !!!

Article Tags :