linq能以某种方式用于查找数组中值的索引吗?
例如,此循环将键索引定位在数组中。
for (int i = 0; i < words.Length; i++)
{
if (words[i].IsKey)
{
keyIndex = i;
}
}
答案 0 :(得分:170)
int keyIndex = Array.FindIndex(words, w => w.IsKey);
实际上,无论您创建了哪个自定义类,它都会获得整数索引而不是对象
答案 1 :(得分:53)
对于数组,您可以使用:
Array.FindIndex<T>
:
int keyIndex = Array.FindIndex(words, w => w.IsKey);
对于列表,您可以使用List<T>.FindIndex
:
int keyIndex = words.FindIndex(w => w.IsKey);
您还可以编写适用于任何Enumerable<T>
的通用扩展方法:
///<summary>Finds the index of the first item matching an expression in an enumerable.</summary>
///<param name="items">The enumerable to search.</param>
///<param name="predicate">The expression to test the items against.</param>
///<returns>The index of the first matching item, or -1 if no items match.</returns>
public static int FindIndex<T>(this IEnumerable<T> items, Func<T, bool> predicate) {
if (items == null) throw new ArgumentNullException("items");
if (predicate == null) throw new ArgumentNullException("predicate");
int retVal = 0;
foreach (var item in items) {
if (predicate(item)) return retVal;
retVal++;
}
return -1;
}
你也可以使用LINQ:
int keyIndex = words
.Select((v, i) => new {Word = v, Index = i})
.FirstOrDefault(x => x.Word.IsKey)?.Index ?? -1;
答案 2 :(得分:10)
int keyIndex = words.TakeWhile(w => !w.IsKey).Count();
答案 3 :(得分:6)
如果您想找到可以使用的单词
var word = words.Where(item => item.IsKey).First();
这为您提供了IsKey为真的第一个项目(如果可能有非,您可能想要使用.FirstOrDefault()
要获得项目和索引,您可以使用
KeyValuePair<WordType, int> word = words.Select((item, index) => new KeyValuePair<WordType, int>(item, index)).Where(item => item.Key.IsKey).First();
答案 4 :(得分:3)
试试这个......
var key = words.Where(x => x.IsKey == true);
答案 5 :(得分:2)
刚刚发布了我的IndexWhere()扩展方法的实现(带单元测试):
http://snipplr.com/view/53625/linq-index-of-item--indexwhere/
使用示例:
int index = myList.IndexWhere(item => item.Something == someOtherThing);
答案 6 :(得分:1)
此解决方案对我提供了更多帮助,来自msdn microsoft:
var result = query.AsEnumerable().Select((x, index) =>
new { index,x.Id,x.FirstName});
query
是您的toList()
查询。
答案 7 :(得分:0)
int index = -1;
index = words.Any (word => { index++; return word.IsKey; }) ? index : -1;