Java解析复杂嵌套JSON数据格式代码,提取出来所有的key和value。亲测代码可用

来源:互联网 发布:c语言取反加一 编辑:程序博客网 时间:2024/06/05 05:54

1、验证JSON数据是否为规范标准的格式

package com.ccloudb.report.utils;


import java.text.CharacterIterator;
import java.text.StringCharacterIterator;


/**
 * 验证JSON数据是否合法工具类
 * @author jzhu
 *
 */
public class JsonValidator {
 
    private CharacterIterator it;
    private char              c;
    private int               col;
 
    public static void main(String[] args){
    String jsonStr = "{\"transactionInfo\":{\"transactionId\":\"\",\"transactionType\":\"\",\"transactionExeDate\":\"\",\"transactionExeTime\":\"\"},\"channelInfo\":{\"sellingChannelCode\":\"\",\"clientSystemId\":\"\",\"agency\":\"\",\"agent\":\"\",\"customerManager\":\"\"},\"response\":{\"status\":{\"statusCode\":\"400\",\"statusMessage\":[]},\"quote\":{\"amnt\":\"\",\"prem\":\"\",\"effectiveDate\":\"2015-01-01\",\"expirationDate\":\"2016-01-01\",\"components\":[{\"riskCode\":\"RA001\",\"amnt\":\"100000\",\"prem\":\"10\"},{\"riskCode\":\"RA002\",\"amnt\":\"200000\",\"prem\":\"20\"}]}}}";
        System.out.println("["+new JsonValidator().validate(jsonStr)+"]"+jsonStr);
    }
 
    /**
     * 验证一个字符串是否是合法的JSON串
     * @param input 要验证的字符串
     * @return true-合法 ,false-非法
     */
    public boolean validate(String input) {
        input = input.trim();
        boolean ret = valid(input);
        return ret;
    }
    private boolean valid(String input) {
        if ("".equals(input)) return true;
 
        boolean ret = true;
        it = new StringCharacterIterator(input);
        c = it.first();
        col = 1;
        if (!value()){
            ret = error("value", 1);
        }else{
            skipWhiteSpace();
            if(c != CharacterIterator.DONE){
                ret = error("end", col);
            }
        }
 
        return ret;
    }
 
    private boolean value() {
        return literal("true") || literal("false") || literal("null") || string() || number() || object() || array();
    }
    private boolean literal(String text) {
        CharacterIterator ci = new StringCharacterIterator(text);
        char t = ci.first();
        if (c != t) return false;
 
        int start = col;
        boolean ret = true;
        for (t = ci.next(); t != CharacterIterator.DONE; t = ci.next()) {
            if (t != nextCharacter()) {
                ret = false;
                break;
            }
        }
        nextCharacter();
        if (!ret) error("literal " + text, start);
        return ret;
    }
 
    private boolean array() {
        return aggregate('[', ']', false);
    }
    private boolean object() {
        return aggregate('{', '}', true);
    }
 
    private boolean aggregate(char entryCharacter, char exitCharacter, boolean prefix) {
        if (c != entryCharacter) return false;
        nextCharacter();
        skipWhiteSpace();
        if (c == exitCharacter) {
            nextCharacter();
            return true;
        }
 
        for (;;) {
            if (prefix) {
                int start = col;
                if (!string()) return error("string", start);
                skipWhiteSpace();
                if (c != ':') return error("colon", col);
                nextCharacter();
                skipWhiteSpace();
            }
            if (value()) {
                skipWhiteSpace();
                if (c == ',') {
                    nextCharacter();
                } else if (c == exitCharacter) {
                    break;
                } else {
                    return error("comma or " + exitCharacter, col);
                }
            } else {
                return error("value", col);
            }
            skipWhiteSpace();
        }
 
        nextCharacter();
        return true;
    }
 
