假设我有这样的LINQ查询:
var authors = from x in authorsList
where x.firstname == "Bob"
select x;
假设authorsList的类型是List<Author>,我如何从authorsList中删除查询返回的Author元素?
或者,换句话说,我如何从authorsList中删除所有与Bob相同的firstname ?
注意:这是一个简化的例子,以方便提问。
下面是从列表中删除元素的示例。
List<int> items = new List<int>() { 2, 2, 3, 4, 2, 7, 3,3,3};
var result = items.Remove(2);//Remove the first ocurence of matched elements and returns boolean value
var result1 = items.RemoveAll(lst => lst == 3);// Remove all the matched elements and returns count of removed element
items.RemoveAt(3);//Removes the elements at the specified index
使用标准LINQ操作符无法做到这一点,因为LINQ提供的是查询,而不是更新支持。
但是您可以生成一个新的列表并替换旧的列表。
var authorsList = GetAuthorList();
authorsList = authorsList.Where(a => a.FirstName != "Bob").ToList();
或者您可以在第二次操作中删除authors中的所有项。
var authorsList = GetAuthorList();
var authors = authorsList.Where(a => a.FirstName == "Bob").ToList();
foreach (var author in authors)
{
authorList.Remove(author);
}