他のソリューションでは、24時間制の境界を越えると、アワーカウンターが00にリセットされます。また、切り捨てられることに注意してください。入力に小数秒がある場合、間違った結果が得られます(たとえば、正しい場合は00:08: Time.at
00`ではなく、いつt=479.9
にTime.at(t).utc.strftime("%H:%M:%S")
なるかなど)。00:07:59
任意の秒数(24時間の日スパンを超える高いカウントでも)を増え続けるHH:MM:SSカウンターに変換し、潜在的な小数秒を処理する方法が必要な場合は、次のようにしてください。
# Will take as input a time in seconds (which is typically a result after subtracting two Time objects),
# and return the result in HH:MM:SS, even if it exceeds a 24 hour period.
def formatted_duration(total_seconds)
total_seconds = total_seconds.round # to avoid fractional seconds potentially compounding and messing up seconds, minutes and hours
hours = total_seconds / (60*60)
minutes = (total_seconds / 60) % 60 # the modulo operator (%) gives the remainder when leftside is divided by rightside. Ex: 121 % 60 = 1
seconds = total_seconds % 60
[hours, minutes, seconds].map do |t|
# Right justify and pad with 0 until length is 2.
# So if the duration of any of the time components is 0, then it will display as 00
t.round.to_s.rjust(2,'0')
end.join(':')
end
https://gist.github.com/shunchu/3175001でのディスカッションの@springerigorと提案から変更