简体   繁体   中英

retrieve numbers from a string with regex

I have a string which returns duration in the below format.

"152M0S" or "1H22M32S"

I need to extract hours, minutes and seconds from it as numbers.

I tried like the below with regex

video_duration.scan(/(\d+)?.(\d+)M(\d+)S/)

But it does not return as expected. Anyone has any idea where I am going wrong here.

"1H22M0S".scan(/\d+/)
#=> ["1", "22", "0']

You can use this expression: /((?<h>\\d+)H)?(?<m>\\d+)M(?<s>\\d+)S/ .

"1H22M32S".match(/((?<h>\d+)H)?(?<m>\d+)M(?<s>\d+)S/)
#=> #<MatchData "1H22M32S" h:"1" m:"22" s:"32">

"152M0S".match(/((?<h>\d+)H)?(?<m>\d+)M(?<s>\d+)S/)
#=> #<MatchData "152M0S" h:nil m:"152" s:"0">

Question mark after group makes it optional. To access data: $~[:h] .

If you want to extract numbers, you could do as :

"1H22M32S".match(/(?<hour>(\d+))H(?<min>(\d+))M(?<sec>(\d+))S/i).captures
# => ["1", "22", "32"]
"1H22M32S".match(/(?<hour>(\d+))H(?<min>(\d+))M(?<sec>(\d+))S/i)['min']
# => "22"
"1H22M32S".match(/(?<hour>(\d+))H(?<min>(\d+))M(?<sec>(\d+))S/i)['hour']
# => "1"

Me, I'd hashify :

def hashify(str)
  str.gsub(/\d+[HMS]/).with_object({}) { |s,h| h[s[-1]] = s.to_i }
end

hashify "152M0S"    #=> {"M"=>152, "S"=>0} 
hashify "1H22M32S"  #=> {"H"=>1, "M"=>22, "S"=>32} 
hashify "32S22M11H" #=> {"S"=>32, "M"=>22, "H"=>11} 
hashify "1S"        #=> {"S"=>1} 

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM