CXF 没有实现动态过滤,如下所述:http ://www.jalg.net/2012/09/declarative-cache-control-with-jax-rs-2-0
而且,如果您使用直接返回自己的对象而不是 CXF 响应,则很难添加缓存控制标头。
我通过使用自定义注释并创建读取此注释并添加标题的 CXF 拦截器找到了一种优雅的方式。
所以首先,创建一个 CacheControl 注解
@Target(ElementType.METHOD )
@Retention(RetentionPolicy.RUNTIME)
public @interface CacheControl {
String value() default "no-cache";
}
然后,将此注释添加到您的 CXF 操作方法(如果您使用接口,则它适用于两者的接口或实现)
@CacheControl("max-age=600")
public Person getPerson(String name) {
return personService.getPerson(name);
}
然后创建一个 CacheControl 拦截器来处理注释并将标头添加到您的响应中。
public class CacheInterceptor extends AbstractOutDatabindingInterceptor{
public CacheInterceptor() {
super(Phase.MARSHAL);
}
@Override
public void handleMessage(Message outMessage) throws Fault {
//search for a CacheControl annotation on the operation
OperationResourceInfo resourceInfo = outMessage.getExchange().get(OperationResourceInfo.class);
CacheControl cacheControl = null;
for (Annotation annot : resourceInfo.getOutAnnotations()) {
if(annot instanceof CacheControl) {
cacheControl = (CacheControl) annot;
break;
}
}
//fast path for no cache control
if(cacheControl == null) {
return;
}
//search for existing headers or create new ones
Map<String, List<String>> headers = (Map<String, List<String>>) outMessage.get(Message.PROTOCOL_HEADERS);
if (headers == null) {
headers = new TreeMap<>(String.CASE_INSENSITIVE_ORDER);
outMessage.put(Message.PROTOCOL_HEADERS, headers);
}
//add Cache-Control header
headers.put("Cache-Control", Collections.singletonList(cacheControl.value()));
}
}
最后配置 CXF 使用你的拦截器,你可以在这里找到所有需要的信息:http: //cxf.apache.org/docs/interceptors.html
希望它会有所帮助。
洛伊克