4

我正在尝试使用 Gson 库解析字符串但没有成功。这是我的字符串:

[["-1.816513","52.5487566"],["-1.8164913","52.548824"]]

此示例中的问题是没有键值对。我查看了其他示例,但它们都有键值对,看起来不像我的问题。

4

2 回答 2

3

我解析字符串列表的解决方案。

package stackoverflow.answers;

import java.lang.reflect.Type;
import java.util.List;

import com.google.gson.Gson;
import com.google.gson.reflect.TypeToken;

public class GsonTest {

  public static void main(String[] arg) {

    Gson gson = new Gson();
    String jsonOutput = "[[\"-1.816513\",\"52.5487566\"],[\"-1.8164913\",\"52.548824\"]]";
    Type listType = new TypeToken<List<List<String>>>() {}.getType();
    List<List<String>> strings = (List<List<String>>) gson.fromJson(jsonOutput, listType);
    for(List<String> inner: strings){
      for(String s: inner){
        System.out.println(s);
      }
    }

  }
}

但是由于值也可以被“认为”为双精度值,因此您可以将它们直接解析为将类型更改为解决方案:

package stackoverflow.answers;

import java.lang.reflect.Type;
import java.util.List;

import com.google.gson.Gson;
import com.google.gson.reflect.TypeToken;

public class GsonTest {

  public static void main(String[] arg) {

    Gson gson = new Gson();
    String jsonOutput = "[[\"-1.816513\",\"52.5487566\"],[\"-1.8164913\",\"52.548824\"]]";
    Type listType = new TypeToken<List<List<Double>>>() {}.getType();
    List<List<Double>> numbers = (List<List<Double>>) gson.fromJson(jsonOutput, listType);
    for(List<Double> inner: numbers){
      for(Double d: inner){
        System.out.println(d);
      }
    }

  }
}

在上下文中并不重要,但供将来参考:Java 7、Gson 2.2.4

于 2013-08-30T05:49:06.800 回答
1

一种解决方案,具有原始类型:

package com.stackoverflow.so18525283;

import com.google.gson.Gson;
import com.google.gson.GsonBuilder;

import java.util.List;

public class App {

    private static final String INPUT = "[[\"-1.816513\",\"52.5487566\"],[\"-1.8164913\",\"52.548824\"]]";

    public static void main(final String[] args) {
        final Gson gson = new GsonBuilder().create();
        final List<?> fromJson = gson.fromJson(INPUT, List.class);
        if (fromJson != null && fromJson.size() > 0 && fromJson.get(0) instanceof List) {
            System.out.println(((List<?>) fromJson.get(0)).get(0)); // this is a String
        }
    }
}

另一种解决方案是重新创建一个有效的 JSON 对象,App如下所示,但具有:

public static void main(String[] args) {
    final Gson gson = new GsonBuilder().create();
    final Foo fromJson = gson.fromJson("{ data: " + INPUT + "}", Foo.class);
    // TODO: check for null
    System.out.println(fromJson.data.get(0).get(0)); // this is a Double
}

private static class Foo {
    List<List<Double>> data;
}
于 2013-08-30T05:51:13.360 回答