13

如何使用 linq 从列表中删除项目?

我有一个项目列表,每个项目本身都有一个其他项目列表,现在我想检查其他项目是否包含传递列表的任何项目,因此应该删除主要项目。请检查代码以获得更清晰的信息。

public Class BaseItems
{
    public int ID { get; set; }
    public List<IAppointment> Appointmerts { get; set; }
}

Public DeleteApp(List<IAppointment> appointmentsToCheck)
{
   List<BaseItems> _lstBase ; // is having list of appointments

   //now I want to remove all items from _lstBase  which _lstBase.Appointmerts contains 
   any item of appointmentsToCheck (appointmentsToCheck item and BaseItems.Appointmerts 
   item is having a same reference)

   //_lstBase.RemoveAll(a => a.Appointmerts.Contains( //any item from appointmentsToCheck));

}
4

3 回答 3

22
_lstBase
    .RemoveAll(a => a.Appointmerts.Any(item => appointmentsToCheck.Contains(item)));
于 2012-10-19T13:29:54.653 回答
7

需要指出的是,LINQ 用于查询数据,您实际上不会从原始容器中删除元素。你将不得不使用_lstBase.Remove(item)到最后。您可以做的是使用 LINQ 来查找这些项目。

我假设您正在使用某种 INotify 模式,在这种模式下,它会破坏模式以替换_lstBase为自身的过滤版本。如果可以替换_lstBase,请使用@JanP. 的答案。

List<BaseItems> _lstBase ; // populated original list

Public DeleteApp(List<IAppointment> appointmentsToCheck)
{
  // Find the base objects to remove
  var toRemove = _lstBase.Where(bi => bi.Appointments.Any
                (app => appointmentsToCheck.Contains(app)));
  // Remove em! 
  foreach (var bi in toRemove)
    _lstBase.Remove(bi);
}
于 2012-10-19T14:10:45.553 回答
3
var data = 
   _lstBase.
    Except(a => a.Appointmerts.Any
        (item => appointmentsToCheck.Contains(item)));

或者

var data = 
   _lstBase.
    Where(a => !a.Appointmerts.Any
        (item => appointmentsToCheck.Contains(item)));
于 2012-10-19T13:32:03.670 回答