JsonPath对于解析Json格式的数据来说非常简单,比如有下面这样的Json数据:
{"lotto":{
"lottoId":5,
"winning-numbers":[2,45,34,23,7,5,3],
"winners":[{
"winnerId":23,
"numbers":[2,45,34,23,3,5]
},{
"winnerId":54,
"numbers":[52,3,12,11,18,22]
}]
}
}
下面是一些简单的使用实例:
//这里的lottoJson代表了上面所说的json数据
JsonPath jsonPath = new JsonPath(lottoJson); // 获取lottoId
int lottoId = jsonPath.getInt("lotto.lottoId"); // 获取winning-numbers列表
List<string> winningNumbers = jsonPath.get("lotto.winning-numbers"); // 下面的语句会返回一个list,list中包含23,54
List<integer> winningNumbers = jsonPath.get("lotto.winners.winnerId");
从上面的例子中可以看到所有的获取路径中我们都重复使用了lotto,为了避免这个问题,我们可以设置一个根路径(root path):
//这里lottoJson代表上面的json数据
JsonPath jsonPath = new JsonPath(lottoJson);
//设置根路径
jsonPath.setRoot("lotto"); // 获取lottoId
int lottoId = jsonPath.getInt("lottoId"); //获取winning-numbers列表
List<string> winningNumbers = jsonPath.get("winning-numbers"); // 下面的语句将返回一个list,list中包含23,54
List<integer> winningNumbers = jsonPath.get("lotto.winners.winnerId");
如果你只是对提取一个单一的值感兴趣,你还可以这样做:
// "from"是从JsonPath中静态导入的
int lottoId = from(lottoJson).getInt("lotto.lottoId");
你也可以做一些复杂的操作,比如求winners.numbers的和:
int sumOfWinningNumbers = from(lottoJson).
getInt("lotto.winning-numbers.sum()");
或者是找出所有大于10并且winnerId=23的number:
// 返回结果是包含45,34 and 23的list
List<integer> numbers = from(lottoJson).getList(
"lotto.winners.find {it.winnerId == 23}.numbers.findAll {it > 10}",
Integer.class);