7

我遇到了这个问题,我不想解决这个问题,但想办法对 GSON 说“跳过错误并继续”解析:

Can't parses json : java.lang.IllegalStateException: 
    Expected a string but was BEGIN_OBJECT at line 1 column 16412

使用的代码:

JsonReader reader = new JsonReader(new StringReader(data));
reader.setLenient(true);
Articles articles = gson.create().fromJson(reader, Articles.class);

数据是(为了简化):Articles->Pages->medias.fields。当前错误中的一个字段被定义为字符串,但我正在接收一个对象(但同样只出现一次)。我无法在任何地方添加保护,所以我的问题是:“GSON 中是否有跳过并继续?

当节点上出现问题时,我想避免使用 GSON 出现 JsonSysntaxException,并且我希望至少能够检索解析的部分数据。在我的情况下,我将拥有 99.999% 的数据,并且只有我的错误字段为空……我知道它看起来不干净,但我会启用“严格模式”进行单元测试或持续集成以检测问题,并且在生产中我会启用“软模式”,以便我的应用程序可以启动(即使服务器端出错)。我不能对我的习惯说,你的应用程序无法启动,因为一篇文章的数据无效。

GSON 是否有“跳过并继续出错”?

4

2 回答 2

5

这是解决方案:您必须创建 TypeAdapterFactory,它允许您拦截默认的 TypeAdapter,但仍然让您作为委托访问默认的 TypeAdapter。然后,您可以尝试使用默认 TypeAdapter 中的委托读取值并根据需要处理意外数据。

      public Gson getGson() {

                return new GsonBuilder()
                            .registerTypeAdapterFactory(new LenientTypeAdapterFactory())
                .create();
            }


        class LenientTypeAdapterFactory implements TypeAdapterFactory {

                public <T> TypeAdapter<T> create(Gson gson, TypeToken<T> type) {

                    final TypeAdapter<T> delegate = gson.getDelegateAdapter(this, type);

                    return new TypeAdapter<T>() {

                        public void write(JsonWriter out, T value) throws IOException {
                            delegate.write(out, value);
                        }

                        public T read(JsonReader in) throws IOException {
                            try { //Here is the magic
//Try to read value using default TypeAdapter
                                return delegate.read(in); 
                            } catch (JsonSyntaxException e) {
//If we can't in case when we expecting to have an object but array is received (or some other unexpected stuff), we just skip this value in reader and return null
                                in.skipValue(); 
                                return null;
                            }
                        }
                    };
                }
    }
于 2016-08-30T22:59:59.930 回答
2

我认为答案很简单:不,通常不能。

由于库的递归解析性质,如果出现问题,它会抛出某种异常。如果您可以发布问题的 SSCCE 来试验是否可以创建一个自定义类型适配器来处理更好的异常,那将会很有趣。

于 2013-09-06T20:21:18.153 回答