    private boolean number() {
        if (!Character.isDigit(c) && c != '-') return false;
        int start = col;
        if (c == '-') nextCharacter();
        if (c == '0') {
            nextCharacter();
        } else if (Character.isDigit(c)) {
            while (Character.isDigit(c))
                nextCharacter();
        } else {
            return error("number", start);
        }
        if (c == '.') {
            nextCharacter();
            if (Character.isDigit(c)) {
                while (Character.isDigit(c))
                    nextCharacter();
            } else {
                return error("number", start);
            }
        }
        if (c == 'e' || c == 'E') {
            nextCharacter();
            if (c == '+' || c == '-') {
                nextCharacter();
            }
            if (Character.isDigit(c)) {
                while (Character.isDigit(c))
                    nextCharacter();
            } else {
                return error("number", start);
            }
        }
        return true;
    }
 
    private boolean string() {
        if (c != '"') return false;
 
        int start = col;
        boolean escaped = false;
        for (nextCharacter(); c != CharacterIterator.DONE; nextCharacter()) {
            if (!escaped && c == '\\') {
                escaped = true;
            } else if (escaped) {
                if (!escape()) {
                    return false;
                }
                escaped = false;
            } else if (c == '"') {
                nextCharacter();
                return true;
            }
        }
        return error("quoted string", start);
    }
 
    private boolean escape() {
        int start = col - 1;
        if (" \\\"/bfnrtu".indexOf(c) < 0) {
            return error("escape sequence  \\\",\\\\,\\/,\\b,\\f,\\n,\\r,\\t  or  \\uxxxx ", start);
        }
        if (c == 'u') {
            if (!ishex(nextCharacter()) || !ishex(nextCharacter()) || !ishex(nextCharacter())
                || !ishex(nextCharacter())) {
                return error("unicode escape sequence  \\uxxxx ", start);
            }
        }
        return true;
    }
 
    private boolean ishex(char d) {
        return "0123456789abcdefABCDEF".indexOf(c) >= 0;
    }
    private char nextCharacter() {
        c = it.next();
        ++col;
        return c;
    }
 
    private void skipWhiteSpace() {
        while (Character.isWhitespace(c)) {
            nextCharacter();
        }
    }
    private boolean error(String type, int col) {
        //System.out.printf("type: %s, col: %s%s", type, col, System.getProperty("line.separator"));
        return false;
    }
}

2、提取复杂嵌套JSON数据中的key和value

package com.ccloudb.report.utils;


import java.util.ArrayList;
import java.util.HashMap;
import java.util.Iterator;
import java.util.LinkedHashMap;
import java.util.List;
import java.util.Map;


import javax.naming.spi.DirStateFactory.Result;


import org.codehaus.jackson.map.ObjectMapper;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;


/**
 * 复杂JSON解析工具类
 * @author jzhu
 *
 */
