例如,给定以下函数定义:
function match($subject, $pattern, $offset);
这些测试应该会成功:
$subject = "23 is a number, so is 10";
match($subject, '[0-9]+', 0) == '23';
match($subject, '[0-9]+', 3) == false;
match($subject, '[0-9]+', 6) == false;
match($subject, '[0-9]+', 8) == false;
match($subject, '[a-z]+', 0) == false;
match($subject, '[a-z]+', 3) == 'is';
match($subject, '[a-z]+', 6) == 'a';
match($subject, '[a-z]+', 8) == 'number';
一种可能的方法是使用$offset
匹配从^
开始的子字符串:
function match($subject, $pattern, $offset) {
if (preg_match("/^($pattern)/", substr($subject, offset), $matches)) {
return $matches[1];
}
return false;
}
这将创建一个字符串的副本,其中大字符串的效率不高。
实施match
的另一种可能方式是:
function match($subject, $pattern, $offset) {
if (preg_match("/($pattern)/", $subject, $matches, PREG_OFFSET_CAPTURE, $offset)) {
if ($matches[1][1] == $offset) {
return $matches[1][0];
}
}
return false;
}
但即使第一个字符不匹配,这也会继续尝试匹配。
问题: 如何有效地匹配字符串的一部分?
或者更好,是否有可能断言偏移位置?像^
一样会声明字符串的开头。
答案 0 :(得分:1)
您可以尝试这样的事情:
function match($subject, $pattern, $offset) {
if (preg_match('/^.{' . $offset . '}\K' . $pattern . '/us', $subject, $match))
return $match[0];
return false;
}
更好!您可以使用匹配的\G
锚点:
function match($subject, $pattern, $offset) {
if (preg_match('/\G' . $pattern . '/us', $subject, $match, 0, $offset))
return $match[0];
return false;
}