5

这个想法是从以下字符串中获取值。

String: Server has [cpu]4[cpu] cores and [ram]16gb[ram]

我需要动态获取标签值和标签之间的内容:之间的内容无关紧要[*]*[*]

输出:应该是一个数组,如下

Array(
    'cpu' => 4,
    'ram' => '16gb'
)

正则表达式模式有很多麻烦。任何帮助,将不胜感激。

编辑:标签之间的值或标签本身可以是任何东西——字母数字或数字。

示例字符串只是一个示例。标签可以无限次出现,因此需要动态填充数组 - 而不是手动填充。

4

4 回答 4

4

我的 PHP 生锈了,但也许:

$str = "Server has [cpu]4[cpu] cores and [ram]16gb[ram] and [memory]2tb[/memory]";
$matches = array();
preg_match_all('/\[(\w+)\]([^\[\]]+)\[\/?\w+\]/', $str, $matches);
$output = array_combine($matches[1], $matches[2]);

细节:

  • [除了or之外的任何东西]都可以[]作为标签出现。
  • [除了or之外的任何东西]都可以是标签的值
  • 结束标签不需要匹配起始标签。您可以使用反向引用,但它会区分大小写。
于 2012-11-19T06:32:18.763 回答
1
$string = '[cpu]4[cpu] cores and [ram]16gb[ram]';

preg_match('|\[([^\]]+)\]([^\[]+)\[/?[^\]]+\][^\[]+\[([^\]]+)\]([^\[]+)\[/?[^\]]+\]|', $string, $matches);
$array = array($matches[1] => $matches[2], $matches[3] => $matches[4]);

print_r($array);
于 2012-11-19T06:14:52.083 回答
1

工作代码,walkerneo的略微修改版本:

其他人可以在我的代码的基础上构建或建议我做一些更好的事情:

<pre><?php
    $string = "Server has [cpu]4[cpu] cores and [ram]16gb[ram] and [memory]2tb[/memory]";
    $matches = array();
    $pattern = '/\[(\w+)\]([^\[\]]+)\[\/?\w+\]/';
    preg_match_all($pattern, $string, $matches);
    $output = array_combine($matches[1], $matches[2]);
    var_dump($output);
?></pre>

小提琴: http: //phpfiddle.org/main/code/n1i-e1p

于 2012-11-19T06:15:06.010 回答
0

如果允许使用多个 preg_match,这可能是一个解决方案:

    $str = '[cpu]4[cpu] cores and [ram]16gb[ram][hdd]1TB[hdd]asdaddtgg[vga]2gb[vga]';
    $arrResult = array();
    preg_match_all('/(\[[A-Za-z0-9]+\][A-Za-z0-9]+\[[A-Za-z0-9]+\])/i', $str, $match,PREG_SET_ORDER);
    if (is_array($match)) {
        foreach ($match as $tmp) {
            if (preg_match('/\[([A-Za-z0-9]+)\]([A-Za-z0-9]+)\[([A-Za-z0-9]+)\]/', $tmp[0], $matchkey)) {
                $arrResult[$matchkey[1]] = $matchkey[2];
            }
        }
    }

    var_dump($arrResult);

结果:

array(4) {
  'cpu' =>
  string(1) "4"
  'ram' =>
  string(4) "16gb"
  'hdd' =>
  string(3) "1TB"
  'vga' =>
  string(3) "2gb"
}
于 2012-11-19T06:45:02.397 回答