Answers:
对于数组,您可以使用
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;
int keyIndex = words.TakeWhile(w => !w.IsKey).Count();
如果您想查找单词,可以使用
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();
First
,它需要一个谓词,您不需要Where
。
试试这个...
var key = words.Where(x => x.IsKey == true);
刚刚发布了我的IndexWhere()扩展方法的实现(带有单元测试):
http://snipplr.com/view/53625/linq-index-of-item--indexwhere/
用法示例:
int index = myList.IndexWhere(item => item.Something == someOtherThing);
此解决方案从msdn microsoft帮助了我更多:
var result = query.AsEnumerable().Select((x, index) =>
new { index,x.Id,x.FirstName});
query
是您的toList()
查询。
int index = -1;
index = words.Any (word => { index++; return word.IsKey; }) ? index : -1;