编程语言
首页 > 编程语言> > java-使用SimpleDateFormat格式化不同本地人的日期

java-使用SimpleDateFormat格式化不同本地人的日期

作者:互联网

我看到这个问题在几个地方都被问到,但给出的答案对我来说还不清楚.这就是为什么我再次询问.

是否可以通过仅使用具有相同日期模式的Locale参数来获取Locale的特定日期?例如我该怎么做

String pattern = "dd/MM/yyyy";
Date d1 = new Date();
 SimpleDateFormat f1 =  new SimpleDateFormat( pattern , Locale.UK );
 f1.format(d1);
 // formatted date should be in  "dd/MM/yyyy" format

 SimpleDateFormat f2 =  new SimpleDateFormat( pattern , Locale.US );
 f2.format(d1);
 // formatted date should be in "MM/dd/yyyy" format

上面的代码没有给我预期的结果.有没有办法做这样的事情?

我尝试使用DateFormat工厂方法.问题是我无法通过格式模式.它具有一些预定义的日期格式(SHORT,MEDIUM等)

提前致谢…

解决方法:

你可以尝试这样的事情

@Test
public void formatDate() {
    Date today = new Date();
    SimpleDateFormat fourDigitsYearOnlyFormat = new SimpleDateFormat("yyyy");
    FieldPosition yearPosition = new FieldPosition(DateFormat.YEAR_FIELD);

    DateFormat dateInstanceUK = DateFormat.getDateInstance(DateFormat.SHORT, 
            Locale.UK);
    StringBuffer sbUK = new StringBuffer();

    dateInstanceUK.format(today, sbUK, yearPosition);

    sbUK.replace(yearPosition.getBeginIndex(), yearPosition.getEndIndex(), 
            fourDigitsYearOnlyFormat.format(today));
    System.out.println(sbUK.toString());

    DateFormat dateInstanceUS = DateFormat.getDateInstance(DateFormat.SHORT,
            Locale.US);
    StringBuffer sbUS = new StringBuffer();
    dateInstanceUS.format(today, sbUS, yearPosition);
    sbUS.replace(yearPosition.getBeginIndex(), yearPosition.getEndIndex(), 
            fourDigitsYearOnlyFormat.format(today));
    System.out.println(sbUS.toString());
}

它基本上使用样式DateFormat#SHORT格式化日期,并使用FieldPosition对象捕获年份的位置.之后,您用四位数的formart替换年份.

输出为:

13/11/2013
11/13/2013

编辑

与任何图案一起使用

StringBuffer sb = new StringBuffer();
DateFormat dateInstance = new SimpleDateFormat("yy-MM-dd");
System.out.println(dateInstance.format(today));
dateInstance.format(today, sb, yearPosition);
sb.replace(yearPosition.getBeginIndex(), yearPosition.getEndIndex(), 
        fourDigitsYearOnlyFormat.format(today));
System.out.println(sb.toString());

输出为:

13-11-13
2013-11-13

标签:java-util-date,java,date
来源: https://codeday.me/bug/20191030/1966109.html