繁体   English   中英

查找数组中值的索引

[英]Find index of a value in an array

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

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

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

无论您创建了哪个自定义类,这实际上都会获得整数索引而不是对象

对于数组,您可以使用: 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为真的第一个项目(如果可能有非您可能想要使用.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()扩展方法的实现(带单元测试):

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;

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM