Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Convert seconds into T1H15M5S (ISO_8601)

I would like to convert a number of seconds into ISO_8601/Duration in Java.

http://en.wikipedia.org/wiki/ISO_8601#Durations

Are there any existing methods to do it that are already built in?

like image 526
Jerome Ansia Avatar asked Jul 29 '13 14:07

Jerome Ansia


2 Answers

Since ISO 8601 allows for the individual fields in a duration string to overflow, you could just prepend "PT" to the number of seconds and append "S":

int secs = 4711;
String iso8601format = "PT" + secs + "S";

This will output "PT4711S", which is equivalent to "PT1H18M31S".

like image 191
jarnbjo Avatar answered Sep 18 '22 07:09

jarnbjo


I recommend using the Period object from the JodaTime library. Then you could write a method like so:

public static String secondsAsFormattedString(long seconds) {
     Period period = new Period(1000 * seconds);
     return "PT" + period.getHours() + "H" + period.getMinutes() + "M" + period.getSeconds() + "S";
 }
like image 25
James Dunn Avatar answered Sep 18 '22 07:09

James Dunn