我想选择特定子字符串之前和之后的所有文本,我使用以下表达式来做到这一点,但是它没有选择所有需要的文本:
/^(?:(?!\<\?php echo[\s?](.*?)\;[\s?]\?\>).)*/
例如:
$re = '/^(?:(?!\<\?php echo[\s?](.*?)\;[\s?]\?\>).)*/';
$str = 'customFields[<?php echo $field["id"]; ?>][type]';
preg_match_all($re, $str, $matches, PREG_SET_ORDER, 0);
它将仅选择此部分customFields[
,而预期结果应为customFields[
和][type]
答案 0 :(得分:1)
模式^(?:(?!\<\?php echo[\s?](.*?)\;[\s?]\?\>).)*
使用tempered greedy token,该字符串匹配从字符串^
开始的换行符以外的任何字符,该字符串满足否定先行的断言。
那只会匹配customFields[
对于示例数据,您可以使用经过调节的贪婪令牌regex demo,但是也可以仅使用negated character class和SKIP FAIL:
^[^[]+\[|<\?php echo\s(.*?)\;\s\?\>(*SKIP)(*FAIL)|\]\[[^]]*\]
例如
$re = '/^[^[]+\[|<\?php echo\s(.*?)\;\s\?\>(*SKIP)(*FAIL)|\]\[[^]]*\]/';
$str = 'customFields[<?php echo $field["id"]; ?>][type]';
preg_match_all($re, $str, $matches, PREG_SET_ORDER);
print_r($matches);
结果
Array
(
[0] => Array
(
[0] => customFields[
)
[1] => Array
(
[0] => ][type]
)
)
要获得更精确的匹配,您还可以使用捕获组:
^((?:(?!<\?php echo[\s?](?:.*?)\;\s\?>).)*)<\?php echo\s(?:.*?)\;[\s?]\?>(.*)$
答案 1 :(得分:0)