我在VS 2010中使用C#4.0并尝试生成n组对象的交集或并集。
以下工作正常:
IEnumerable<String> t1 = new List<string>() { "one", "two", "three" };
IEnumerable<String> t2 = new List<string>() { "three", "four", "five" };
List<String> tInt = t1.Intersect(t2).ToList<String>();
List<String> tUnion = t1.Union(t2).ToList<String>();
// this also works
t1 = t1.Union(t2);
// as does this (but not at the same time!)
t1 = t1.Intersect(t2);
但是,以下情况并非如此。这些是代码片段。
我的课程是:
public class ICD10
{
public string ICD10Code { get; set; }
public string ICD10CodeSearchTitle { get; set; }
}
以下内容:
IEnumerable<ICD10Codes> codes = Enumerable.Empty<ICD10Codes>();
IEnumerable<ICD10Codes> codesTemp;
List<List<String>> terms;
// I create terms here ----
// and then ...
foreach (List<string> item in terms)
{
// the following line produces the correct results
codesTemp = dataContextCommonCodes.ICD10Codes.Where(e => item.Any(k => e.ICD10CodeSearchTitle.Contains(k)));
if (codes.Count() == 0)
{
codes = codesTemp;
}
else if (intersectionRequired)
{
codes = codes.Intersect(codesTemp, new ICD10Comparer());
}
else
{
codes = codes.Union(codesTemp, new ICD10Comparer());
}
}
return codes;
以上只会返回搜索到的最后一项的结果。
我还添加了自己的比较器以防万一,但这没有区别:
public class ICD10Comparer : IEqualityComparer<ICD10Codes>
{
public bool Equals(ICD10Codes Code1, ICD10Codes Code2)
{
if (Code1.ICD10Code == Code2.ICD10Code) { return true; }
return false;
}
public int GetHashCode(ICD10Codes Code1)
{
return Code1.ICD10Code.GetHashCode();
}
}
我确信我忽略了一些明显的东西 - 我只是看不出它是什么!
答案 0 :(得分:3)
此代码:return codes;
返回延迟的可枚举。没有执行任何查询来填充集合。有些查询会在每次循环中执行,以生成Count。
这个延迟执行是一个问题,因为关闭问题...在返回时,item
绑定到最后一个循环执行。
通过强制查询在每个循环执行中执行来解决此问题:
if (codes.Count() == 0)
{
codes = codesTemp.ToList();
}
else if (intersectionRequired)
{
codes = codes.Intersect(codesTemp, new ICD10Comparer()).ToList();
}
else
{
codes = codes.Union(codesTemp, new ICD10Comparer()).ToList();
}
答案 1 :(得分:1)
如果您使用自己的比较器,则应该查看GetHashCode
函数的正确实现。 linq运营商也使用这种比较。你可以看看这里:
http://msdn.microsoft.com/en-us/library/system.object.gethashcode(v=vs.80).aspx
您可以尝试将哈希函数更改为“返回0”,以查看是否存在问题。 ICD10Code.GetHashCode
如果是类对象
答案 2 :(得分:0)
您的问题肯定不是连接到Intersect
或Union
LINQ扩展方法。我刚刚测试了以下内容:
var t1 = new List<ICD10>()
{
new ICD10() { ICD10Code = "123" },
new ICD10() { ICD10Code = "234" },
new ICD10() { ICD10Code = "345" }
};
var t2 = new List<ICD10>()
{
new ICD10() { ICD10Code = "234" },
new ICD10() { ICD10Code = "456" }
};
// returns list with just one element - the one with ICF10Code == "234"
var results = t1.Intersect(t2, new ICD10Comparer()).ToList();
// return list with 4 elements
var results2 = t1.Union(t2, new ICD10Comparer()).ToList();
使用您的ICD10
和ICD10Comparer
类声明。一切正常!您必须在自定义代码中搜索错误,因为LINQ工作正常。