根据Linq查询中的属性值过滤掉重复的XElements

时间:2010-09-22 17:46:54

标签: c# linq filter duplicates xelement

我正在使用Linq尝试过滤掉任何与“name”属性具有相同值的重复XElements。

原始xml:

<foo>
<property name="John" value="Doe" id="1" />
<property name="Paul" value="Lee" id="1" />
<property name="Ken" value="Flow" id="1" />
<property name="Jane" value="Horace" id="1" />
<property name="Paul" value="Lee" id="1" />
... other xml properties with different id's
</foo>

// project elements in group into a new XElement
// (this is for another part of the code)
var props = group.data.Select( f => new XElement("property", 
    new XAttribute("name", f.Attribute("name").Value), f.Attribute("value"));

// filter out duplicates
props = props.Where(f => f.ElementsBeforeSelf()
                          .Where(g => g.Attribute("name").Value ==
                                      f.Attribute("name").Value)
                          .Count() == 0);

不幸的是,过滤步骤不起作用。我认为Where()过滤器会检查当前具有相同属性名称的元素之前的任何元素,然后将其包含在大于零的集合中,从而排除当前元素(称为“f”),但那样没有发生。想法?

3 个答案:

答案 0 :(得分:1)

您的appoach有点奇怪,例如,您不需要将元素投射到新元素中;当你将现有元素添加到新文档时,它只是工作(tm)。

我只想按<property>属性对name元素进行分组,然后从每个组中选择第一个元素:

var doc = XDocument.Parse(@"<foo>...</foo>");

var result = new XDocument(new XElement("foo",
    from property in doc.Root
    group property by (string)property.Attribute("name") into g
    select g.First()));

答案 1 :(得分:1)

我认为您应首先删除重复项,然后进行投影。例如:

var uniqueProps = from property in doc.Root
                  group property by (string)property.Attribute("name") into g
                  select g.First() into f
                  select new XElement("property", 
                      new XAttribute("name", f.Attribute("name").Value),
                      f.Attribute("value"));

或者,如果您更喜欢方法语法,

var uniqueProps = doc.Root
    .GroupBy(property => (string)property.Attribute("name"))
    .Select(g => g.First())
    .Select(f => new XElement("property", 
                     new XAttribute("name", f.Attribute("name").Value),
                     f.Attribute("value")));

答案 2 :(得分:1)

您可以创建一个与Distinct()一起使用的IEqualityComparer,它可以满足您的需求。

class Program
{
    static void Main(string[] args)
    {
        string xml = "<foo><property name=\"John\" value=\"Doe\" id=\"1\"/><property name=\"Paul\" value=\"Lee\" id=\"1\"/><property name=\"Ken\" value=\"Flow\" id=\"1\"/><property name=\"Jane\" value=\"Horace\" id=\"1\"/><property name=\"Paul\" value=\"Lee\" id=\"1\"/></foo>";

        XElement x = XElement.Parse(xml);
        var a = x.Elements().Distinct(new MyComparer()).ToList();
    }
}

class MyComparer : IEqualityComparer<XElement>
{
    public bool Equals(XElement x, XElement y)
    {
        return x.Attribute("name").Value == y.Attribute("name").Value;
    }

    public int GetHashCode(XElement obj)
    {
        return obj.Attribute("name").Value.GetHashCode();
    }
}