在字符串中查找JSON字符串

我正在寻找一种在字符串中查找JSON数据的方法。像wordpress简码一样思考它。我认为最好的方法是使用正则表达式。我不想解析JSON,只需查找所有出现的事件。

正则表达式中是否有办法使括号的数量匹配?目前,当我嵌套对象时遇到了这个问题。

演示的快速示例:

This is a funny text about stuff,

look at this product {"action":"product","options":{...}}.

More Text is to come and another JSON string

{"action":"review","options":{...}}

结果,我想要两个JSON字符串。谢谢!

回答:

回答:

由于您正在寻找一种简单的解决方案,因此可以使用以下使用递归的正则表达式来解决括号匹配的问题。它匹配之间的所有内容{}递归。

虽然,您应该注意,这并不能保证在所有可能的情况下都有效。它仅用作快速JSON字符串提取方法。

$pattern = '

/

\{ # { character

(?: # non-capturing group

[^{}] # anything that is not a { or }

| # OR

(?R) # recurses the entire pattern

)* # previous group zero or more times

\} # } character

/x

';

preg_match_all($pattern, $text, $matches);

print_r($matches[0]);

输出:

Array

(

[0] => {"action":"product","options":{...}}

[1] => {"action":"review","options":{...}}

)


回答:

在PHP中,了解JSON字符串是否有效的唯一方法是Apply

json_decode()。如果解析器理解JSON字符串并且符合定义的标准,json_decode()则将创建JSON字符串的对象/数组表示形式。

如果您想过滤掉无效的JSON,则可以使用array_filter()回调函数:

function isValidJSON($string) {

json_decode($string);

return (json_last_error() == JSON_ERROR_NONE);

}

$valid_jsons_arr = array_filter($matches[0], 'isValidJSON');

以上是 在字符串中查找JSON字符串 的全部内容, 来源链接: utcz.com/qa/418758.html

回到顶部