1

我的 xml 包含我想将其视为字符串的属性值“0123”,在按照以下代码从 xml 转换为 json 后,前导零被从属性值中丢弃。

使用的类

import org.jdom.Attribute;
import org.jdom.Document;
import org.jdom.output.Format;
import org.jdom.output.XMLOutputter;
import org.json.JSONObject;
import org.json.XML;

//将xml转换为json

    org.jdom.Document jdomDocument = new Document();
    org.jdom.Element Attribute = new org.jdom.Element("Attribute");
    jdomDocument.setRootElement(Attribute);

    org.jdom.Element valueElement = new  org.jdom.Element("Value");
    valueElement.setText(getValue()); // "0123"
   // getValue() return anything like boolean,string,long,date, time etc..

     root.addContent(valueElement);
    String xmlval = new    XMLOutputter(Format.getPrettyFormat()).outputString(jdomDocument);
    JSONObject xmlJSONObj = XML.toJSONObject(xmlval);
    String jsonPrettyPrintString = xmlJSONObj.toString(4);

如何解决这个问题?

4

2 回答 2

2

查看XML.java 的代码- 特别是 stringToValue 方法

"Try to convert a string into a number, boolean, or null".  

代码如下 - 您可以看到它首先尝试将其解析为数字,在这种情况下,它将修剪前导零。要进行测试,您可以尝试在字符串中添加一个非数字字符 - 我认为它会保留前导零。

看起来您看到的行为已融入库中。这不是很好,即使函数 toJSONObject 的文档确实发出警告

"Some information may be lost in this transformation because JSON is a data format and XML is a document format"

编码:

// If it might be a number, try converting it. If that doesn't work,
// return the string.

        try {
            char initial = string.charAt(0);
            boolean negative = false;
            if (initial == '-') {
                initial = string.charAt(1);
                negative = true;
            }
            if (initial == '0' && string.charAt(negative ? 2 : 1) == '0') {
                return string;
            }
            if ((initial >= '0' && initial <= '9')) {
                if (string.indexOf('.') >= 0) {
                    return Double.valueOf(string);
                } else if (string.indexOf('e') < 0 && string.indexOf('E') < 0) {
                    Long myLong = new Long(string);
                    if (myLong.longValue() == myLong.intValue()) {
                        return new Integer(myLong.intValue());
                    } else {
                        return myLong;
                    }
                }
            }
        } catch (Exception ignore) {
        }

编辑:这看起来像库中的错误。我相信它应该使用

(negative ? 1 : 0)

因为当前行为错误地将带有单个前导零的值解释为数字。正如询问者所确认的那样,它正确地将两个或多个前导零识别为字符串。

于 2013-08-08T09:17:11.190 回答
0

有用 :)

在 CDATA 部分中添加了值,因此从 xml 到 json 值的转换按原样显示

   org.jdom.Element valueElement = new  org.jdom.Element("Value");
    org.jdom.CDATA cdata = new org.jdom.CDATA(getValue());
    valueElement.setText(cdata );
于 2013-08-08T10:27:40.753 回答