PHP split string on word before colon

[亡魂溺海] 提交于 2020-07-31 06:01:25

问题


I have a string that looks like this:

aaaaa: lorem ipsum bb: dolor sit amet ccc: no pro movet

What would be the best way to split the string into an array and get the following result in PHP?

array[0]='aaaaa: lorem ipsum';
array[1]='bb: dolor sit amet';
array[2]='ccc: no pro movet';

I can write a function that finds the position of each ":", finds the length of the word before it, and splits the string. But I guess there is an easier way using regular expressions?


回答1:


For this kind of job, I'll use preg_match_all:

$str = 'aaaaa: lorem ipsum bb: dolor sit amet ccc: no pro movet';
preg_match_all('/\S+:.+?(?=\S+:|$)/', $str, $m);
print_r($m);

Output:

Array
(
    [0] => Array
        (
            [0] => aaaaa: lorem ipsum 
            [1] => bb: dolor sit amet 
            [2] => ccc: no pro movet
        )

)

Explanation:

\S+:        : 1 or more NON space followed by colon
.+?         : 1 or more any character not greedy
(?=\S+:|$)  : lookahead, make sure we have 1 or more NON space followed by colon or end of string



回答2:


Your desired 1-dim array can be directly achieved with preg_split() as requested. preg_split() is a better choice for this task versus preg_match_all because the only unwanted characters are the delimiting spaces. preg_match_all() creates a more complexe array structure than you need, so there is the extra step of accessing the first subarray.

My pattern will split the string on every space that is followed by one or more lowercase letters, then a colon.

Code: (Demo)

$string = 'aaaaa: lorem ipsum bb: dolor sit amet ccc: no pro movet';
var_export(preg_split('/ (?=[a-z]+:)/', $string));

Output:

array (
  0 => 'aaaaa: lorem ipsum',
  1 => 'bb: dolor sit amet',
  2 => 'ccc: no pro movet',
)


来源:https://stackoverflow.com/questions/44716075/php-split-string-on-word-before-colon

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!