我在连接Jackson的Afterburner模块时遇到了一些问题。最好通过下面的测试案例来概括该问题。冗长的示例表示歉意;在本练习中,我尝试将其尽量缩短。当您注释掉注册模块的行时,该测试有效,而将其保留在该行中则失败。

我正在使用Jackson 2.1.1进行批注,核心和加力燃烧。

如果您有任何想法,我将不胜感激。

谢谢!

瓶盖

import com.fasterxml.jackson.annotation.JsonIgnoreProperties;
import com.fasterxml.jackson.databind.JsonNode;
import com.fasterxml.jackson.databind.ObjectMapper;
import com.fasterxml.jackson.module.afterburner.AfterburnerModule;
import org.junit.Test;

import java.io.IOException;

import static org.junit.Assert.assertNotNull;
import static org.junit.Assert.assertNull;

public class AfterburnerTest {

    @Test
    public void mapOccupancyNoMaxAdults() throws IOException {

        ObjectMapper objectMapper = new ObjectMapper();
        objectMapper.registerModule(new AfterburnerModule());

        final JsonNode node = objectMapper.readTree(
                "{" +
                    "\"max\":3," +
                    "\"adults\": {" +
                        "\"min\":1" +
                    "}," +
                    "\"children\":{" +
                        "\"min\":1," +
                        "\"max\":2" +
                    "}" +
                "}");

        final Occupancy occupancy = objectMapper.reader(Occupancy.class).readValue(node);

        assertNull(occupancy.getAdults().getMax());
        assertNotNull(occupancy.getChildren().getMax());


    }

    @JsonIgnoreProperties(ignoreUnknown = true)
    public static class Occupancy {

        private Integer max;
        private Guests adults;
        private Guests children;

        public Occupancy() {
        }

        public Occupancy(Integer max, Guests adults, Guests children) {
            this.max = max;
            this.adults = adults;
            this.children = children;
        }

        public Integer getMax() {
            return max;
        }

        public Guests getAdults() {
            return adults;
        }

        public Guests getChildren() {
            return children;
        }

    }

    @JsonIgnoreProperties(ignoreUnknown = true)
    public static class Guests {

        private Integer min;
        private Integer max;

        public Guests() {
        }

        public Guests(Integer min, Integer max) {
            this.min = min;
            this.max = max;
        }

        public Integer getMin() {
            return min;
        }

        public Integer getMax() {
            return max;
        }

    }

}

最佳答案

我可以尝试看看您遇到了什么错误,但是值得注意的是,Afterburner通常不会过多地提高基于树模型的访问速度。为什么?由于这些程序不使用基于反射的getter / setter访问,因此没有太多可优化的地方。

在您的示例代码中,第二部分应该有所提高(从Tree Model转换为POJO),因为这确实需要定期访问。只是不是第一部分。

08-17 17:45