web-dev-qa-db-ja.com

配列内の値のインデックスを見つける

Linqを何らかの方法で使用して、配列内の値のインデックスを見つけることはできますか?

たとえば、このループは配列内のキーインデックスを見つけます。

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

実際に作成したカスタムクラスに関係なく、オブジェクトではなく整数インデックスを取得します

172
sidney.andrews

配列には次を使用できます。 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;
56
Paolo Moretti
int keyIndex = words.TakeWhile(w => !w.IsKey).Count();
10
LumpN

使用できる単語を見つけたい場合

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

これにより、IsKeyがtrueである最初のアイテムが得られます(nonがある場合は、.FirstOrDefault()を使用できます)

アイテムとインデックスの両方を取得するには、使用できます

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

これを試して...

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

IndexWhere()拡張メソッドの実装(ユニットテスト付き)を投稿しました。

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

使用例:

int index = myList.IndexWhere(item => item.Something == someOtherThing);
2
joelsand

msdn Microsoft から、このソリューションはさらに助けになりました。

var result =  query.AsEnumerable().Select((x, index) =>
              new { index,x.Id,x.FirstName});

queryは、toList()クエリです。

1
Roshna Omer
int index = -1;
index = words.Any (Word => { index++; return Word.IsKey; }) ? index : -1;