1

我从复选框列表中选择了字符串类型的 IEnumerable,如下所示:

var list1 = chkboxlist.Items.Cast<ListItem>().Where(item => item.Selected == true).Select(item => item.Value);

if (list1.Contains("4"))
{
    //then remove that item from the list like

    for (int i = list1.Count() - 1; i >= 0; i--)
    {
        if (list1.ElementAt(i) == "4") list1.ToList().RemoveAt(i);
    }
}

但项目仍然存在于该列表中。它没有被删除。

4

2 回答 2

7

您正在调用ToList()which 创建一个列表,该列表是该序列的副本,然后您将其从该列表中删除......但是您基本上是在丢弃该列表。

您应该将原始序列转换为列表,然后删除不需要的值...或者您可以使用Except以下方法开始:

var list1 = chkboxlist.Items
                      .Cast<ListItem>()
                      .Where(item => item.Selected)
                      .Select(item => item.Value)
                      .Except(new[] { "4" });
于 2013-04-01T19:06:26.667 回答
3

如果您将枚举预先转换为列表,则可以删除该项目:

var list1 = chkboxlist.Items.Cast<ListItem>()
                      .Where(item => item.Selected == true)
                      .Select(item => item.Value)
                      .ToList();

话虽如此,您可以先排除该项目:

var list1 = chkboxlist.Items.Cast<ListItem>()
                      .Where(item => item.Selected == true && item.Value != "4")
                      .Select(item => item.Value)
                      .ToList();
于 2013-04-01T19:06:35.753 回答