如何在 Android 中投射日期和时间

How to cast date and time in Android

在我的应用程序中,我想从服务器获取一些数据,我应该投射日期和时间!
我从服务器收到格式为 end_date: "2020-04-08 13:11:14" 的日期和时间。

我想从我的设备获取现在的日期和时间,并用上面的日期计算 (end_date),如果这次 不到 24 小时 例如,我应该显示 15 小时后 ,但如果这次 超过 24 小时 我应该显示 2 天后来!

但是我不知道怎么办?
你能帮我发代码或发给我其他教程吗?!
我搜索了那个,但我没有找到任何东西。

尝试使用 datetime library, or you can see this answer

此外,如果你可以选择,用 UTC from/to 服务器传递时间是个好习惯,这样可以省去一些本地化和时区的麻烦。

java.time

现代方法使用 java.time classes.

将输入字符串解析为 LocalDateTime

要解析,请将中间的SPACE替换为T以符合ISO 8601标准。

String input = "2020-04-08 13:11:14".replace( " " , "T" ) ;
LocalDateTime ldt = LocalDateTime.parse( input ) ;

您的输入缺少任何时区或与 UTC 的偏移量的指示符。所以我们不知道这是日本东京的下午 1 点,法国图卢兹的下午 1 点,还是美国俄亥俄州托莱多的下午 1 点。因此您无法可靠地将其与当前日期和时间进行比较。

如果你想假设这个字符串是用来告诉你所在时区的时间,那么分配一个时区以获得ZonedDateTime.

ZoneId z = ZoneId.of( "Asia/Tokyo" ) ;
ZonedDateTime then = ldt.atZone( z ) ;

捕捉同一区域的当前时刻。

ZonedDateTime now = ZonedDateTime.now( z ) ;

24小时后计算。

ZonedDateTime twentyFourHoursFuture = now.plusHours( 24 ) ;

比较。

boolean within24Hours = then.isBefore( twentyFourHoursFuture ) ;

使用 Duration class.

确定经过的时间
Duration duration = Duration.between( then , now ) ;

如果您想信任 JVM 当前的默认时区,请调用 ZoneId.systemDefault。请注意,在 您的应用程序执行期间,其他 Java 代码 可以更改此默认值。

ZoneId z = ZoneId.systemDefault() ;

关于java.time

java.time framework is built into Java 8 and later. These classes supplant the troublesome old legacy date-time classes such as java.util.Date, Calendar, & SimpleDateFormat.

要了解更多信息,请参阅 Oracle Tutorial. And search Stack Overflow for many examples and explanations. Specification is JSR 310

Joda-Time project, now in maintenance mode, advises migration to the java.time classes.

您可以直接与数据库交换 java.time 对象。使用 JDBC driver compliant with JDBC 4.2 或更高版本。不需要字符串,不需要 java.sql.* classes.

从哪里获得java.time classes?

ThreeTen-Extra project extends java.time with additional classes. This project is a proving ground for possible future additions to java.time. You may find some useful classes here such as Interval, YearWeek, YearQuarter, and more.