$string = 'Some string';
$pos = 5;
...??...
$begging // == 'Some s';
$end // == 'tring';
What is the best way to separate string in two by given position?
$string = 'Some string';
$pos = 5;
...??...
$begging // == 'Some s';
$end // == 'tring';
What is the best way to separate string in two by given position?
What is the best way to separate string in two by given position?
If i understand you correctly, you can do:
$str = 'hello world';
$pos = 5;
$separated_str = substr($str, $pos);
echo $separated_str;
Result:
world
This depends on the structure of your string as there are other ways also to split the string.
You can use substr
to get the two sub-strings:
$str1 = substr($str, 0, $pos);
$str2 = substr($str, $pos);
If you omit the third parameter length, substr
takes the rest of the string.
But to get your result you actually need to add one to $pos
:
$string = 'Some string';
$pos = 5;
$begin = substr($str, 0, $pos+1);
$end = substr($str, $pos+1);
How about substr()?
$string = 'Some string';
$pos = 5;
$beginning = substr($string, 0, $pos);
$end = substr($string, $pos);
Regex solution (if you are into it):
...
$string = 'Some string xxx xxx';
$pos = 5;
list($beg, $end) = preg_split('/(?<=.{'.$pos.'})/', $string, 2);
echo "$beg - $end";
Regards
rbo