假设我有这样的LINQ查询:

var authors = from x in authorsList
              where x.firstname == "Bob"
              select x;

假设authorsList的类型是List<Author>,我如何从authorsList中删除查询返回的Author元素?

或者,换句话说,我如何从authorsList中删除所有与Bob相同的firstname ?

注意:这是一个简化的例子,以方便提问。


当前回答

简单的解决方案:

static void Main()
{
    List<string> myList = new List<string> { "Jason", "Bob", "Frank", "Bob" };
    myList.RemoveAll(x => x == "Bob");

    foreach (string s in myList)
    {
        //
    }
}

其他回答

最好使用List<T>。RemoveAll来完成这个任务。

authorsList.RemoveAll((x) => x.firstname == "Bob");

我认为你只需要将作者列表中的项目分配到一个新的列表中就可以了。

//assume oldAuthor is the old list
Author newAuthorList = (select x from oldAuthor where x.firstname!="Bob" select x).ToList();
oldAuthor = newAuthorList;
newAuthorList = null;

嗯,从一开始就把他们排除在外会更容易:

authorsList = authorsList.Where(x => x.FirstName != "Bob").ToList();

但是,这只会改变authorsList的值,而不是从以前的集合中删除author。或者,你可以使用RemoveAll:

authorsList.RemoveAll(x => x.FirstName == "Bob");

如果你真的需要基于另一个集合来做,我会使用HashSet, RemoveAll和Contains:

var setToRemove = new HashSet<Author>(authors);
authorsList.RemoveAll(x => setToRemove.Contains(x));

我觉得你可以这样做

    authorsList = (from a in authorsList
                  where !authors.Contains(a)
                  select a).ToList();

尽管我认为已经给出的解决方案以更易于阅读的方式解决了问题。

简单的解决方案:

static void Main()
{
    List<string> myList = new List<string> { "Jason", "Bob", "Frank", "Bob" };
    myList.RemoveAll(x => x == "Bob");

    foreach (string s in myList)
    {
        //
    }
}