17

有一个更好的方法吗?

string[] s = {"zero", "one", "two", "three", "four", "five"};

var x = 
s
.Select((a,i) => new {Value = a, Index = i})
.Where(b => b.Value.StartsWith("t"))
.Select(c => c.Index);

即我正在寻找一种更有效或更优雅的方式来获取符合条件的项目的位置。

4

6 回答 6

32

您可以轻松添加自己的扩展方法:

public static IEnumerable<int> IndexesWhere<T>(this IEnumerable<T> source, Func<T, bool> predicate)
{
    int index=0;
    foreach (T element in source)
    {
        if (predicate(element))
        {
            yield return index;
        }
        index++;
    }
}

然后将其用于:

string[] s = {"zero", "one", "two", "three", "four", "five"};
var x = s.IndexesWhere(t => t.StartsWith("t"));
于 2008-10-26T07:15:57.077 回答
6

如果您只是将示例用作学习 LINQ 的一种方式,请忽略此帖子。


我不清楚 LINQ 实际上是做到这一点的最佳方式。下面的代码似乎更有效,因为不需要创建新的匿名类型。当然,您的示例可能是人为的,并且该技术可能在不同的上下文中更有用,例如在可以利用值索引的数据结构中,但是下面的代码相当简单,可以理解(没有想过需要)并且可以说更有效。

string[] s = {"zero", "one", "two", "three", "four", "five"};
List<int> matchingIndices = new List<int>();

for (int i = 0; i < s.Length; ++i) 
{
   if (s[i].StartWith("t"))
   {
      matchingIndices.Add(i);
   }
}
于 2008-10-26T03:10:09.943 回答
5

对我来说似乎很好。您可以通过将选择更改为:

.Select((Value, Index) => new {Value, Index})
于 2008-10-26T02:03:08.080 回答
2

Collection List 中还有一个 FindIndex 方法,您可以为其创建一个删除方法,该方法可以从集合中返回索引。您可以参考 msdn http://msdn.microsoft.com/en-us/library/x1xzf2ca.aspx中的以下链接。

于 2009-04-16T13:53:52.333 回答
1

这个怎么样?它类似于原始海报,但我首先选择索引,然后构建一个符合条件的集合。

var x = s.Select((a, i) => i).Where(i => s[i].StartsWith("t"));

这比其他一些答案效率低一点,因为列表完全迭代了两次。

于 2009-06-24T03:12:28.130 回答
0

我和一位同事讨论了这个有趣的问题,起初我认为 JonSkeet 的解决方案很棒,但我的同事指出了一个问题,即如果函数是 的扩展IEnumerable<T>,那么它可以在集合实现它的地方使用。

使用数组,可以肯定地说生成的顺序foreach将受到尊重(即foreach从第一个到最后一个迭代),但其他集合(列表、字典等)不一定是这种情况,其中不一定foreach反映“进入顺序”。然而,功能就在那里,它可能会产生误导。

最后,我得到了类似于 tvanfosson 的答案,但作为数组的扩展方法:

public static int[] GetIndexes<T>(this T[]source, Func<T, bool> predicate)
{
    List<int> matchingIndexes = new List<int>();

    for (int i = 0; i < source.Length; ++i) 
    {
        if (predicate(source[i]))
        {
            matchingIndexes.Add(i);
        }
    }
    return matchingIndexes.ToArray();
}

希望List.ToArray能尊重最后一次手术的顺序……

于 2011-10-20T00:07:21.097 回答