我想将日期解析为我的格式02:09 AM 25/09/2012
,但我不能。我用过这段代码。
SimpleDateFormat sdf1 = new SimpleDateFormat("MMMM, DD yyyy HH:mm:ss Z");
//September, 25 2012 02:09:42 +0000
Date date = sdf1.parse(String.valueOf(PUNCH_TIME));
SimpleDateFormat sdf2 = new SimpleDateFormat("HH':'mm a 'on' DD'/'MMMM'/'yyyy");
SimpleDateFormat sdf2 = new SimpleDateFormat("MM");
String timeformat=sdf2.format(date);
txtHomePunchStatus.setText("You have Punched In at "+timeformat);
我得到You have punched IN at 7:52 AM on 25/01/2012
。
答案 0 :(得分:1)
您可能遇到时区问题。输入字符串September, 25 2012 02:09:42 +0000
是UTC的时间戳(偏移量+0000
)。当您以所需格式格式化日期时,您没有指定时区,因此SimpleDateFormat
对象将在您当地时区显示您的日期,这可能不是UTC。
您可以执行的操作是在用于格式化日期的SimpleDateFormat
对象上设置时区。例如:
DateFormat df1 = new SimpleDateFormat("MMMM, dd yyyy HH:mm:ss Z");
Date date = df1.parse(PUNCH_TIME);
DateFormat df2 = new SimpleDateFormat("HH:mm a 'on' dd/MM/yyyy");
df2.setTimeZone(TimeZone.getTimeZone("UTC"));
String result = df2.format(date);
System.out.println(result);
注意:您必须使用dd
而不是DD
这些日子; DD
表示一年中的日期编号,dd
表示当月的日期编号(请参阅SimpleDateFormat
的API文档)。
p.s。:您对“解析”和“格式”这两个词的使用令人困惑。 解析表示:从字符串转换为Date
对象,格式表示相反:从Date
对象转换为字符串。< / p>
答案 1 :(得分:0)
首先,你有sdf2
的双重声明。然后,您需要使用hh
和mm
几小时和几分钟。阅读文档:SimpleDateFormat与此示例类似:
SimpleDateFormat sdf1 = new SimpleDateFormat("MMMM, DD yyyy HH:mm:ss Z");
//September, 25 2012 02:09:42 +0000
Date date = null;
try {
date = sdf1.parse(String.valueOf(PUNCH_TIME));
} catch (ParseException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
SimpleDateFormat sdf2 = new SimpleDateFormat("hh:mm a 'on' DD/MM/yyyy");
String timeformat=sdf2.format(date);
答案 2 :(得分:0)
OffsetDateTime.parse(
"September, 25 2012 02:09:42 +0000" ,
DateTimeFormatter.ofPattern( "MMMM, d uuuu HH:mm:ss Z" , Locale.US )
).format(
DateTimeFormatter.ofPattern( "hh:mm a 'on' dd/MM/uuuu" , Locale.US )
)
02:09 AM on 25/09/2012
其他答案现已过时,使用现在遗留下来的麻烦的旧日期时间类。旧类被java.time类取代。对于早期的Android,请参阅下面的最后一个项目符号。
定义格式化模式以匹配您的输入字符串。
String input = "September, 25 2012 02:09:42 +0000" ;
DateTimeFormatter f = DateTimeFormatter.ofPattern( "MMMM, d uuuu HH:mm:ss Z" , Locale.US ) ; // Specify a locale for the human language by which to parse the name of the month.
作为OffsetDateTime
解析,假设您的输入指定了从UTC的偏移而不是全时区。
OffsetDateTime odt = OffsetDateTime odt = OffsetDateTime.parse( input , f );
odt.toString():2012-09-25T02:09:42Z
要以备用格式生成字符串,请使用自定义格式设置模式定义DateTimeFormatter
。请注意格式代码字符的大写/小写,并仔细研究the documentation。请注意,格式化程序已知冒号,空格和斜杠,因此无需使用单引号标记转义这些字符。
DateTimeFormatter fOutput = DateTimeFormatter.ofPattern( "hh:mm a 'on' dd/MM/uuuu" , Locale.US ) ;
String output = odt.format( fOutput) ;
02:09 AM on 25/09/2012
java.time框架内置于Java 8及更高版本中。这些类取代了麻烦的旧legacy日期时间类,例如java.util.Date
,Calendar
和&amp; SimpleDateFormat
现在位于Joda-Time的maintenance mode项目建议迁移到java.time类。
要了解详情,请参阅Oracle Tutorial。并搜索Stack Overflow以获取许多示例和解释。规范是JSR 310。
从哪里获取java.time类?
ThreeTen-Extra项目使用其他类扩展java.time。该项目是未来可能添加到java.time的试验场。您可以在此处找到一些有用的课程,例如Interval
,YearWeek
,YearQuarter
和more。