RESTful生成二进制文件

时间:2011-10-04 00:52:48

标签: java rest cxf binaryfiles

我是使用CXF和Spring创建RESTful Web服务的新手。

这是我的问题:我想创建一个服务,生成“任何”类型的文件(可以是image,document,txt甚至pdf),也是一个XML。到目前为止,我得到了这段代码:

@Path("/download/")
@GET
@Produces({"application/*"})
public CustomXML getFile() throws Exception; 

我不确切知道从哪里开始所以请耐心等待。

编辑:

Bryant Luk的完整代码(谢谢!)

@Path("/download/")
@GET
public javax.ws.rs.core.Response getFile() throws Exception {
    if (/* want the pdf file */) {
        File file = new File("...");
        return Response.ok(file, MediaType.APPLICATION_OCTET_STREAM)
            .header("content-disposition", "attachment; filename =" + file.getName())
            .build(); 
    }

    /* default to xml file */
    return Response.ok(new FileInputStream("custom.xml")).type("application/xml").build();
}

2 个答案:

答案 0 :(得分:15)

如果它将返回任何文件,您可能希望使您的方法更“通用”并返回一个javax.ws.rs.core.Response,您可以通过编程方式设置Content-Type标头:

@Path("/download/")
@GET
public javax.ws.rs.core.Response getFile() throws Exception {
    if (/* want the pdf file */) {
        return Response.ok(new File(/*...*/)).type("application/pdf").build(); 
    }

    /* default to xml file */
    return Response.ok(new FileInputStream("custom.xml")).type("application/xml").build();
}

答案 1 :(得分:0)

我们也使用CXF和Spring,这是我更喜欢的API。

import javax.ws.rs.core.Context;

@Path("/")
public interface ContentService
{
    @GET
    @Path("/download/")
    @Produces(MediaType.WILDCARD)
    InputStream getFile() throws Exception;
}

@Component
public class ContentServiceImpl implements ContentService
{
    @Context
    private MessageContext context;

    @Override
    public InputStream getFile() throws Exception
    {
        File f;
        String contentType;
        if (/* want the pdf file */) {
            f = new File("...pdf");
            contentType = MediaType.APPLICATION_PDF_VALUE;
        } else { /* default to xml file */
            f = new File("custom.xml");
            contentType = MediaType.APPLICATION_XML_VALUE;
        }
        context.getHttpServletResponse().setContentType(contentType);
        context.getHttpServletResponse().setHeader("Content-Disposition", "attachment; filename=" + f.getName());
        return new FileInputStream(f);
    }
}