用于浏览器缓存的 Servlet 过滤器?

2022-09-04 19:45:52

有谁知道如何编写一个servlet过滤器,它将在给定文件/内容类型的响应上设置缓存标头?我有一个应用程序,可以提供很多图像,我想通过让浏览器缓存不经常更改的图像来减少托管它的带宽。理想情况下,我希望能够指定内容类型,并在内容类型匹配时设置适当的标头。

有谁知道如何去做这个?或者,更好的是,有他们愿意分享的示例代码?谢谢!


答案 1

在您的过滤器中有以下行:

chain.doFilter(httpRequest, new AddExpiresHeaderResponse(httpResponse));

响应包装器如下所示:

class AddExpiresHeaderResponse extends HttpServletResponseWrapper {

    public static final String[] CACHEABLE_CONTENT_TYPES = new String[] {
        "text/css", "text/javascript", "image/png", "image/jpeg",
        "image/gif", "image/jpg" };

    static {
        Arrays.sort(CACHEABLE_CONTENT_TYPES);
    }

    public AddExpiresHeaderResponse(HttpServletResponse response) {
        super(response);
    }

    @Override
    public void setContentType(String contentType) {
        if (contentType != null && Arrays.binarySearch(CACHEABLE_CONTENT_TYPES, contentType) > -1) {
            Calendar inTwoMonths = GeneralUtils.createCalendar();
            inTwoMonths.add(Calendar.MONTH, 2);

            super.setDateHeader("Expires", inTwoMonths.getTimeInMillis());
        } else {
            super.setHeader("Expires", "-1");
            super.setHeader("Cache-Control", "no-store, no-cache, must-revalidate");
        }
        super.setContentType(contentType);
    }
}

简而言之,这将创建一个响应包装器,该包装器在设置内容类型时添加 expires 标头。(如果需要,也可以添加所需的任何其他标头)。我一直在使用这个过滤器+包装器,它的工作原理。

请参阅此问题,了解该问题所解决的一个特定问题,以及BalusC的原始解决方案。


答案 2

这是此 https://github.com/samaxes/javaee-cache-filter 现成的解决方案