Questo è più facile in Java 9:
Duration elapsedTime = Duration.ofMillis(millisDiff );
String humanReadableElapsedTime = String.format(
"%d hours, %d mins, %d seconds",
elapsedTime.toHours(),
elapsedTime.toMinutesPart(),
elapsedTime.toSecondsPart());
Questo produce una stringa come 0 hours, 39 mins, 9 seconds
.
Se vuoi arrotondare a interi secondi prima della formattazione:
elapsedTime = elapsedTime.plusMillis(500).truncatedTo(ChronoUnit.SECONDS);
Per lasciare fuori gli orari se sono 0:
long hours = elapsedTime.toHours();
String humanReadableElapsedTime;
if (hours == 0) {
humanReadableElapsedTime = String.format(
"%d mins, %d seconds",
elapsedTime.toMinutesPart(),
elapsedTime.toSecondsPart());
} else {
humanReadableElapsedTime = String.format(
"%d hours, %d mins, %d seconds",
hours,
elapsedTime.toMinutesPart(),
elapsedTime.toSecondsPart());
}
Ora possiamo avere per esempio 39 mins, 9 seconds
.
Per stampare minuti e secondi con zero iniziale per renderli sempre a due cifre, basta inserire 02
nei relativi identificatori di formato, quindi:
String humanReadableElapsedTime = String.format(
"%d hours, %02d mins, %02d seconds",
elapsedTime.toHours(),
elapsedTime.toMinutesPart(),
elapsedTime.toSecondsPart());
Ora possiamo avere per esempio 0 hours, 39 mins, 09 seconds
.