在 Kotlin 中将日期字符串转换为所需的格式

Convert Date String to desired format in Kotlin

我想将日期转换成所需的格式。我知道首先我需要转换成日期然后需要格式化那个日期。我的问题是以简单形式做的任何最简单的方法。对性能有影响吗?因为我在列表中列出了所有这些日期。

例如

fun main(vararg args: String) {
    val dateString = "2021-05-12T12:12:12.121Z"
    val convertedDate = convertDate(dateString)
    print(
            convertedDate?.let {
                formatDate(it)
            }
    )
}

fun formatDate(date: Date): String {
    return SimpleDateFormat("MMM dd, YYYY").format(date)
}

fun convertDate(dateString: String): Date? {
    return SimpleDateFormat("yyyy-MM-dd'T'HH:mm:ss.SSS'Z'").parse(dateString)
}

输出

May 12, 2021

标准日期时间 classes 没有任何属性来保存格式信息。即使某些库或自定义 class 承诺这样做,它也违反了 Single Responsibility Principle。日期时间对象应该存储有关日期、时间、时区等的信息,而不是格式。以所需格式表示日期时间对象的唯一方法是使用日期时间 parsing/formatting 类型将其格式化为 String

  • 对于现代日期时间API:java.time.format.DateTimeFormatter
  • 对于旧版日期时间API:java.text.SimpleDateFormat

请注意 java.util 日期时间 API 及其格式 API、SimpleDateFormat 已过时且容易出错。建议完全停止使用它们并切换到 modern Date-Time API*,于 2014 年 3 月作为 Java SE 8 标准库的一部分发布。

除此之外,您的代码还有很多问题:

  1. 使用 Y(星期年)而不是 y(年)。查看 documentation 以了解更多信息。
  2. 不使用 LocaleSimpleDateFormat。检查 Never use SimpleDateFormat or DateTimeFormatter without a Locale 以了解更多信息。
  3. Z 括在单引号内意味着它只是一个字符文字,除了代表字母 Z 之外没有任何意义。模式 yyyy-MM-dd'T'HH:mm:ss.SSS'Z' 应该是 yyyy-MM-dd'T'HH:mm:ss.SSSXXX.

解决方案使用 java.time,现代日期时间 API:

import java.time.OffsetDateTime;
import java.time.format.DateTimeFormatter;
import java.util.Locale;

public class Main {
    public static void main(String[] args) {
        var dateString = "2021-05-12T12:12:12.121Z";
        var odt = OffsetDateTime.parse(dateString);
        var dtf = DateTimeFormatter.ofPattern("MMM dd, uuuu", Locale.ENGLISH);
        System.out.println(dtf.format(odt));
    }
}

输出:

May 12, 2021

ONLINE DEMO

在这里,您可以使用 y 而不是 u 但是 .

Trail: Date Time.

了解有关现代日期时间 API 的更多信息

* 无论出于何种原因,如果您必须坚持Java 6 或Java 7,您可以使用ThreeTen-Backport which backports most of the java.time functionality to Java 6 & 7. If you are working for an Android project and your Android API level is still not compliant with Java-8, check Java 8+ APIs available through desugaring and