convert timestamp into current date in android

后端 未结 10 668
滥情空心
滥情空心 2020-12-04 21:25

I have a problem in displaying the date,I am getting timestamp as 1379487711 but as per this the actual time is 9/18/2013 12:31:51 PM but it displays the time as 17-41-197

10条回答
  •  心在旅途
    2020-12-04 21:51

    tl;dr

    You have a number of whole seconds since 1970-01-01T00:00:00Z rather than milliseconds.

    Instant
    .ofEpochSecond( 1_379_487_711L )
    .atZone( 
        ZoneId.of( "Africa/Tunis" ) 
    )
    .toLocalDate()
    .format(
        DateTimeFormatter.ofPattern( "dd-MM-uuuu" ) 
    )
    

    2013-09-18T07:01:51Z

    Whole seconds versus Milliseconds

    As stated above, you confused a count-of-seconds with a count-of-milliseconds.

    Using java.time

    The other Answers may be correct but are outdated. The troublesome old date-time classes used there are now legacy, supplanted by the java.time classes. For Android, see the last bullets below.

    The Instant class represents a moment on the timeline in UTC with a resolution of nanoseconds (up to nine (9) digits of a decimal fraction).

    Instant instant = Instant.ofEpochSecond( 1_379_487_711L ) ;
    

    instant.toString(): 2013-09-18T07:01:51Z

    Apply the time zone through which you want to view this moment.

    ZoneId z = ZoneId.of( "America/Montreal" ) ;
    ZonedDateTime zdt = instant.atZone( z ) ;
    

    zdt.toString(): 2013-09-18T03:01:51-04:00[America/Montreal]

    Generate a string representing this value in your desired format.

    DateTimeFormatter f = DateTimeFormatter.ofPattern( "dd-MM-uuuu" ) ;
    String output = zdt.format( f ) ;
    

    18-09-2013

    See this code run live at IdeOne.com.


    About java.time

    The 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.

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

    To learn more, see the Oracle Tutorial. And search Stack Overflow for many examples and explanations. Specification is JSR 310.

    Where to obtain the java.time classes?

    • Java SE 8, Java SE 9, and later
      • Built-in.
      • Part of the standard Java API with a bundled implementation.
      • Java 9 adds some minor features and fixes.
    • Java SE 6 and Java SE 7
      • Much of the java.time functionality is back-ported to Java 6 & 7 in ThreeTen-Backport.
    • Android
      • The ThreeTenABP project adapts ThreeTen-Backport (mentioned above) for Android specifically.
      • See How to use ThreeTenABP….

    The 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.

提交回复
热议问题