public class JsonTools {
//@JsonSerialize(include=JsonSerialize.Inclusion.NON_NULL) 类头部注解,空不生成json节点
private static String jsonStr = "{\"api\":\"2.1\",\"message\":[\"产品\",\"tokken\"],\"request\":{\"ptype\":\"JK\",\"tokken\":\"A#daDSFkiwi239sdls#dsd\"},\"response\":{\"status\":{\"statusCode\":\"500\",\"statusMessage\":[\"产品类型错误\",\"tokken失效\"]},\"page\":{\"pageSize\":\"100\",\"pageIndex\":\"1\"},\"data\":{\"ptitle\":\"all product lists\",\"sDate\":\"2014-12-01\",\"eDate\":\"2016-12-01\",\"productList\":[{\"pid\":\"RA001\",\"pname\":\"产品1\"},{\"pid\":\"RA002\",\"pname\":\"产品2\"}]}},\"args\":[{\"tit\":\"RA001\",\"val\":\"产品1\"},{\"tit\":\"RA002\",\"val\":\"产品2\"}]}";
private static ObjectMapper mapper = new ObjectMapper();
private static final Logger logger = LoggerFactory.getLogger(JsonTools.class);

//private static Map<Object,Object> result = new HashMap<Object,Object>();

public static void main(String[] args) throws Exception {
//System.out.println(json);
JsonValidator jv = new JsonValidator();
if(jv.validate(jsonStr)){

//测试通过json获取Object对象
//Object obj = getObjectByJson(jsonStr,"response.data.ptitle",TypeEnum.string); //层级递归String
//System.out.println("API:"+obj.toString());

//Object obj = getObjectByJson(jsonStr,"response.page",TypeEnum.map);  //层级递归Map
//System.out.println("API:"+obj.toString()+((Map)obj).get("pageSize"));

//Object obj = getObjectByJson(jsonStr,"response.status.statusMessage",TypeEnum.arrayList); //层级递归ArrayList
//System.out.println("API:"+obj.toString()+((List)obj).get(0));

//Object obj = getObjectByJson(jsonStr,"response.data.productList",TypeEnum.arrayMap);   //层级递归ArrayMap 
//System.out.println("API:"+obj.toString()+((List<Map>)obj).get(1).get("pid"));


//测试Objectz转json
/*
Map mapPars = new HashMap();
mapPars.put("agentCode", "SH0001");
mapPars.put("date", "2014-01-10");
mapPars.put("url", "http://www.map.com/maps.jsp?tag=2");

Map mapArgs = new HashMap();
mapArgs.put("query", mapPars);


Map maps = new HashMap();
maps.put("request", mapArgs);
maps.put("date", "2014-10-10");

System.out.println(getObjectByJson(maps));
*/

//测试json层级递归显示效果
//Map maps = mapper.readValue(jsonStr, Map.class);
//viewJsonTree(maps);
}else{
System.out.println("JSON数据格式错误,请核查。");
}
}


/** 复杂嵌套Map转Json  */
public static String getObjectByJson(Object obj){
String str = "";
try {
str = mapper.writeValueAsString(obj);
} catch (Exception e) {
logger.error(e.getMessage());
}
return str;
}

/** 复杂嵌套Json层级展示  */
public static Map<Object,Object> viewJsonTree(Object m,Map<Object,Object> result){
if(null != m){
try {
Map mp = null;
List ls = null;
if(m instanceof Map || m instanceof LinkedHashMap){
mp = (LinkedHashMap)m;
for(Iterator ite = mp.entrySet().iterator(); ite.hasNext();){  
Map.Entry e = (Map.Entry) ite.next();  


if(e.getValue() instanceof String){
result.put(e.getKey(), e.getValue());
System.out.println("[String]"+e.getKey()+" | " + e.getValue());
}else if(e.getValue() instanceof LinkedHashMap){
System.out.println("{Map}"+ e.getKey()+" | "+e.getValue());
viewJsonTree((LinkedHashMap)e.getValue(),result);
}else if(e.getValue() instanceof ArrayList){
System.out.println("[Array]"+ e.getKey()+" | "+e.getValue());
viewJsonTree((ArrayList)e.getValue(),result);
}
}  
}
if(m instanceof List || m instanceof ArrayList){
ls = (ArrayList)m;
for(int i=0;i<ls.size();i++){
if(ls.get(i) instanceof LinkedHashMap){
viewJsonTree((LinkedHashMap)ls.get(i),result);
}else if(ls.get(i) instanceof ArrayList){
viewJsonTree((ArrayList)ls.get(i),result);
}
}
}
System.out.println();
} catch (Exception e) {
logger.error(e.getMessage());
}
}
return result;
}


private int i = 0;
/** 复杂嵌套Json获取Object数据  */
public Object getObjectByJson(String jsonStr,String argsPath,TypeEnum argsType){
if(argsPath == null || argsPath.equals("") || argsType == null){ 
System.out.println("over...");
return null;
}

Object obj = null;
try {
Map maps = mapper.readValue(jsonStr, Map.class);
//多层获取
if(argsPath.indexOf(".") >= 0){
//类型自适应
obj = getObject(maps,argsPath,argsType);
}else{ //第一层获取
if(argsType == TypeEnum.string){
obj = maps.get(argsPath).toString();
}else if(argsType == TypeEnum.map){
obj = (Map)maps.get(argsPath);
}else if(argsType == TypeEnum.arrayList){
obj = (List)maps.get(argsPath);
}else if(argsType == TypeEnum.arrayMap){
obj = (List<Map>)maps.get(argsPath);
}
}
} catch (Exception e) {
logger.error(e.getMessage());
}
return obj;
}
//递归获取object
private Object getObject(Object m,String key,TypeEnum type){
if(m == null){ 
System.out.println("over...");
return null;
}
Object o = null; //用于返回的对象

Map mp = null;
List ls = null;
try {
//{}对象层级递归遍历解析
if(m instanceof Map || m instanceof LinkedHashMap){
mp = (LinkedHashMap)m;
for(Iterator ite = mp.entrySet().iterator(); ite.hasNext();){  
Map.Entry e = (Map.Entry) ite.next();  

if(i<key.split("\\.").length && e.getKey().equals(key.split("\\.")[i])){
System.out.println("["+key.split("\\.").length+"]["+key+"]["+(i+1)+"][OK]["+key.split("\\.")[i]+"]"); //Val [" + e.toString()+"]
i++;
if(e.getValue() instanceof String){
//递归最后一次
if(i== key.split("\\.").length){
o = e.getValue();
return o;
}
}else if(e.getValue() instanceof LinkedHashMap){
//递归最后一次
if(i== key.split("\\.").length){
if(type == TypeEnum.map){
o = (LinkedHashMap)e.getValue();
return o;
}
}else{
o = getObject((LinkedHashMap)e.getValue(),key,type);
}
return o;
}else if(e.getValue() instanceof ArrayList){
//递归最后一次
if(i== key.split("\\.").length){
if(type == TypeEnum.arrayList){
o = (ArrayList)e.getValue();
return o;
}
if(type == TypeEnum.arrayMap){
o = (ArrayList<Map>)e.getValue();
return o;
}
}else{
o = getObject((ArrayList)e.getValue(),key,type);
}
return o;
}
}else{
System.out.println("["+key.split("\\.").length+"]["+key+"]["+(i+1)+"][NO]["+e.getKey()+"]");
}
}  
}
//[]数组层级递归遍历解析
if(m instanceof List || m instanceof ArrayList){
ls = (ArrayList)m;
for(int i=0;i<ls.size();i++){
if(ls.get(i) instanceof LinkedHashMap){
//递归最后一次
if(i== key.split("\\.").length){
if(type == TypeEnum.map){
o = (LinkedHashMap)ls.get(i);
return o;
}
}else{
o = getObject((LinkedHashMap)ls.get(i),key,type);
}
return o;
}else if(ls.get(i) instanceof ArrayList){
//递归最后一次
if(i== key.split("\\.").length){
if(type == TypeEnum.arrayList){
o = (ArrayList)ls.get(i);
return o;
}
if(type == TypeEnum.arrayMap){
o = (ArrayList<Map>)ls.get(i);
return o;
}
}else{
o = getObject((ArrayList)ls.get(i),key,type);
}
return o;
}
}
}
System.out.println();
} catch (Exception e) {
logger.error(e.getMessage());
}
return o;
}

/*
* Json数据解析返回数据类型枚举
*/
public enum TypeEnum{
/** 单纯的键值对,通过key获取valus */
        string,
        /** 通过key获取到Map对象 */
        map,
        /** 通过key获取到ArrayList数组 */
        arrayList,
        /** 通过key获取到ArrayMap数组对象 */
        arrayMap;
    }
}




1 0
原创粉丝点击