-4

例如,这是我的字符串:

$text = "Iphone 4, Iphone 4S; Iphone 5, Iphone 3. Iphone 3S";

并拆分字符串:

$splitting_strings = array(".", ";", ".");
$result = array (
   0 => "Iphone 4",
   1 => "Iphone 4S",
   2 => "Iphone 5",
   3 => "Iphone 3",
   4 => "Iphone 3S"
);

我正在使用这段代码:

$regex = '/(' . implode('|', $splitting_strings) . ')/';
print_r(implode($regex, $text));
4

3 回答 3

2

你可以使用preg_split

$text = "Iphone 4, Iphone 4S; Iphone 5, Iphone 3. Iphone 3S"; 
$array = preg_split("/[\s]*[,][\s]*/", $text);
print_r($array);
// Array ( [0] => Iphone 4 [1] => Iphone 4S [2] => Iphone 5 [3] => Iphone 3 [4] => Iphone 3S )

编辑:

$array = preg_split("/[\s]*[,]|[;]|[.][\s]*/", $text);
于 2012-07-20T09:31:06.743 回答
1
<?php
$text = "Iphone 4, Iphone 4S; Iphone 5, Iphone 3. Iphone 3S";

$splitting_strings = array_map( 'preg_quote', array('.', ';', '.', ',' ) );

$result = array_map( 'trim', preg_split( '~' . implode( '|', $splitting_strings ) . '~', $text ) ); 

的值$result现在与您的值相同。请注意,我同时使用了 preg_quote (转义字符)作为修剪。

于 2012-07-20T09:34:00.130 回答
0

只是为了展示使用 regexp 的替代方法(尽管 regexp 解决方案更有效)。

$text = "Iphone 4, Iphone 4S; Iphone 5, Iphone 3. Iphone 3S";
$separators = ',;.';

$word = strtok($text, $separators);
$arr = array();
do {
    $arr[] = $word;
    $word = strtok($separators);
} while (FALSE !== $word);

var_dump($arr);
于 2012-07-20T09:40:20.477 回答