Created
July 25, 2012 07:58
-
-
Save shunchu/3175001 to your computer and use it in GitHub Desktop.
Convert seconds into HH:MM:SS in Ruby
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
t = 236 # seconds | |
Time.at(t).utc.strftime("%H:%M:%S") | |
=> "00:03:56" | |
# Reference | |
# http://stackoverflow.com/questions/3963930/ruby-rails-how-to-convert-seconds-to-time |
👍
+1
+1
+1
+1
Added days!
extending on @springerigor solution
def formatted_duration(total_seconds)
days = total_seconds / (60 * 60 * 24)
hours = total_seconds / (60 * 60)
hours -= 24 if days > 0
minutes = (total_seconds / 60) % 60
seconds = total_seconds % 60
"#{days}d #{hours}h #{minutes}m #{seconds}s"
end
👍
This is pretty cool!
👍
Solid!
Thanks, really good 😄
+1
+1
+1
@joshuapinter, nice code, but I'm not the Magne that contributed it to SO.
+1
Nice! I also needed days, so thanks @alexwebgr
Just a small change, in case it's more than 48 hours
def formatted_duration(total_seconds)
days = total_seconds / (60 * 60 * 24)
hours = total_seconds / (60 * 60)
hours -= (24 * days) if days >= 1
minutes = (total_seconds / 60) % 60
seconds = total_seconds % 60
"#{days}d #{hours}h #{minutes}min #{seconds}s"
end
You can also use %T
, it's a combination shortcut to get 24-hour time (%H:%M:%S)
Time.at(624).gmtime.strftime('%T')
=> "00:10:24"
def formatted_duration(total_seconds)
days = (total_seconds / (60 * 60 * 24)).to_i
hours = ((total_seconds / (60 * 60)) % 60).to_i
minutes = ((total_seconds / 60) % 60).to_i
seconds = (total_seconds % 60).to_i
"#{days} d. #{hours} h. #{minutes} m. #{seconds} s."
end
☑️
+1
nice!!!
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
+1