PHP substring extraction. Get the string before the first '/' or the whole string PHP substring extraction. Get the string before the first '/' or the whole string php php

PHP substring extraction. Get the string before the first '/' or the whole string


The most efficient solution is the strtok function:

strtok($mystring, '/')

NOTE: In case of more than one character to split with the results may not meet your expectations e.g. strtok("somethingtosplit", "to") returns s because it is splitting by any single character from the second argument (in this case o is used).

@friek108 thanks for pointing that out in your comment.

For example:

$mystring = 'home/cat1/subcat2/';$first = strtok($mystring, '/');echo $first; // home

and

$mystring = 'home';$first = strtok($mystring, '/');echo $first; // home


Use explode()

$arr = explode("/", $string, 2);$first = $arr[0];

In this case, I'm using the limit parameter to explode so that php won't scan the string any more than what's needed.


$first = explode("/", $string)[0];