我正在研究java应用程序。我正在将Local of Local列表转换为String数组。当我打印String数组时,我应该得到格式化的日期。
当前日期格式为2016-10-12,2016-10-13 ..我想格式化为10月12,2016 10月13,2016 ... 我尝试使用不同的方法,但这是在格式化方法附近抛出错误。请建议如何格式化日期到2016年10月12日..并存储在String数组中。 以下是我的代码:
// import org.joda.time.LocalDate;
List<LocalDate> localDatesList = new ArrayList<LocalDate>();
localDatesList.add(new LocalDate());
localDatesList.add(new LocalDate().plusDays(1));
localDatesList.add(new LocalDate().plusDays(2));
localDatesList.add(new LocalDate().plusMonths(1));
localDatesList.add(new LocalDate().plusMonths(2));
List<String> tempDatesList = new ArrayList(localDatesList.size());
for (LocalDate date : localDatesList) {
tempDatesList.add(date.toString());
}
String[] formattedDates = tempDatesList.toArray(new String[localDatesList.size()]);
for(String dates : formattedDates){
System.out.println(dates);
}
} }
输出继电器:
2016年10月12日
2016年10月13日
2016年10月14日
2016年11月12日
2016年12月12日
我想格式化2016-10-12,2016-10-13至2016年10月12日2016年10月13日的日期..
我尝试使用DateTimeFormatter,但是当我使用下面的代码抛出错误时,无法识别方法parseLocalDate。
我尝试了以下代码,但无法识别parseLocalDate(..)方法。
final DateTimeFormatter formatter = DateTimeFormat.forPattern("MMMM dd,YYYY");
final LocalDate local = formatter.parseLocalDate(date.toString());
答案 0 :(得分:1)
在您的代码中,您应该尝试:
for (LocalDate date : localDatesList) {
final DateTimeFormatter formatter = DateTimeFormat.forPattern("MMMM dd,YYYY");
String str = formatter.print(date);
System.out.println(str);
tempDatesList.add(str);
}
打印:
October 13,2016
October 14,2016
October 15,2016
November 13,2016
December 13,2016
进口:
import org.joda.time.LocalDate;
import org.joda.time.format.DateTimeFormat;
import org.joda.time.format.DateTimeFormatter;
答案 1 :(得分:1)
试试这个,很少重构您的代码,格式和解析添加
String format = "MMMM dd,YYYY";
final DateTimeFormatter formatter = DateTimeFormat.forPattern(format);
List<String> dateStrings = new ArrayList<>(localDatesList.size());
for (LocalDate date : localDatesList) {
dateStrings.add(date.toString(format)); //format
}
System.out.println("Strings " + dateStrings);
List<LocalDate> localDates = new ArrayList<>();
for (String dateString : dateStrings) {
localDates.add(formatter.parseLocalDate(dateString)); //parse
}
System.out.println("LocalDates " + localDates);
输出
Strings [October 13,2016, October 14,2016, October 15,2016, November 13,2016, December 13,2016]
LocalDates [2016-10-13, 2016-10-14, 2016-10-15, 2016-11-13, 2016-12-13]