4

我的字符串是$text1 = 'A373R12345'
我想找到这个字符串最后没有出现的数字。
所以我使用这个正则表达式^(.*)[^0-9]([^-]*)
然后我得到了这个结果:
1.A373
2.12345

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

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

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

我想包含最后一个无数字!
请帮忙 !!谢谢!!

4

1 回答 1

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

在此处输入图像描述

于 2012-11-29T02:59:52.083 回答