正则表达式提取不同URL的最后一个数字部分

时间:2017-01-12 14:36:31

标签: ruby regex rubular

我正在创建一个URL解析器,并且有三种URL,我希望从URL中提取数字部分,并将提取的数字增加10并更新URL。我正在尝试使用正则表达式来提取,但我是正则表达式并且遇到麻烦的新手。

这三个URL结构我想增加最后一个数字部分:

  1. 将最后一个数字20加10:

    http://forums.scamadviser.com/site-feedback-issues-feature-requests/20/
    
  2. 将最后一个数字50加10:

    https://forums.questionablecontent.net/index.php/board,1.50.html
    
  3. 将最后一个数字30加10:

    https://forums.comodo.com/how-can-i-help-comodo-please-we-need-you-b39.30/
    

4 个答案:

答案 0 :(得分:2)

使用\d+(?!.*\d)正则表达式,您将获得字符串中的最后一个数字块。然后,使用带有块的s.gsub修改数字并返回结果。

请参阅this Ruby demo

strs = ['http://forums.scamadviser.com/site-feedback-issues-feature-requests/20/', 'https://forums.questionablecontent.net/index.php/board,1.50.html', 'https://forums.comodo.com/how-can-i-help-comodo-please-we-need-you-b39.30/']
arr = strs.map {|item| item.gsub(/\d+(?!.*\d)/) {$~[0].to_i+10}}

注意:$~是一个MatchData对象,使用[0]索引我们可以访问整个匹配值。

结果:

http://forums.scamadviser.com/site-feedback-issues-feature-requests/30/
https://forums.questionablecontent.net/index.php/board,1.60.html
https://forums.comodo.com/how-can-i-help-comodo-please-we-need-you-b39.40/

答案 1 :(得分:1)

试试这个正则表达式:

\d+(?=(\/)|(.html))

它将提取最后一个数字。

演示:https://regex101.com/r/zqUQlF/1

用这个正则表达式代替:

(.*?)(\d+)((\/)|(.html))

演示:https://regex101.com/r/zqUQlF/2

答案 2 :(得分:0)

这个正则表达式通过使用前瞻(“看到'模式但不吃任何字符)匹配每个URL中的最后一个整数

\d+(?=\D*$)

online demo此处。

答案 3 :(得分:0)

像这样:

urls = ['http://forums.scamadviser.com/site-feedback-issues-feature-requests/20/', 'https://forums.questionablecontent.net/index.php/board,1.50.html', 'https://forums.comodo.com/how-can-i-help-comodo-please-we-need-you-b39.30/']
pattern = /(\d+)(?=[^\d]+$)/

urls.each do |url|
    url.gsub!(pattern) {|m|  m.to_i + 10}
end

puts urls

您也可以在线测试:https://ideone.com/smBJCQ