JSF核心标签f:convertDateTime可以格式化java.util.Date对象。Date类有许多被弃用的方法,Java 8中出现了新的类来表示本地日期和时间:LocalDateTime和LocalDate。
f:convertDateTime不能格式化LocalDateTime或LocalDate.
有没有人知道,如果有一个等价于JSF核心标签convertDateTime可以处理LocalDateTime对象?是否计划在未来的版本中提供支持,或者是否有其他可用的标记?
只需编写自己的转换器并扩展javax.faces.convert.DateTimeConverter
-这样您就可以重用<f:convertDateTime>
支持的所有属性。它还会处理本地化问题。不幸的是,编写带有属性的转换器有点复杂。
首先编写扩展
javax.faces.convert.DateTimeConverter
的自己的Converter -只需让超级调用完成所有工作(包括locale-stuff)并将结果从/转换为LocalDate。
@FacesConverter(value = LocalDateConverter.ID)
public class LocalDateConverter extends DateTimeConverter {
public static final String ID = "com.example.LocalDateConverter";
@Override
public Object getAsObject(FacesContext facesContext, UIComponent uiComponent, String value) {
Object o = super.getAsObject(facesContext, uiComponent, value);
if (o == null) {
return null;
}
if (o instanceof Date) {
Instant instant = Instant.ofEpochMilli(((Date) o).getTime());
return LocalDateTime.ofInstant(instant, ZoneId.systemDefault()).toLocalDate();
} else {
throw new IllegalArgumentException(String.format("value=%s could not be converted to a LocalDate, result super.getAsObject=%s", value, o));
}
}
@Override
public String getAsString(FacesContext facesContext, UIComponent uiComponent, Object value) {
if (value == null) {
return super.getAsString(facesContext, uiComponent,value);
}
if (value instanceof LocalDate) {
LocalDate lDate = (LocalDate) value;
Instant instant = lDate.atStartOfDay().atZone(ZoneId.systemDefault()).toInstant();
Date date = Date.from(instant);
return super.getAsString(facesContext, uiComponent, date);
} else {
throw new IllegalArgumentException(String.format("value=%s is not a instanceof LocalDate", value));
}
}
}
然后在META-INF
:
LocalDateConverter-taglib.xml
<facelet-taglib version="2.2"
xmlns="http://xmlns.jcp.org/xml/ns/javaee"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://xmlns.jcp.org/xml/ns/javaee http://xmlns.jcp.org/xml/ns/javaee/web-facelettaglibrary_2_2.xsd">
<namespace>http://example.com/LocalDateConverter</namespace>
<tag>
<tag-name>convertLocalDate</tag-name>
<converter>
<converter-id>com.example.LocalDateConverter</converter-id>
</converter>
</tag>
</facelet-taglib>
最后,在web.xml
中注册标签库:
<context-param>
<param-name>javax.faces.FACELETS_LIBRARIES</param-name>
<param-value>/META-INF/LocalDateConverter-taglib.xml</param-value>
</context-param>
使用
要在jsf页面中使用新标签,请添加新的标签库xmlns:ldc="http://example.com/LocalDateConverter"
并使用标签:
<ldc:convertLocalDate type="both" dateStyle="full"/>