从XML文件中读取值

时间:2018-06-10 12:13:08

标签: c# xml linq-to-xml

我正在使用XDocument来加载XML文件,使用此内容,我正在尝试读取<pjob:job_variables>个节点内容,并为<pjob:job_variables>中的每个节点获取名称和价值, 以便<pjob:var name="XMLFilePath">E:\PP\REPC.xt</pjob:var>获取名称XMLFilePath及其值E:\PP\REPC.xt

<?xml version="1.0"?>
<?P_command version="1.0"?>
<pjob:job_command xmlns:pjob="http://www.pp.com/schemas" name="SubmitJob">
    <pjob:job_variables>
        <pjob:var name="XMLFilePath">E:\PP\REPC.xt</pjob:var>
        <pjob:var name="TSLFilePath">E:\PP\REPC.tl</pjob:var>
        <pjob:var name="_sys_BitmapType">jpeg</pjob:var>
        .........
    </pjob:job_variables>
    <pjob:doc_variables>  
        <pjob:var name="CompanyPhone"/>
        <pjob:var name="CompanyWebsite">www.site.com</pjob:var>    
        .........
    </pjob:doc_variables>
</pjob:job_command>

我尝试了很多变化,比如

string name, value = String.Empty;
XDocument doc = XDocument.Load("../assets/packet.xml");
var authors = doc.Descendants("job_variables");
foreach (var node in nodes)
{
  name = node.name;
  value = node.value;
}

但是他找不到Descendants,我怎么能实现它呢?

2 个答案:

答案 0 :(得分:4)

您只需要添加名称空间pjob

XNamespace ns = "http://www.pp.com/schemas";
XDocument doc = XDocument.Load("../assets/packet.xml");
var authors = doc.Root.Element(ns + "job_variables").Elements();

或使用XName.Get()方法:

var authors = doc.Root.Element(XName.Get("job_variables", "http://www.pp.com/schemas")).Elements();

这将获取“job_variables”元素的所有子项。

根据评论中的说明,要获取job_variablesdoc_variables的元素,您甚至不需要通过其名称访问元素;只需使用doc.Root.Elements().Elements()

答案 1 :(得分:0)

尝试以下:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Xml;
using System.Xml.Linq;

namespace ConsoleApplication1
{
    class Program
    {
        const string FILENAME = @"c:\temp\test.xml";
        static void Main(string[] args)
        {
            XDocument doc = XDocument.Load(FILENAME);

            XElement job_command = doc.Descendants().Where(x => x.Name.LocalName == "job_command").FirstOrDefault();
            XNamespace pjobNs = job_command.GetNamespaceOfPrefix("pjob");

            var results = job_command.Descendants(pjobNs +  "var").Select(x => new {
                name = (string)x.Attribute("name"),
                value = (string)x
            }).ToList();
        }
    }
}