0

我正在尝试返回一系列 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
)
4

2 回答 2

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)零宽度负前瞻,这意味着在不使用文本的情况下,它会检查从当前位置向前看,没有匹配的模式。

于 2013-05-16T22:17:30.203 回答
1

使用“本地”非贪婪之类的.*?

<?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

于 2013-05-16T22:07:58.867 回答