我试图返回5到9位数之间的一系列数字。我希望能够获得最长的匹配,但不幸的是preg_match只返回匹配的最后5个字符。
$string = "foo 123456";
if (preg_match("/.*(\d{5,9}).*/", $string, $match)) {
print_r($match);
};
将产生结果
Array
(
[0] => foo 123456
[1] => 23456
)
答案 0 :(得分:1)
由于您只想要数字,因此您只需从模式中删除.*
:
$string = "foo 123456";
if (preg_match("/\d{5,9}/", $string, $match)) {
print_r($match);
};
请注意,如果输入字符串为"123456789012"
,则代码将返回123456789
(这是较长数字序列的子字符串)。
如果您不想匹配作为较长序列号的一部分的数字序列,则必须添加一些外观:
preg_match("/(?<!\d)\d{5,9}(?!\d)/", $string, $match)
(?<!\d)
检查数字序列前面没有数字。 (?<!pattern)
是零宽度负面后瞻,这意味着在不消耗文本的情况下,它会检查从当前位置查看后面,模式没有匹配。
(?!\d)
检查数字序列后面没有数字。 (?!pattern)
零宽度负向预测,这意味着在不消耗文本的情况下,它会检查从当前位置向前看,模式没有匹配。
答案 1 :(得分:0)
使用像.*?
<?php
$string = "foo 123456 bar"; // work with "foo 123456", "123456", etc.
if (preg_match("/.*?(\d{5,9}).*/", $string, $match)) {
print_r($match);
};
结果:
Array
(
[0] => foo 123456 bar
[1] => 123456
)
了解更多信息:http://en.wikipedia.org/wiki/Regular_expression#Lazy_quantification