编写@JsonParam注释以将请求体中的Json字段映射到方法args

时间:2014-05-27 08:59:14

标签: java json rest annotations jersey

我正在使用Jersy Rest,其中一个要求是从客户端到REST端点的可变输入数量,以及具有N个字段的JSON文档。我被要求编写@JsonParam注释并将输入json映射到Rest Endpoint方法参数。 像

这样的东西
public ResultWrapper addToCart(@JsonParam(key="cartId") String cartId)
{
....
}

输入JSON可能是

{
 cartId:1233,
 custId:123213,
 itemId:3344
}

我在类路径中有jackson并给出了一个解决方案,其中整个输入JSON映射到 java.util.Map 并使用map.get(key)获取值。但他们坚持使用@JsonParam,因为在map中没有类型安全,我必须将每个输入解析为相应的类型。

我需要一些关于如何为 @JsonParam 编写注释处理器的指针,它将与jersy一起使用。

1 个答案:

答案 0 :(得分:2)

在下面找到一个基于Jersey的1.x InjectableProvder的示例代码,该代码从发布到资源方法的JSON字符串中为参数注入一个值。

注释类:

@Retention(RetentionPolicy.RUNTIME)
public @interface JsonParam {
    String key();
}

提供者类:

@Provider
public class JsonParamProvider implements InjectableProvider<JsonParam, Parameter> {

    @Override
    public ComponentScope getScope() {
        return ComponentScope.PerRequest;
    }

    @Override
    public Injectable<Object> getInjectable(ComponentContext ic, final JsonParam jsonParam, Parameter parameter) {
        return new AbstractHttpContextInjectable<Object>() {

            @Override
            public Object getValue(HttpContext c) {
                // extract the entity one per request                   
                Map<?, ?> entity = c.getRequest().getEntity(Map.class);
                if (entity != null) {
                    // then store it a request property
                    c.getProperties().put("requestEntity", entity);
                } else {
                    entity = (Map<?, ?>) c.getProperties().get("requestEntity");
                }
                if (entity == null) {
                    return null;
                }
                return entity.get(jsonParam.key());
            }

        };
    }

}

资源方法声明:

@POST
@Produces(MediaType.APPLICATION_JSON)
@Consumes(MediaType.APPLICATION_JSON)
public String foo(@JsonParam(key = "a") String param1, @JsonParam(key = "b") Integer param2) {
    return "Params: " + param1 + " " + param2;
}