Splitting and Joining

chunk_split($s1[,$i=76[,$s2=”\r\n”]]) returns a copy of $s1 with $s2 inserted every $i characters. str_split($s[,$i=1]) returns an array of strings formed by splitting $s into segments of $i characters. str_getcsv($s1[,$s2=’,’[,$s3=’”’[,$s4=’\\’]]]) returns an array of strings formed by splitting $s1 at $s2. $s3 is the enclosure character. $s4 is the escape character. explode($s1,$s2[,$i]) returns an array of strings formed by splitting $s2 at $s1. A positive $i will return a maximum of $i elements with the last element containing the rest of the string. If $i is negative, all components except the last -$i are returned. implode([$s,]$arr) returns a string formed by joining the elements of $arr with $s. strtok([$s1,]$s2) splits $s1 into smaller string tokens, with each token delimited by any character from $s2. $s1 is required on the first call to the function.

<!DOCTYPE html><html><head></head>
<body><?php
echo chunk_split("abcdefghi",3,"...")."<br />";
print_r(str_split("abcdefghi",3)); 
echo "<br />";
print_r(str_getcsv('"Sally,Irene",Osman')); 
echo "<br />";
print_r(explode(",","Sally,Irene,Osman,Henry",3)); 
echo "<br />";
echo implode("---",["Sally","Irene","Osman"])."<br /><br />";

$s = "This is\tan example\nstring";
$t = strtok($s, " \n\t");
while ($t !== false) {
    echo "($t)";
    $t = strtok("  \n\t");
}

?></body></html>

abc...def...ghi...
Array ( [0] => abc [1] => def [2] => ghi ) 
Array ( [0] => Sally,Irene [1] => Osman ) 
Array ( [0] => Sally [1] => Irene [2] => Osman,Henry ) 
Sally---Irene---Osman

(This)(is)(an)(example)(string)