当前位置: 代码迷 >> 综合 >> JSON处理Hibernate实体类net.sf.json.JSONException: There is a cycle in the hierarchy异常
  详细解决方案

JSON处理Hibernate实体类net.sf.json.JSONException: There is a cycle in the hierarchy异常

热度:76   发布时间:2023-09-28 01:59:51.0

JSON处理Hibernate实体类net.sf.json.JSONException: There is a cycle in the hierarchy异常

  • 博客分类: 
  • 日常报错解决方案
json.netHibernateDAO 

由于Hibernate中好多实体类都级联关系,也就是某个类,出现了别的类的引用对象充当属性。那么这样的话用JSON来进行处理会出现嵌套的异常:net.sf.json.JSONException: There is a cycle in the hierarchy异常。

在处理这个错误之前先看看普通的JSON处理数据示例

Java代码  
  1. <span style="font-size: medium;">TProcessInfoDAO dao = new TProcessInfoDAO();  
  2.    List<TProcessInfo> orgData = dao.findAll();  
  3.    JSONArray array=JSONArray.fromObject(orgData);  
  4.    String json=array.toString();  
  5.    System.out.println(json);  
  6. </span>  

 

   这样的处理方式中要求TProcessInfoDAO类所有属性必须是普通属性,不包含引用按对象

如果包含引用对象一般需要做一下配置过滤引用属性,这样JSON处理就能通过:这种是不会输出引用对象的

Java代码  
  1. <span style="font-size: medium;">TProcessInfoDAO dao = new TProcessInfoDAO();  
  2.    List<TProcessInfo> orgData = dao.findAll();  
  3.    JsonConfig config = new JsonConfig();  
  4.    config.setJsonPropertyFilter(new PropertyFilter() {  
  5.    public boolean apply(Object source, String name, Object value) {  
  6.    //配置你可能出现递归的属性  
  7.    if (name.equals("TProcessInfos") || name.equals("TProcessInfo")) {  
  8.    return true;  
  9.    } else {  
  10.    return false;  
  11.    }  
  12.    }  
  13.    });  
  14.     
  15.    //调用ExtHelper将你的JSONConfig传递过去  
  16.    JSONArray JsonArr=JSONArray.fromObject(orgData, config);  
  17.    String jsonstr=JsonArr.toString();  
  18. </span>  

 还有一种处理方式,这种会输出引用对象

设置JSON-LIB的setCycleDetectionStrategy属性让其自己处理循环,省事但是数据过于复杂的话会引起数据溢出或者效率低下。

 

Java代码  
  1. <span style="font-size: medium;">TProcessInfoDAO dao = new TProcessInfoDAO();  
  2.          List<TProcessInfo> orgData = dao.findAll();  
  3.         JsonConfig config = new JsonConfig();      
  4.          config.setIgnoreDefaultExcludes(false);         
  5.          config.setCycleDetectionStrategy(CycleDetectionStrategy.LENIENT);  
  6.          //调用ExtHelper将你的JSONConfig传递过去  
  7.          JSONArray JsonArr=JSONArray.fromObject(orgData, config);  
  8.          String jsonstr=JsonArr.toString();  
  9.          System.out.println(jsonstr);</span>  
  相关解决方案