0

我有一个包含六个数字的字符串:650310. 它1965 march 10YYMMDD格式表示。

有什么方法可以识别这种格式10 march 1965吗?目前这是我的做法,不是很有效。

public class Example {

    public static void main(String args[]) {
        //date in YYMMDD

        //String x = "650310";
        String x = "161020";
        System.out.print(x.substring(4, 6)+" ");

        if (Integer.parseInt(x.substring(2, 4)) == 10) {
            System.out.print("October"+" ");
        }
        else  if (Integer.parseInt(x.substring(2, 4)) == 03) {
            System.out.print("March"+" ");
        }
        if (Integer.parseInt(x.substring(0, 2)) > 50) {
            String yr = "19" + x.substring(0, 2);
            System.out.println(yr);
        } else if (Integer.parseInt(x.substring(0, 2)) < 50) {
            String yr = "20" + x.substring(0, 2);
            System.out.println(yr);
        }
    }
}

output : 20 October 2016
4

4 回答 4

3

使用 Java 的 SimpleDateFormat:

SimpleDateFormat inFormat = new SimpleDateFormat( "yyMMdd" );
Date theDate = format.parse( "650310" );

现在您有了一个 Date 对象,您可以使用它以其他格式显示日期:

SimpleDateFormat outFormat = new SimpleDateFormat( "dd MMMMM yyyy" );
StringBuffer output = outFormat.format( theDate );

用于output.toString()显示新格式化的日期。祝你好运。

于 2013-11-05T08:21:00.990 回答
1

试试这个例子

import java.text.ParseException;
import java.text.SimpleDateFormat;
import java.util.Date;

public class Example {

    public static void main(String args[]) throws ParseException {

        SimpleDateFormat s = new SimpleDateFormat( "yyMMdd" );
        Date theDate = s.parse( "650310" );
        SimpleDateFormat p = new SimpleDateFormat( "dd MMMMM yyyy" );
System.out.println(p.format(theDate));
    }
}

输出1965 年 3 月 10 日

于 2013-11-05T08:26:55.887 回答
0

这个链接会有所帮助。创建一个 SimpleDateFormat 对象并使用它来将字符串解析为日期并将日期格式化为字符串。

于 2013-11-05T08:20:19.617 回答
0

使用SimpleDateFormat进行日期解析。例如:

SimpleDateFormat format = new SimpleDateFormat("yyMMdd");
try {
        System.out.println(format.parse("900310"));
} catch (ParseException e) {
    e.printStackTrace();
}

输出:1990 年 3 月 10 日星期六 00:00:00 MSK

编辑:如果你想解析日期,请尝试使用 DateFormat 来获取Date!!!!然后你可以用你自己的方式格式化它。我不同意你的反对意见。

SimpleDateFormat format = new SimpleDateFormat("yyMMdd");
    try {
        Date parse = format.parse("900310");
        format.applyPattern("dd MMMM yyyy");
        System.out.println(format.format(parse));
    } catch (ParseException e) {
        e.printStackTrace();
    }

输出 10/Март/1990

于 2013-11-05T08:16:56.993 回答