我正在尝试将Dictionary转换为XDocument(XML),以便以后在我的应用程序中更容易解析。
应用程序将根据XDocument生成Word文档。我的伴侣会给我一个字典,所以我必须自己转换它。
这是我到目前为止所得到的,但我被困住了。我真的不能想到如何继续:
static XDocument Parse(Dictionary<String, String> dic)
{
XDocument newXDoc = new XDocument();
List<String> paragraphs = new List<String>();
int count = 0;
foreach(KeyValuePair<string,string> pair in dic)
{
if (pair.Key.Equals("paragraph" + count))
{
paragraphs.Add(pair.Value);
count++;
}
}
newXDoc.Add(new XElement("document",
new XElement("title",dic["title"])));
return newXDoc;
}
所以解释一下:
我的想法是制作这样的XML文档:
<document>
<title>Some Title</title>
<paragraph0>some text</paragraph0>
<paragraph1>some more text on a new line</paragraph1>
<paragraph2>
<list>
<point>Some Point</point>
<point>Some other point</point>
</list>
</paragraph2>
<header>
<author>me</author>
<date>today</date>
<subject>some subject</subject>
</header>
</document>
我的问题是,我永远不会知道我会收到多少段,因为我发送的内容只是字典。你可以告诉我,我正在思考如何建立一个漂亮的foreach
结构:
我不知道如何在不遇到可能的NullPointerExceptions之类的情况下执行此操作。对此有何帮助?
简短版本:在给定上述结构的情况下,如何将字典解析为XDocument,而不知道我可以获得多少段?
新段落定义为上一段到达换行符时(\ n)
答案 0 :(得分:2)
使用LinqToXML,这会将所有以“paragraph”开头的词典键放入您的文档中:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Xml.Linq;
using System.Text;
var dict = new Dictionary<string, string>()
{
{ "paragraph0", "asdflkj lksajlsakfdj laksdjf lksad jfsadf P0"},
{ "paragraph1", " alkdsjf laksdjfla skdfja lsdkfjadsflk P1"},
{ "paragraph2", "asdflkj lksajlsakfdj laksdjf lksad jfsadf P2"}
};
XDocument xd = new XDocument(new XDeclaration("1.0", "UTF-8", "yes"),
new XElement("document",
dict.Where(kvp => kvp.Key.ToLower().StartsWith("paragraph"))
.Select(kvp => new XElement(kvp.Key, kvp.Value)),
new XElement("header", "etc")
)
);
答案 1 :(得分:0)
嗯,第一段可以这样写:
Dictionary<String, String> dic = new Dictionary<String, String>();
dic.Add("title", "Some Title");
dic.Add("test", "a string");
dic.Add("paragraph0", "some text");
dic.Add("paragraph1", "some more text on a new line");
dic.Add("another test", "a string");
// -----
XDocument newXDoc = new XDocument();
newXDoc.Add(new XElement("document",
new XElement("title", dic["title"]),
dic.Where((kvp)=>kvp.Key.StartsWith("paragraph")).Select((kvp)=>new XElement("paragraph", dic[kvp.Key]))));
String s=newXDoc.ToString();
Console.WriteLine(s);
但是,第三段取决于您的输入。