2

我正在使用 Jersey 创建一个宁静的 Web 服务编组 XML。

我将如何设置 xsi:schemaLocation?

这个答案显示了如何直接在 Marshaller 上设置 Marshaller.JAXB_SCHEMA_LOCATION。

我遇到的麻烦是 Jersey 正在将 Java 对象编组为 XML。我如何告诉 Jersey 架构位置是什么?

4

1 回答 1

3

MessageBodyWriter您可以为此用例创建一个。通过该ContextResolver机制,您可以获得JAXBContext与您的域模型相关联的信息。然后你可以Marshaller从那里得到一个JAXBContext并设置JAXB_SCHEMA_LOCATION它并做元帅。

package org.example;

import java.io.*;
import java.lang.annotation.Annotation;
import java.lang.reflect.*;

import javax.ws.rs.*;
import javax.ws.rs.core.*;
import javax.ws.rs.ext.*;
import javax.xml.bind.*;

@Provider
@Produces(MediaType.APPLICATION_XML)
public class FormattingWriter implements MessageBodyWriter<Object>{

    @Context
    protected Providers providers;

    public boolean isWriteable(Class<?> type, Type genericType,
        Annotation[] annotations, MediaType mediaType) {
        return true;
    }

    public void writeTo(Object object, Class<?> type, Type genericType,
        Annotation[] annotations, MediaType mediaType,
        MultivaluedMap<String, Object> httpHeaders,
        OutputStream entityStream) throws IOException,
        WebApplicationException {
        try {
            ContextResolver<JAXBContext> resolver 
                = providers.getContextResolver(JAXBContext.class, mediaType);
            JAXBContext jaxbContext;
            if(null == resolver || null == (jaxbContext = resolver.getContext(type))) {
                jaxbContext = JAXBContext.newInstance(type);
            }
            Marshaller m = jaxbContext.createMarshaller();
            m.setProperty(Marshaller.JAXB_SCHEMA_LOCATION, "foo bar");
            m.marshal(object, entityStream);
        } catch(JAXBException jaxbException) {
            throw new WebApplicationException(jaxbException);
        }
    }

    public long getSize(Object t, Class<?> type, Type genericType,
        Annotation[] annotations, MediaType mediaType) {
        return -1;
    }

}

更新

另一个问题。我的休息资源和提供者之间有什么联系?

您仍然以相同的方式实现您的资源。该MessageBodyWriter机制只是一种覆盖如何写入 XML 的方法。@Provider注释是 JAX-RS 应用程序自动注册此类的信号。

我的资源类将返回一个Foo对象。我认为我应该实施一个 MessageBodyWriter<Foo>

您可以像MessageBodyWriter<Foo>只希望将其应用于Foo类一样实现它。如果您希望它不仅仅适用于Foo您可以实现该isWriteable方法以为适当的类返回 true。

于 2013-05-15T18:37:35.943 回答