简体   繁体   English

在数组中查找多个索引

[英]Find multiple index in array

Say I have an array like this说我有一个这样的数组

  string [] fruits = {"watermelon","apple","apple","kiwi","pear","banana"};

Is there an built in function that allows me to query all the index of "apple"?是否有内置的 function 允许我查询“苹果”的所有索引? For example,例如,

  fruits.FindAllIndex("apple"); 

will return an array of 1 and 2将返回 1 和 2 的数组

If there is not, how should I implement it?如果没有,我应该如何实施?

Thanks!谢谢!

LINQ version: LINQ版本:

var indexes = fruits.Select((value, index) => new { value, index })
                    .Where(x => x.value == "apple")
                    .Select(x => x.index)
                    .ToList();

Non-LINQ version, using Array<T>.IndexOf() static method: 非LINQ版本,使用Array<T>.IndexOf()静态方法:

var indexes = new List<int>();
var lastIndex = 0;

while ((lastIndex = Array.IndexOf(fruits, "apple", lastIndex)) != -1)
{
    indexes.Add(lastIndex);
    lastIndex++;
}

One way would be to write like this: 一种方法是这样写:

var indices = fruits
                .Select ((f, i) => new {f, i})
                .Where (x => x.f == "apple")
                .Select (x => x.i);

Or the traditional way: 还是传统方式:

var indices = new List<int>();
for (int i = 0; i < fruits.Length; i++)
    if(fruits[i] == "apple")
        indices.Add(i);

Pretty easy with an extension method.使用扩展方法很容易。

var fruits = new[] { "watermelon","apple","apple","kiwi","pear","banana" };
var indexes = fruits.FindAllIndexes("apple");

public static class Extensions
{
  public static int[] FindAllIndexes(this string[] array, string search) => array
      .Select((x, i) => (x, i))
      .Where(value => value.x == search)
      .Select(value => value.i)
      .ToArray();
}

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

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