10

假设我们有一个包含数据的数组:

double[] x = new double[N] {x_1, ..., x_N};

N以及包含与 的元素相对应的标签的大小数组x

int[] ind = new int[N] {i_1, ..., i_N};

根据选择x具有特定标签的所有元素的最快方法是什么?Iind

例如,

x = {3, 2, 6, 2, 5}
ind = {1, 2, 1, 1, 2}
I = ind[0] = 1

结果:

y = {3, 6, 2}

显然,使用循环可以轻松(但不是有效和清洁)完成,但我认为应该有办法使用.Where和 lambdas来做到这一点..谢谢

编辑:

MarcinJuraszek 提供的答案是完全正确的,谢谢。但是,我已经简化了这个问题,希望它能在我原来的情况下工作。如果我们有泛型类型,您能否看看有什么问题:

T1[] xn = new T1[N] {x_1, ..., x_N};
T2[] ind = new T2[N] {i_1, ..., i_N};
T2 I = ind[0]

使用提供的解决方案,我收到错误“Delegate 'System.Func' does not take 2 arguments”:

T1[] y = xn.Where((x, idx) => ind[idx] == I).ToArray();

非常感谢你

4

2 回答 2

18

那个怎么样:

var xs = new[] { 3, 2, 6, 2, 5 };
var ind = new[] { 1, 2, 1, 1, 2 };
var I = 1;

var results = xs.Where((x, idx) => ind[idx] == I).ToArray();

它使用第二个不太流行的Where重载:

Enumerable.Where<TSource>(IEnumerable<TSource>, Func<TSource, Int32, Boolean>)

它具有可用作谓词参数的项目索引(idx在我的解决方案中调用)。

通用版

public static T1[] WhereCorresponding<T1, T2>(T1[] xs, T2[] ind) where T2 : IEquatable<T2>
{
    T2 I = ind[0];
    return xs.Where((x, idx) => ind[idx].Equals(I)).ToArray();
}

用法

static void Main(string[] args)
{
    var xs = new[] { 3, 2, 6, 2, 5 };
    var ind = new[] { 1, 2, 1, 1, 2 };

    var results = WhereCorresponding(xs, ind);
}

通用 +double版本

public static T[] Test<T>(T[] xs, double[] ind)
{
    double I = ind[0];

    return xs.Where((x, idx) => ind[idx] == I).ToArray();
}
于 2013-04-03T19:11:37.677 回答
5

这是Enumerable.Zip的经典用法,它贯穿两个相互平行的枚举。使用 Zip,您可以一次性获得结果。以下是完全与类型无关的,尽管我使用ints 和strings 来说明:

int[] values = { 3, 2, 6, 2, 5 };
string[] labels = { "A", "B", "A", "A", "B" };
var searchLabel = "A";

var results = labels.Zip(values, (label, value) => new { label, value })
                    .Where(x => x.label == searchLabel)
                    .Select(x => x.value);
于 2013-04-03T20:01:24.830 回答