1

我正在寻找一种通过 Grails JSON 转换进行字符串格式化的方法,类似于我在这篇文章中找到的自定义格式化日期。

像这样的东西:

import grails.converters.JSON;

class BootStrap {

     def init = { servletContext ->
         JSON.registerObjectMarshaller(String) {
            return it?.trim()             }
     }
     def destroy = {
     }
}

我知道自定义格式可以在每个域类的基础上完成,但我正在寻找一个更全球化的解决方案。

4

1 回答 1

6

尝试创建对属性名称或类使用特定格式的自定义编组器。只需查看下面的 marshaller 并对其进行修改:

class CustomDtoObjectMarshaller implements ObjectMarshaller<JSON>{

String[] excludedProperties=['metaClass']

public boolean supports(Object object) {
    return object instanceof GroovyObject;
}

public void marshalObject(Object o, JSON json) throws ConverterException {
    JSONWriter writer = json.getWriter();
    try {
        writer.object();
        for (PropertyDescriptor property : BeanUtils.getPropertyDescriptors(o.getClass())) {
            String name = property.getName();
            Method readMethod = property.getReadMethod();
            if (readMethod != null && !(name in excludedProperties)) {
                Object value = readMethod.invoke(o, (Object[]) null);
                if (value!=null) {
                    writer.key(name);
                    json.convertAnother(value);
                }
            }
        }
        for (Field field : o.getClass().getDeclaredFields()) {
            int modifiers = field.getModifiers();
            if (Modifier.isPublic(modifiers) && !(Modifier.isStatic(modifiers) || Modifier.isTransient(modifiers))) {
                writer.key(field.getName());
                json.convertAnother(field.get(o));
            }
        }
        writer.endObject();
    }
    catch (ConverterException ce) {
        throw ce;
    }
    catch (Exception e) {
        throw new ConverterException("Error converting Bean with class " + o.getClass().getName(), e);
    }
}

}

引导程序中的寄存器:

CustomDtoObjectMarshaller customDtoObjectMarshaller=new CustomDtoObjectMarshaller()
    customDtoObjectMarshaller.excludedProperties=['metaClass','class']
    JSON.registerObjectMarshaller(customDtoObjectMarshaller)

在我的示例中,我只是 scip 'metaClass' 和 'class' 字段。我认为最常见的方式

于 2011-11-18T17:48:42.740 回答