我使用jersey-client来使用REST服务。 我需要请求的Entity和Last-Modified标头。
所以我做了以下事情:
ClientResponse response = webResource.get(ClientResponse.class);
Person person = response.getEntity(Person.class);
有效。我收到回复,我可以将实体(这是XML)编组到我的POJO中。 当我调试并查看响应的Headers时,我发现有一个Last-Modified标头集。
但是当我尝试通过
检索日期时response.getLastModified();
我在URLConnectionClientHandler中找到了一个NPE。
有谁知道我做错了什么?
编辑按要求提供跟踪
java.lang.NullPointerException: null
at com.sun.jersey.api.client.ClientResponse.getLastModified(ClientResponse.java:647) ~[jersey-client-1.12.jar:1.12]
at a.o.u.user.dao.impl.uds.PersonenUdsClient.getPerson(PersonenUdsClient.java:103) ~[um-user-2.5.0-Beta1-SNAPSHOT.jar:na]
at a.o.u.user.dao.impl.UserDaoUdsImpl.mergeWithUdsUser(UserDaoUdsImpl.java:282) ~[um-user-2.5.0-Beta1-SNAPSHOT.jar:na]
at a.o.u.user.dao.impl.UserDaoUdsImpl.getUserWithEmail(UserDaoUdsImpl.java:124) ~[um-user-2.5.0-Beta1-SNAPSHOT.jar:na]
at ...
编辑,因为npe建议我深入研究代码。我想我发现了这个问题。除了jersey-client之外,我在类路径中也有cxf。 jersey和cxf都提供了一个名为 RuntimeDelegateImpl 的类。但是CXF版本没有DateHeaderDelegate。我认为 RuntimeDelegateImpl 的错误版本(CXF)已被采用。
到目前为止,我还没有找到如何明确设置 RuntimeDelegateImpl 来使用。
答案 0 :(得分:2)
版本1.12的ClientResponse#getLastModified()
的实现如下所示:
/*639*/ /**
/*640*/ * Get the last modified date.
/*641*/ *
/*642*/ * @return the last modified date, otherwise <code>null</code> if not present.
/*643*/ */
/*644*/ public Date getLastModified() {
/*645*/ String d = getHeaders().getFirst("Last-Modified");
/*646*/
/*647*/ return (d != null) ? dateDelegate.fromString(d) : null;
/*648*/ }
第647行显示NullPointerException
,看来dateDelegate
为null
。现在,dateDelegate
对象在第321行初始化,如下所示:
/*321*/ protected static final HeaderDelegate<Date> dateDelegate =
/*322*/ RuntimeDelegate.getInstance().createHeaderDelegate(Date.class);
现在,该字段为final
,因此在初始化后无法更改 - 这意味着dateDelegate
从一开始就是null
- 这意味着,您有一些一种配置问题,并且未创建委托。
此外,代理人是在AbstractRuntimeDelegate
班级(source for 1.12 here)中创建的,如下所示:
/* 88*/ map.put(Date.class, _createHeaderDelegate(Date.class));
这个兔子洞越来越深,所以我要停在这里,但你知道了。
最后,但并非最不重要 - 调试器是你的朋友,我的朋友; - )
答案 1 :(得分:1)
使它成为一个包装。
问题是我在类路径中同时拥有jersey-client和cxf。两者都是RuntimeDelegateImpl。但是CXF版本没有DateHeaderDelegate。采用RuntimeDelegateImpl的错误版本(CXF)。
我通过“手动”检索Last-Modified Header解决了这个问题:
private Date getLastModified(ClientResponse response){
String lastModifiedString = response.getHeaders().getFirst(
"Last-Modified");
if (StringUtils.isEmpty(lastModifiedString)) {
LOG.warn("Expect to get Last-Modified header when retrieving a Person by pnr "
+ "but there is none.");
return null;
} else {
try {
// format is Thu, 21 Jun 2012 08:00:42 GMT
return new SimpleDateFormat(
"EEE, dd MMM yyyy HH:mm:ss zzz", Locale.US)
.parse(lastModifiedString);
} catch (ParseException e) {
LOG.error("Could not parse Last-Modified date "
+ e.getMessage());
return null;
}
}
}
Thanx来提示提示。