1

我有 DTO Suach 的列表:

 Public Class UKey
{
    public Int64 Key{ get; set; }

}

Public Class Test : UKey
{
    public Int64? CityId  { get; set; }
    public Test2  test2{ get; set; }
}
Public Class Test2 : UKey
{
    public Int64? CountryId { get; set; }
    public Test3 test3 {get;set;}
}
public Class Test3 :UKey
{

}

我有嵌套的 DTO,例如类 test 有一个类 test 2 的成员,类 test2 有一个类型类 test 3 的成员,每个类都有它自己的唯一键,这个键不能在任何一个中重复,类似于 GUId . 我想查询 Class Test 以找到具有给定唯一键的嵌套 Dto 之一。

4

2 回答 2

1

假设tests对象是IEnumerable<Test>,它是一组Test对象;

tests.SingleOrDefault(q => q.test2.Key == id || q.test2.test3.Key == id);

更新:您需要应用递归搜索。我稍微改变了基类;

public class UKey
{
    public Int64 Key { get; set; }
    public UKey ReferencedEntity { get; set; }
}

和搜索功能:

private UKey Search(UKey entity, Int64 id)
    {
        UKey result = null;
        if (entity.Key == id)
            result = entity;
        else
        {
            result = this.Search(entity.ReferencedEntity,id);
        }
        return result;
    }
于 2013-01-24T07:29:01.897 回答
0

答案可能是使用一种递归形式:如果您在基类上创建一个FindKey方法并在派生类上相应地实现它,您可以简化查询:

//given: 
//'tests' is a IEnumerable<UKey>
//'g' = a guid you are looking for
tests.SingleOrDefault(q => q.FindKey(g));

并且类实现可能看起来像这样:

public abstract class UKey
{              
    public Guid Key{ get; set; }
    public abstract bool FindKey(Guid g);
}

public class Test : UKey
{
    public Int64? CityId  { get; set; }
    public Test2  Test2{ get; set; }

    public override bool FindKey(Guid g){
        return Key == g || (Test2!= null && Test2.FindKey(g));
    }   
}

/*etc.. implement the FindKey method on all you derived classes*/
于 2013-01-24T08:53:28.903 回答