我有一个字符串,它以下面的格式返回持续时间。
"152M0S" or "1H22M32S"
我需要从中提取小时,分钟和秒数作为数字。
我尝试了下面的正则表达式
video_duration.scan(/(\d+)?.(\d+)M(\d+)S/)
但它没有按预期返回。任何人都知道我在哪里错了。
答案 0 :(得分:2)
"1H22M0S".scan(/\d+/)
#=> ["1", "22", "0']
答案 1 :(得分:1)
您可以使用此表达式:/((?<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">
组后的问号使其成为可选项。要访问数据:$~[:h]
。
答案 2 :(得分:1)
如果您想提取数字,可以这样做:
"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"
答案 3 :(得分:1)
我,我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}