如何检查包含整数值的整数数组。
我怎样才能在LiNQ中做到这一点。我必须在LINQ查询中执行..
如: -
Int test = 10;
var a = from test in Test
where test.Contains(1,2,3,4,5,6,7,8,9,10)
select test.id
目前我是通过扩展方法进行的,但方法很慢。
public static bool ContainsAnyInt(this int int_, bool checkForNotContain_, params int[] values_)
{
try
{
if (values_.Length > 0)
{
foreach (int value in values_)
{
if (value == int_)
{
if (checkForNotContain_)
return false;
else
return true;
}
}
}
}
catch (Exception ex)
{
ApplicationLog.Log("Exception: ExtensionsMerhod - ContainsAnyInt() Method ---> " + ex);
}
}
我必须以优化的方式进行,因为数据很大......
答案 0 :(得分:1)
在大多数情况下,Linq比foreach慢。
您只需调用Linq Extension方法:
int[] values = new[]{3,3};
bool hasValue = values.Contains(3);
它完成了与扩展方法相同的功能。
答案 1 :(得分:1)
以下情况不会更快(未经测试):
public static bool ContainsAnyInt(this int int_, bool checkForNotContain_, params int[] values_)
{
if(values_ != null && values_.Contains(int_))
{
return !checkForNotContain_;
}
else
return false;
}
答案 2 :(得分:1)
在约束条件下工作,我会在每个测试类中对值数组进行排序,以便您可以执行以下操作:
int[] values = { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };
var results = from test in tests
where test.BinaryContains(values)
select test.id;
测试类看起来像:
class Test
{
public int id;
public int[] vals; //A SORTED list of integers
public bool BinaryContains(int[] values)
{
for (int i = 0; i < values.Length; i++)
if (values[i] >= vals[0] && values[i] <= vals[vals.Length])
{
//Binary search vals for values[i]
//if match found return true
}
return false;
}
}
当然,有很多方法可以进一步优化这一点。如果内存不是问题,则Dictionary可以为您提供包含给定整数的所有Test类。