我正在编写一个JavaFx程序,该程序显示Windows的时间和日期格式。这意味着当我更改Windows语言时,该程序应显示新的时间和日期格式。例如,在某些位置,时间格式如下:
2018年12月30日
在其他位置,显示如下:
2018年12月30日
我尝试使用Java的LocalDateTime类,但这没有任何意义,因为该类没有时区信息。
private void init()
{
button = new Button("Update");
button.setFont(Font.font(null,FontWeight.BOLD,15));
setBottom(button);
setAlignment(button, Pos.CENTER);
setPadding(new Insets(15));
ldt = LocalDateTime.now();
label = new Label();
label.setFont(Font.font(null, FontWeight.BOLD,20));
label.setTextFill(Color.RED);
label.setAlignment(Pos.CENTER);
text = ldt.toString();
label.setText(text);
gridPane = new GridPane();
gridPane.add(label, 0, 0);
gridPane.setAlignment(Pos.CENTER);
setCenter(gridPane);
}
德语:
英语:
如何正确显示?
答案 0 :(得分:7)
LocalDateTime
切勿使用LocalDateTime
来跟踪实际时刻。由于缺少任何时区或自UTC偏移的概念,LocalDateTime
不能代表时刻。 LocalDateTime
可以知道“ 2019年1月23日中午”,但不不知道您是指日本东京中午,突尼斯突尼斯中午还是蒙特利尔魁北克中午–三个非常不同的时刻,每个时刻相隔几个小时。
LocalDateTime
中的“本地”一词表示任何地区,或每个地区。但是,不是并不意味着任何一个特定的地区。
ZonedDateTime
要跟踪时刻,请使用Instant
(始终使用UTC)或ZonedDateTime
(或者也许使用OffsetDateTime
)。
以Continent/Region
的格式指定proper time zone name,例如America/Montreal
,Africa/Casablanca
或Pacific/Auckland
。切勿使用2-4个字母的缩写,例如EST
或IST
,因为它们不是真正的时区,不是标准化的,甚至不是唯一的(!)。
ZoneId z = ZoneId.of( "America/Montreal" ) ;
ZonedDateTime zdt = ZonedDateTime.now( z ) ; // Capture the current moment as seen through the wall-clock time used by the people of a particular region (a time zone).
Instant instant = zdt.toInstant() ; // Adjust from a zone to UTC, if needed. An `Instant` is always in UTC by definition.
如果未指定时区,则JVM隐式应用其当前的默认时区。该默认值可能在运行时(!)期间change at any moment,因此您的结果可能会有所不同。最好将您的期望/期望时区明确指定为参数。如果紧急,请与您的用户确认区域。
DateTimeFormatter
类可以在生成表示日期时间对象值的文本时自动进行本地化。
要本地化,请指定:
FormatStyle
来确定字符串应该是多长时间或缩写。Locale
确定:
示例:
Locale l = Locale.CANADA_FRENCH ; // Or Locale.US, Locale.JAPAN, etc.
DateTimeFormatter f = DateTimeFormatter.ofLocalizedDateTime( FormatStyle.FULL )
.withLocale( l );
String output = zdt.format( f );
请注意,区域设置和时区与彼此无关,都是正交的问题。来自魁北克的工程师在印度参加会议时,可能希望查看以其母语讲的法语,加拿大文化规范的活动时间表以及在印度当地时区显示的日期时间。
java.time框架已内置在Java 8及更高版本中。这些类取代了麻烦的旧legacy日期时间类,例如java.util.Date
,Calendar
和SimpleDateFormat
。
要了解更多信息,请参见Oracle Tutorial。并在Stack Overflow中搜索许多示例和说明。规格为JSR 310。
目前位于Joda-Time的maintenance mode项目建议迁移到java.time类。
您可以直接与数据库交换 java.time 对象。使用符合JDBC driver或更高版本的JDBC 4.2。不需要字符串,不需要java.sql.*
类。
在哪里获取java.time类?
ThreeTen-Extra项目使用其他类扩展了java.time。该项目为将来可能在java.time中添加内容提供了一个试验场。您可能会在这里找到一些有用的类,例如Interval
,YearWeek
,YearQuarter
和more。