假设我们有一个包含数据的数组:
double[] x = new double[N] {x_1, ..., x_N};
包含与N
x
数组
int[] ind = new int[N] {i_1, ..., i_N};
根据x
选择I
中具有特定标签ind
的所有元素的最快方法是什么?
例如,
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'不带2个参数”:
T1[] y = xn.Where((x, idx) => ind[idx] == I).ToArray();
非常感谢
答案 0 :(得分:17)
怎么样:
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();
}
答案 1 :(得分:5)
这是Enumerable.Zip的经典用法,它通过两个相互平行的枚举来运行。使用Zip,您可以一次性获得结果。以下是完全类型不可知的,但我使用int
和string
来说明:
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);