匹配字符串的最后一个匹配项的PHP正则表达式

2022-03-29 00:00:00 regex php preg-match preg-split
我的字符串是$text1 = 'A373R12345'
我要查找此字符串的最后一个非数字数字匹配项。
所以我使用这个正则表达式^(.*)[^0-9]([^-]*)
然后我得到了这样的结果:
1.A373
2.12345

但我的预期结果是:
1.A373R
(它有"R")
2.12345

另一个例子是$text1 = 'A373R+12345'
然后我得到了这样的结果:
1.A373R
2.12345

但我的预期结果是:
1.A373R+
(它有‘+’)
2.12345

我要包含最后一个非数字数字!!
请帮帮我!!谢谢!!


解决方案

$text1 = 'A373R12345';
preg_match('/^(.*[^d])(d+)$/', $text1, $match);
echo $match[1]; // A373R
echo $match[2]; // 12345

$text1 = 'A373R+12345';
preg_match('/^(.*[^d])(d+)$/', $text1, $match);
echo $match[1]; // A373R+
echo $match[2]; // 12345

正则表达式分解说明:

^ match from start of string
(.*[^d]) match any amount of characters where the last character is not a digit 
(d+)$ match any digit character until end of string

相关文章