DateTimeFormatter 中的通配符

2022-09-04 21:52:51

我需要将字符串解析为.该字符串看起来像正则表达式术语(即 表示在日数之后可能有 0 个或更多未知字符)。LocalDate31.* 03 2016.*

输入/输出示例:31xy 03 2016 ==> 2016-03-31

我希望在DateTimeFormatter文档中找到一个通配符语法,以允许这样的模式:

LocalDate.parse("31xy 03 2016", DateTimeFormatter.ofPattern("dd[.*] MM yyyy"));

但我找不到任何东西。

有没有一种简单的方法可以用DateTimeFormatter来表示可选的未知字符?

ps:我显然可以在解析之前修改字符串,但这不是我所要求的。


答案 1

中没有对此的直接支持。java.time

最接近的是使用两个不同的格式化程序来使用parse(CharSequence,ParsePosition)。

// create the formatter for the first half
DateTimeFormatter a = DateTimeFormatter.ofPattern("dd")

// setup a ParsePosition to keep track of where we are in the parse
ParsePosition pp = new ParsePosition();

// parse the date, which will update the index in the ParsePosition
String str = "31xy 03 2016";
int dom = a.parse(str, pp).get(DAY_OF_MONTH);

// some logic to skip the messy 'xy' part
// logic must update the ParsePosition to the start of the month section
pp.setIndex(???)

// use the parsed day-of-month in the formatter for the month and year
DateTimeFormatter b = DateTimeFormatter.ofPattern("MM yyyy")
    .parseDefaulting(DAY_OF_MONTH, dom);

// parse the date, using the *same* ParsePosition
LocalDate date = b.parse(str, pp).query(LocalDate::from);

虽然以上未经测试,但它基本上应该有效。但是,手动解析它要容易得多。


答案 2

我将分两步完成,使用正则表达式将原始字符串转换为LocalDate可以解析的内容,例如:

String dateSource = "31xy 03 2016";
String normalizedDate = dateSource.replaceFirst("^(\\d+).*? (\\d+ \\d+)", "$1 $2");
LocalDate date = LocalDate.parse(normalizedDate, DateTimeFormatter.ofPattern("dd MM yyyy"));
System.out.println(date);

我知道这不是你所要求的。


推荐