我有List<string>
,我检查它是否包含字符串:
if(list.Contains(tbItem.Text))
如果这是真的,我这样做:
int idx = list.IndexOf(tbItem.Text)
但是,如果我有2个相同的字符串怎么办?我想获得具有此字符串的所有索引,然后使用foreach循环遍历它。我怎么能这样做?
答案 0 :(得分:13)
假设 list 是List<string>
:
IEnumerable<int> allIndices = list.Select((s, i) => new { Str = s, Index = i })
.Where(x => x.Str == tbItem.Text)
.Select(x => x.Index);
foreach(int matchingIndex in allIndices)
{
// ....
}
答案 1 :(得分:1)
这个怎么样:
List<int> matchingIndexes = new List<int>();
for(int i=0; i<list.Count; i++)
{
if (item == tbItem.Text)
matchingIndexes.Add(i);
}
//Now iterate over the matches
foreach(int index in matchingIndexes)
{
list[index] = "newString";
}
或使用linq获取索引
int[] matchingIndexes = (from current in list.Select((value, index) => new { value, index }) where current.value == tbItem.Text select current.index).ToArray();