2

我是 C# 的初学者。

大案例的简单示例:

输入:

<?xml version="1.0" encoding="utf-8"?>
 <products>
  <product>
   <id>1</id>
   <name>John</name>
  </product>
  <product>
   <id>2</id>
   <name>Tom</name>
  </product>
  <product>
   <id>3</id>
   <name>Sam</name>
  </product>
 </products>
</xml>

输出(对于 id=1):

<id>2</id>
<name>Tom</name>

我的部分代码尝试psedocode:

XDocument doc=XDocument.Parse(".............");

 var els= doc.Descendants("product");
 foreach(e in els){
     node=e.Element("id");
     if(2==node.Value){
     return e;
   }
 }

请帮忙,

谢谢

4

3 回答 3

4

目前您的 xml 文件格式不正确 -</xml>从文件中删除结束标记以使其有效。这是查询:

int id = 1;
XDocument xdoc = XDocument.Load(path_to_xml);
var product = xdoc.Descendants("product")
                  .Where(p => (int)p.Element("id") == id)
                  .SingleOrDefault();

此查询将返回整个<product>元素,或者null如果未找到匹配项。

另外我相信产品名称足以供您选择(因为您已经拥有产品 ID):

var name = xdoc.Descendants("product")
               .Where(p => (int)p.Element("id") == id)
               .Select(p => (string)p.Element("name"))
               .SingleOrDefault();

退货Tom_id = 2

于 2012-11-13T18:56:42.137 回答
1

您可能正在寻找 XPath:

root.XPathSelectElements(@"//products/product/id[text()='2']")

编辑评论:直接获取名称://products/product/id[text()='2']/../name

查看完整示例

using System.Xml.Linq;
using System.Xml.XPath;

public class Program
{
    public static void Main(string[] args)
    {
        var doc = XDocument.Parse(XML);
        foreach(var n in doc.Root.XPathSelectElements(
                 @"//products/product/id[text()='2']"))
        {
            System.Console.WriteLine("Not that hard: '{0}'", n.Parent.Element("name").Value);
        }

        // Direct query for name:
        foreach(var n in doc.Root.XPathSelectElements(
                 @"//products/product/id[text()='2']/../name"))
        {
            System.Console.WriteLine("Directly: '{0}'", n.Value);
        }
    }

    private const string XML = 
    @"<?xml version=""1.0"" encoding=""utf-8""?>
        <products>
            <product>
                <id>1</id>
                <name>John</name>
            </product>
            <product>
                <id>2</id>
                <name>Tom</name>
            </product>
            <product>
                <id>3</id>
                <name>Sam</name>
            </product>
        </products>";
}

印刷:

Not that hard: 'Tom'
Directly: 'Tom'
于 2012-11-13T19:01:48.200 回答
1

这将返回product(如您的问题)而不是id

var product = doc.XPathSelectElement("//product[id and id[text() = '1']]");
于 2012-11-13T19:04:29.230 回答