Split a string by string - Use explode() Function

explode() :
 Split a string by string.
Description
array explode ( string $delimiter , string $string [, int $limit ] )

    Returns an array of strings, each of which is a substring of string formed by splitting it on boundaries formed by the string delimiter.

Parameters 
     delimiter - 
             The boundary string.
     string -
            The input string.

 If limit is set and positive, the returned array will contain a maximum of limit elements with the last element containing the rest of string.
If the limit parameter is negative, all components except the last -limit are returned.
If the limit parameter is zero, then this is treated as 1.

Return Values 
  Returns an array of strings created by splitting the string parameter on boundaries formed by the delimiter. 
    If delimiter is an empty string (""), explode() will return FALSE. If delimiter contains a value that is not contained in string and a negative limit is used, then an empty array will be returned, otherwise an array containing string will be returned.

Example :

<?php

$array = array('lastname', 'email', 'phone');
$comma_separated = implode(",", $array);

echo $comma_separated; // lastname,email,phone

// Empty string when using an empty array:
var_dump(implode('hello', array())); // string(0) ""


?>
Example :  limit parameter examples.
<?php
$str = 'one|two|three|four';

// positive limit
print_r(explode('|', $str, 2));

?>
Output :
      Array
       (
         [0] => one
         [1] => two|three|four

      )

Comments