0

我希望查询一个 IEnumerable 以根据较低元素中保存的属性对其进行过滤。我不知道元素名称,但知道要查询的属性。

提供更多细节。

此 SearchVars 类将包含表单上的选定搜索选项。它还包含 ObjectType 的属性,它是 XML 对象在文件中的标识符。对于以下 XML 示例,对象类型将为 T1

    class SearchVars
    {
      public string  ObjectType { get; set; }
      public string ClientId  { get; set; }
      public string CustRef { get; set; }
    }

XML 提取示例

<root>
<T1>
    <FT ClientID="PCL1" />
    <T2 CustRef="Cust1">
        <T3 Name="Site1">
            <TER Error="123" ErrorText="Error 123" />
            <TER Error="234" ErrorText="Error 234" />
            <T4 SubErr="50420208">
                <TSER ID="2199991741074" CHN="1">
                    <TER Error="567" ErrorText="Error 567" />
                </TSER>
            </T4>
        </T3>
    </T2>
</T1>
<T1>
    <FT ClientID="PCL1" />
    <T2 CustRef="Cust2">
        <T3 Name="Site2">
            <TER Error="123" ErrorText="Error 123" />
            <TER Error="234" ErrorText="Error 234" />
        </T3>
    </T2>
</T1>
</root>

我将尝试根据 ClientID 和 CustRef 搜索错误属性。在搜索方法中,我的初始代码是将所有 T1 拉入可枚举的。2 个空的 IF 是我让 LINQ 查询过滤搜索变量上的数据的地方。因此,如果 ClientID 是 PCL1,则过滤存在该客户端 ID 属性值的 T1。

         public static IEnumerable<XObject> PerformSearch(string xmlData, Models.SearchVars vars)
         {
           XDocument document = XDocument.Parse(xmlData);
           IEnumerable<XObject> result = document.Descendants(vars.ObjectType);

           if (! string.IsNullOrEmpty(vars.ClientId))
           {


           }

           if (!string.IsNullOrEmpty(vars.CustRef))
           {

           }

           return result;
         }

我希望我正在尝试的内容很清楚,并期待今天能学到一点东西。谢谢

4

1 回答 1

0

这不像我想要的那样干净,但它有效。非常愿意接受更好的想法!

class Search
{
    public static IEnumerable<XObject> PerformSearch(string xmlData, Models.SearchVars vars)
    {
        XDocument document = XDocument.Parse(xmlData);
        IEnumerable<XObject> result = document.Descendants(vars.ObjectType);

        if (! string.IsNullOrEmpty(vars.ClientId))
        {
            result = from i in result
                     where i.ToString().Contains(string.Format("ClientId={0}",vars.ClientId))
                     select i;
        }

        if (!string.IsNullOrEmpty(vars.CustRef))
        {
            result = from i in result
                     where i.ToString().Contains(string.Format("CustRef={0}", vars.CustRef))
                     select i;
        }

        return result;
    }
}
于 2013-04-09T10:01:57.550 回答