“& # 39;:& # 39;字符,十六进制值0x3A,不能包含在名称"中
本文关键字:包含 quot 十六进制 字符 0x3A 不能 | 更新日期: 2023-09-27 18:06:52
我有一个代码,将读取一些xml文件。我尝试了不同的方法来解决这个问题,但都没有成功。我还试着这样编码:
Namespace my = "http://schemas.microsoft.com/office/infopath/2003/myXSD/2011-01-11T08:31:30";
XElement myEgitimBilgileri = XDocument.Load(@"C:'25036077.xml").Element("my:"+ "Egitim_Bilgileri");
但总是犯同样的错误。原文如下:
private void button2_Click(object sender, EventArgs e)
{
XElement myEgitimBilgileri =
XDocument.Load(@"C:'25036077.xml").Element("my:Egitim_Bilgileri");
if (myEgitimBilgileri != null)
{
foreach (XElement element in myEgitimBilgileri.Elements())
{
Console.WriteLine("Name: {0}'tValue: {1}", element.Name, element.Value.Trim());
}
}
Console.Read();
}
这是我的xml文件的路径:
<my:Egitim_Bilgileri>
<my:egitimler_sap>
<my:sap_eduname></my:sap_eduname>
<my:sap_edufaculty></my:sap_edufaculty>
<my:sap_eduprofession></my:sap_eduprofession>
<my:sap_diplomno></my:sap_diplomno>
<my:sap_edulevel></my:sap_edulevel>
<my:sap_edustartdate xsi:nil="true"></my:sap_edustartdate>
<my:sap_eduenddate xsi:nil="true"></my:sap_eduenddate>
</my:egitimler_sap>
</my:Egitim_Bilgileri>
这是我的XML命名空间的路径
xmlns:my="http://schemas.microsoft.com/office/infopath/2003/myXSD/2011-01-11T08:31:30"
xmlns:my="http://schemas.microsoft.com/office/infopath/2003/myXSD/2008-01-23T00:43:17"
代码Element("my:" + "Egitim_Bilgileri")
与Element("my:Egitim_Bilgileri")
相同,被认为是指在默认命名空间中名为 "my:Egitim_Bilgileri" 的元素(从字符串到XName有隐式转换)。
但是,:
在元素名称中是无效的(在名称空间分隔之外),因此会导致运行时异常。
代码应该是Element(my + "Egitim_Bilgileri")
,其中my
是一个XNamespace对象。当给定一个字符串作为第二个操作数时,XNamespace对象的+
操作符会产生一个XName对象,然后该XName对象可以与Element(XName)
方法一起使用。
XNamespace my = "http://schemas.microsoft.com/office/infopath/2003/myXSD/2011-01-11T08:31:30";
XDocument doc = XDocument.Load(@"C:'25036077.xml");
// The following variable/assignment can be omitted,
// it is to show the + operator of XNamespace and how it results in XName
XName nodeName = my + "Egitim_Bilgileri";
XElement myEgitimBilgileri = doc.Element(nodeName);
快乐编码…对不得不处理InfoPath表示慰问:)
在大多数情况下我更喜欢使用XPath。除此之外,它可以很容易地选择嵌套节点,并避免在node.Element(x).Element(y)
结构中可能需要的每个级别"检查null"。
using System.Xml.XPath; // for XPathSelectElement extension method
XmlNamespaceManager ns = new XmlNamespaceManager(new NameTable());
ns.AddNamespace("my", "http://schemas.microsoft.com/office/infopath/2003/myXSD/2011-01-11T08:31:30")
// Note that there is no XName object. Instead the XPath string is parsed
// and namespace resolution happens via the XmlNamespaceManager
XElement myEgitimBilgileri = doc.XPathSelectElement("/my:myFields/my:Egitim_Bilgileri", ns);