-3

我的查询有问题。我有两个简单的课程。比方说

public class A{
  public List<B> MyCollection{get; set;}
}
public class B{
 public string Id;
}
//I want to do something like that
var myB = new B{Id="1"};
context.A.Where( x=> x.MyCollection.Contains(myB)).ToList();

我该如何解决这个问题?我知道我可以做类似的事情

context.A.ToList().Where...

但这不是一个好主意,尤其是我有几千条记录。

更新!context 是 EntityFramework 上下文和 context.A 代表 DbSet 我仍然收到错误“LINQ to Entities 无法识别方法'布尔包含”我也无法使用

context.A.ToList().Where(....

因为我有数千条记录,效率会很低

4

3 回答 3

2

这对我有用:

public class A
{
    public List<B> MyCollection{get; set;}
}

public class B
{
     public string Id;
}

void Main()
{

    // this is what you're searching for
    var myB = new B{Id="1"};


    // here are some A objects to put in your collection
    A a1 = new A();
    a1.MyCollection = new List<B>();
    A a2 = new A();
    a2.MyCollection = new List<B> { myB };
    A a3 = new A();
    a3.MyCollection = new List<B> { new B {Id="1"}};


    // here's a List that represents your context.A
    List<A> contextA = new List<A> {a1, a2, a3};


    // here's your actual search. results has a count of 1
    var results = contextA.Where( x=> x.MyCollection.Contains(myB));
    Console.WriteLine(results.Count()); 
}

请注意,这只找到a2,因为您实际上将对象“myB”放在那里。它没有找到 a3,这是一个使用相同 id 创建的新对象。

如果您想同时找到 a2 和 a3,您可能希望将 Where 更改为如下内容:

var results = contextA.Where( x=> x.MyCollection.Any(b => b.Id == myB.Id));
于 2013-05-14T20:48:02.927 回答
1
var ans = from b in context.A.MyCollection
          where b.Id == 1
          select b;

或者

var ans = context.A.MyCollection.Where(b => b.Id == 1);
于 2013-05-14T20:27:59.310 回答
0

你试过这个吗

context.A.MyCollection.Where( x= > x.Id == myB.Id).ToList();
于 2013-05-14T20:27:39.980 回答