我正在尝试将JSON转换为XML。我的JSON包含一个汽车数组,每辆车都有一系列功能:
[
{
"car": {
"features": [{
"code": "1"
}, {
"code": "2"
}]
}
},
{
"car": {
"features": [{
"code": "3"
}, {
"code": "2"
}]
}
}
]
我正在将其转换为XML:
// the tag name for each top level element in the json array
var wrappedDocument = string.Format("{{ car: {0} }}", jsonResult);
// set the root tag name
return JsonConvert.DeserializeXmlNode(wrappedDocument, "cars");
这是生成的 XML:
<cars>
<car>
<features>
<code>1</code>
</features>
<features>
<code>2</code>
</features>
</car>
<car>
<features>
<code>3</code>
</features>
<features>
<code>2</code>
</features>
</car>
</cars>
我的问题是我希望将所有"功能"列在一个公共元素下,就像"汽车"列在"汽车"下一样,这样XML看起来像这样:
<cars>
<car>
<features>
<feature>
<code>1</code>
</feature>
<feature>
<code>2</code>
</feature>
</features>
</car>
<car>
<features>
<feature>
<code>3</code>
</feature>
<feature>
<code>2</code>
</feature>
</features>
</car>
</cars>
使用Newtonsoft Json.NET 可以吗?感谢您的任何帮助!
DeserializeXmlNode()
实际上没有办法自定义其JSON到XML转换的方式。 若要使用该方法获得所需的结果,必须在将 JSON 转换为 XML 之前对其进行操作,或者在之后操作 XML。
在这种情况下,我认为使用 Json.Net 的 LINQ-to-JSON API 直接从您想要的形状的 JSON 构建 XML 可能更容易。 你可以这样做:
var ja = JArray.Parse(jsonResult);
var xml = new XDocument(
new XElement("cars",
ja.Select(c =>
new XElement("car",
new XElement("features",
c["car"]["features"].Select(f =>
new XElement("feature",
new XElement("code", (string)f["code"])
)
)
)
)
)
)
);
Console.WriteLine(xml.ToString());
小提琴:https://dotnetfiddle.net/fxxQnL
使用 Cinchoo ETL - 一个开源库,您可以使用几行代码轻松完成 Xml 到 Json
string json = @"
[
{
""car"": {
""features"": [{
""code"": ""1""
}, {
""code"": ""2""
}]
}
},
{
""car"": {
""features"": [{
""code"": ""3""
}, {
""code"": ""2""
}]
}
}
]";
StringBuilder sb = new StringBuilder();
using (var p = ChoJSONReader.LoadText(json))
{
using (var w = new ChoXmlWriter(sb)
.Configure(c => c.RootName = "cars")
//.Configure(c => c.IgnoreRootName = true)
.Configure(c => c.IgnoreNodeName = true)
)
{
w.Write(p);
}
}
Console.WriteLine(sb.ToString());
输出:
<cars>
<car>
<features>
<feature>
<code>1</code>
</feature>
<feature>
<code>2</code>
</feature>
</features>
</car>
<car>
<features>
<feature>
<code>3</code>
</feature>
<feature>
<code>2</code>
</feature>
</features>
</car>
</cars>
查看代码项目文章以获取更多帮助。
免责声明:我是这个库的作者。