我有List<sting>
5 个条目。[0],[1],[2],[3],[4].
如果我使用List.Clear()
所有项目都被删除。
我需要删除直到特定项目,例如直到 [1]。这意味着在我的列表中只是2 items [0] and [1]
. 用 c# 怎么做?
如果要删除索引1 之后的所有项(即只保留前两项):
if (yourList.Count > 2)
yourList.RemoveRange(2, yourList.Count - 2);
如果您需要删除值为“[1]”的项目之后的所有项目,无论其索引如何:
int index = yourList.FindIndex(x => x == "[1]");
if (index >= 0)
yourList.RemoveRange(index + 1, yourList.Count - index - 1);
你可以使用 List.RemoveWhere(Predicate).. 或者,你可以做一个 for 循环 - 向后循环,删除项目直到你之后的项目,即
for(var i = List.Count()-1; i>=0; i--) {
var item = List[i];
if (item != "itemThatYourLookingFor") {
List.Remove(item);
continue;
}
break;
}
List<string> strings = new List<string>{"a", "b", "c", "d", "e"};
List<string> firstTwoStrings = strings.Take(2).ToList();
// firstTwoStrings contains {"a", "b"}
该Take(int count)
方法将为您提供计数项目。
您可以从列表中删除一个范围,给出起始索引和要删除的项目数。
var items = new List<string> {"0", "1", "2", "3", "4", "5"};
var index = items.IndexOf("1") + 1;
if (index >= 0)
{
items.RemoveRange(index, items.Count - index);
}