C #과 같은 방식으로 밀리 초 단위로 숫자를 인쇄 할 수있는 Java 라이브러리를 아는 사람이 있습니까?
예를 들어 123456 ms는 4d1h3m5s로 인쇄됩니다.
C #과 같은 방식으로 밀리 초 단위로 숫자를 인쇄 할 수있는 Java 라이브러리를 아는 사람이 있습니까?
예를 들어 123456 ms는 4d1h3m5s로 인쇄됩니다.
%
하고 /
부분으로 번호를 분할 할 수 있습니다. 제안 된 답변 중 일부보다 거의 쉽습니다.
/
및 %
.
답변:
Joda Time 은 PeriodFormatterBuilder를 사용하여이를 수행하는 꽤 좋은 방법을 가지고 있습니다.
빠른 승리: PeriodFormat.getDefault().print(duration.toPeriod());
예 :
//import org.joda.time.format.PeriodFormatter;
//import org.joda.time.format.PeriodFormatterBuilder;
//import org.joda.time.Duration;
Duration duration = new Duration(123456); // in milliseconds
PeriodFormatter formatter = new PeriodFormatterBuilder()
.appendDays()
.appendSuffix("d")
.appendHours()
.appendSuffix("h")
.appendMinutes()
.appendSuffix("m")
.appendSeconds()
.appendSuffix("s")
.toFormatter();
String formatted = formatter.print(duration.toPeriod());
System.out.println(formatted);
PeriodType.daysTime()
또는 .standard()
도움이되지 않음
Java 8 Duration.toString()
과 약간의 정규식을 사용하여 간단한 솔루션을 만들었습니다 .
public static String humanReadableFormat(Duration duration) {
return duration.toString()
.substring(2)
.replaceAll("(\\d[HMS])(?!$)", "$1 ")
.toLowerCase();
}
결과는 다음과 같습니다.
- 5h
- 7h 15m
- 6h 50m 15s
- 2h 5s
- 0.1s
사이에 공백을 넣지 않으려면 replaceAll
.
Duration::toString
잘 정의되고 잘 착용 된 ISO 8601 표준 에 따라 출력 형식이 지정 되므로 변경 될 가능성이 거의 없습니다 .
.replaceAll("\\.\\d+", "")
호출하기 전에 추가하십시오 toLowerCase()
.
Apache commons-lang은이 작업을 수행하는 데 유용한 클래스를 제공합니다. DurationFormatUtils
예
DurationFormatUtils.formatDurationHMS( 15362 * 1000 ) )
=> 4 : 16 : 02.000 (H : m : s.millis)
DurationFormatUtils.formatDurationISO( 15362 * 1000 ) )
=> P0Y0M0DT4H16M2.000S, cf. ISO8601
JodaTime는 갖는 Period
이러한 양을 나타낼 수있는 클래스 및 (통해 렌더링 될 수 IsoPeriodFormat
투입) ISO8601 예 형식 PT4D1H3M5S
, 예를
Period period = new Period(millis);
String formatted = ISOPeriodFormat.standard().print(period);
해당 형식이 원하는 형식이 아닌 경우 PeriodFormatterBuilder
C # 스타일을 포함하여 임의의 레이아웃을 조합 할 수 있습니다 4d1h3m5s
.
new Period(millis).toString()
사용합니다 ISOPeriodFormat.standard()
.
Java 8 에서는 PT8H6M12.345S와 같은 ISO 8601 초 기반 표현을 사용하여 외부 라이브러리없이 형식화 하는 toString()
방법을 사용할 수도 있습니다 .java.time.Duration
다음은 순수한 JDK 코드를 사용하여 수행하는 방법입니다.
import javax.xml.datatype.DatatypeFactory;
import javax.xml.datatype.Duration;
long diffTime = 215081000L;
Duration duration = DatatypeFactory.newInstance().newDuration(diffTime);
System.out.printf("%02d:%02d:%02d", duration.getDays() * 24 + duration.getHours(), duration.getMinutes(), duration.getSeconds());
org.threeten.extra.AmountFormats.wordBased
ThreeTen-추가 스티븐 Colebourne, JSR 310의 저자에 의해 유지되는 프로젝트 java.time 및 Joda-시간 ,가 AmountFormats
표준 Java 8 날짜 시간 클래스와 함께 작동 클래스를. 더 간결한 출력을위한 옵션은 없지만 상당히 장황합니다.
Duration d = Duration.ofMinutes(1).plusSeconds(9).plusMillis(86);
System.out.println(AmountFormats.wordBased(d, Locale.getDefault()));
1 minute, 9 seconds and 86 milliseconds
자바 9 이상
Duration d1 = Duration.ofDays(0);
d1 = d1.plusHours(47);
d1 = d1.plusMinutes(124);
d1 = d1.plusSeconds(124);
System.out.println(String.format("%s d %sh %sm %ss",
d1.toDaysPart(),
d1.toHoursPart(),
d1.toMinutesPart(),
d1.toSecondsPart()));
2 일 1 시간 6 분 4 초
Joda-Time의 빌더 접근 방식에 대한 대안은 패턴 기반 솔루션 입니다. 이것은 내 라이브러리 Time4J에서 제공합니다 . Duration.Formatter 클래스를 사용한 예 (가독성을 높이기 위해 공백을 추가했습니다. 공백을 제거하면 원하는 C # 스타일이 생성됩니다) :
IsoUnit unit = ClockUnit.MILLIS;
Duration<IsoUnit> dur = // normalized duration with multiple components
Duration.of(123456, unit).with(Duration.STD_PERIOD);
Duration.Formatter<IsoUnit> f = // create formatter/parser with optional millis
Duration.Formatter.ofPattern("D'd' h'h' m'm' s[.fff]'s'");
System.out.println(f.format(dur)); // output: 0d 0h 2m 3.456s
이 포맷터는 java.time
-API 기간을 인쇄 할 수도 있습니다 (그러나 해당 유형의 정규화 기능은 덜 강력합니다).
System.out.println(f.format(java.time.Duration.ofMillis(123456))); // output: 0d 0h 2m 3.456s
"123456 ms가 4d1h3m5s로 인쇄 될 것"이라는 OP의 예상은 분명히 잘못된 방식으로 계산됩니다. 나는 엉성함을 이유로 생각합니다. 위에서 정의한 동일한 기간 포맷터를 파서로 사용할 수도 있습니다. 다음 코드는 "4d1h3m5s"가에 해당한다는 것을 보여줍니다 349385000 = 1000 * (4 * 86400 + 1 * 3600 + 3 * 60 + 5)
.
System.out.println(
f.parse("4d 1h 3m 5s")
.toClockPeriodWithDaysAs24Hours()
.with(unit.only())
.getPartialAmount(unit)); // 349385000
또 다른 방법은 클래스를 사용하는 것입니다 net.time4j.PrettyTime
( "어제", "다음 일요일", "4 일 전"등과 같은 상대적 시간 인쇄 및 현지화 된 출력에도 좋습니다).
String s = PrettyTime.of(Locale.ENGLISH).print(dur, TextWidth.NARROW);
System.out.println(s); // output: 2m 3s 456ms
s = PrettyTime.of(Locale.ENGLISH).print(dur, TextWidth.WIDE);
System.out.println(s); // output: 2 minutes, 3 seconds, and 456 milliseconds
s = PrettyTime.of(Locale.UK).print(dur, TextWidth.WIDE);
System.out.println(s); // output: 2 minutes, 3 seconds and 456 milliseconds
텍스트 너비는 약어 사용 여부를 제어합니다. 목록 형식도 적절한 로케일을 선택하여 제어 할 수 있습니다. 예를 들어 표준 영어는 Oxform 쉼표를 사용하지만 UK는 사용하지 않습니다. Time4J의 최신 버전 v5.5는 90 개 이상의 언어를 지원하며 CLDR-repository (산업 표준)를 기반으로 한 번역을 사용합니다.
user678573의 답변을 기반으로 한 Java 8 버전 :
private static String humanReadableFormat(Duration duration) {
return String.format("%s days and %sh %sm %ss", duration.toDays(),
duration.toHours() - TimeUnit.DAYS.toHours(duration.toDays()),
duration.toMinutes() - TimeUnit.HOURS.toMinutes(duration.toHours()),
duration.getSeconds() - TimeUnit.MINUTES.toSeconds(duration.toMinutes()));
}
... Java 8에는 PeriodFormatter가없고 getHours, getMinutes, ...
Java 8의 더 나은 버전을 보게되어 기쁩니다.
이것이 귀하의 사용 사례에 정확히 맞지 않을 수도 있지만 PrettyTime 이 여기에서 유용 할 수 있습니다.
PrettyTime p = new PrettyTime();
System.out.println(p.format(new Date()));
//prints: “right now”
System.out.println(p.format(new Date(1000*60*10)));
//prints: “10 minutes from now”
Duration
은 합리적인 표준 인 ISO 8601에 정의되어 있습니다 .PnYnMnDTnHnMnS
여기서는P
"기간"을 의미하고 시작을 표시T
하고 날짜 부분을 시간 부분과 구분하며 그 사이는 단일 항목이있는 숫자의 선택적 발생입니다. -문자 약어. 예 :PT4H30M
= 4 시간 30 분.