3

我有一个格式为"a-b""c-d""e-f"... Using的字符串,preg_match我如何提取它们并获得一个数组:

Array
(
    [0] =>a-b
    [1] =>c-d
    [2] =>e-f
    ...
    [n-times] =>xx-zz
)

谢谢

4

3 回答 3

3

你可以做:

$str = '"a-b""c-d""e-f"';
if(preg_match_all('/"(.*?)"/',$str,$m)) {
    var_dump($m[1]);
}

输出:

array(3) {
  [0]=>
  string(3) "a-b"
  [1]=>
  string(3) "c-d"
  [2]=>
  string(3) "e-f"
}
于 2010-05-04T16:11:44.247 回答
3

正则表达式并不总是最快的解决方案:

$string = '"a-b""c-d""e-f""g-h""i-j"';
$string = trim($string, '"');
$array = explode('""',$string);
print_r($array);

Array ( [0] => a-b [1] => c-d [2] => e-f [3] => g-h [4] => i-j )
于 2010-05-04T16:14:48.770 回答
0

这是我的看法。

$string = '"a-b""c-d""e-f"';

if ( preg_match_all( '/"(.*?)"/', $string, $matches ) )
{
  print_r( $matches[1] );
}

以及模式的细分

"   // match a double quote
(   // start a capture group
.   // match any character
*   // zero or more times
?   // but do so in an ungreedy fashion
)   // close the captured group
"   // match a double quote

您查看$matches[1]而不查看的原因$matches[0]是因为preg_match_all()返回索引 1-9 中的每个捕获组,而整个模式匹配位于索引 0。由于我们只需要捕获组中的内容(在本例中为第一个捕获组),我们看$matches[1]

于 2010-05-04T16:13:43.480 回答