查找数组中的值的索引

可以用linq以某种方式查找数组中的值的索引吗?

例如,这个循环在数组中定位键索引。

for (int i = 0; i < words.Length; i++) { if (words[i].IsKey) { keyIndex = i; } } 
 int keyIndex = Array.FindIndex(words, w => w.IsKey); 

这实际上让你的整数索引,而不是对象,无论你创build了什么样的自定义类

对于数组,您可以使用: 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}) .First(x => x.Word.IsKey).Index; 

请注意,这不会使循环短路(它将始终迭代整个集合),并且如果条件不满足将抛出exception,而不是返回-1。

 int keyIndex = words.TakeWhile(w => !w.IsKey).Count(); 

如果你想find你可以使用的单词

 var word = words.Where(item => item.IsKey).First(); 

这为您提供了第一个IsKey为true的项目(如果可能不存在,您可能需要使用.FirstOrDefault()

获取可以使用的项目和索引

 KeyValuePair<WordType, int> word = words.Select((item, index) => new KeyValuePair<WordType, int>(item, index)).Where(item => item.Key.IsKey).First(); 

尝试这个…

 var key = words.Where(x => x.IsKey == true); 

刚刚张贴我的实现IndexWhere()扩展方法(与unit testing):

http://snipplr.com/view/53625/linq-index-of-item–indexwhere/

用法示例:

 int index = myList.IndexWhere(item => item.Something == someOtherThing); 
 int index = -1; index = words.Any (word => { index++; return word.IsKey; }) ? index : -1;