0

我想像wordpress短代码那样从字符串返回数组,但我希望数组像示例

我有这个字符串

$str = 'codes example : [code lang="php"]<?php  echo "Hello Wold" ; ?>[/code]  [code lang="html"]<b>Hello</b>[/code]' ;

我想返回包含

array(
   array(
     'code' => '[code lang="php"]<?php  echo "Hello Wold" ; ?>[/code]' ,
     'function' => 'code' ,
     'attr' => array( 'lang' => 'php' ) ,
     'value' => '<?php  echo "Hello Wold" ; ?>'
   ) ,
   array(
     'code' => '[code lang="html"]<b>Hello</b>[/code]' ,
     'function' => 'code' ,
     'attr' => array( 'lang' => 'html' ) ,
     'value' => '<b>Hello</b>'
   )
)

我尝试使用preg_match_all

我用了这个模式/[[a-z]{3,}+ *[a-z]{2,}=(.*)+ *](.*)[\/[a-z]{3,}]/U

结果是

Array ( [0] => Array ( [0] => [link href="http://www.php.net" text="php"][/link] [1] => [code lang="php"][/code] [2] => [code lang="html"]Hello[/code] ) [1] => Array ( [0] => " [1] => " [2] => " ) [2] => Array ( [0] => [1] => [2] => Hello ) )

4

3 回答 3

1

你应该写一个解析器。这可能看起来非常复杂,但实际上非常简单。您只需要跟踪几件事。

大纲:

  • 逐个字符读取字符串
  • 如果您看到您看到的[记录,您现在将寻找一个]
  • 如果你看到一个"之前,]你会想先找到另一个"
  • 当你看到]你会知道'function'和'attr'
  • 当您找到“/function”时,您就知道“价值”

通过这些简单的检查,您可以构建一个令牌列表,例如您的示例输出。

于 2013-08-05T15:07:52.060 回答
0

您需要使用命名组: http ://www.regular-expressions.info/named.html

摘抄:

(?Pgroup) 将组的匹配捕获到反向引用“名称”中

编辑:所以你需要将命名的组想法插入到你的正则表达式中。

于 2013-08-05T15:08:42.140 回答
0

你可以尝试这样的事情:

preg_match_all(
    '#(?P<block>\[(?P<tag>[a-z]{3,})\s*(?P<attr>[a-z-_]+="[^\]]+")*\](?P<content>((?!\[/(?P=tag)).)*)\[/(?P=tag){1}\])#',
    'codes example : [code lang="php" test="true"]<?php  echo "Hello Wold" ; ?>[/code] [code lang="js"]console.log(\'yeah!\')[/code] [noattr]no attr content[/noattr]',
    $matches,
    PREG_SET_ORDER
);
foreach ($matches as &$match) {
    $match = array_intersect_key($match, array_flip(array('block', 'tag', 'attr', 'content')));;
}
print_r($matches);

结果应该是:

Array
(
    [0] => Array
        (
            [block] => [code lang="php" test="true"]<?php  echo "Hello Wold" ; ?>[/code]
            [tag] => code
            [attr] => lang="php" test="true"
            [content] => <?php  echo "Hello Wold" ; ?>
        )

    [1] => Array
        (
            [block] => [code lang="js"]console.log('yeah!')[/code]
            [tag] => code
            [attr] => lang="js"
            [content] => console.log('yeah!')
        )

    [2] => Array
        (
            [block] => [noattr]no attr content[/noattr]
            [tag] => noattr
            [attr] =>
            [content] => no attr content
        )

)
于 2013-08-05T22:34:47.797 回答