我构建了一个基类,它保留了所有主键,如:
public class PrimaryKey
{
[Key]
[Column(Order = 1)]
public DateTime Date { get; set; }
[Key]
[Column(Order = 2)]
public int ID1 { get; set; }
[Key]
[Column(Order = 3)]
public int ID2 { get; set; }
}
以及从该类派生的不同类型数据的更多类。
然后我想使用一种方法为这些派生类GroupBy主键创建列表。我现在所做的是:
private IEnumerable<IGrouping<PrimaryKey, T>> DataGroupByPrimaryKey<T>(IEnumerable<T> source) where T : PrimaryKey
{
return source.GroupBy(s => new PrimaryKey
{
Date = s.Date,
ID1 = s.ID1,
ID2 = s.ID2
});
}
但它似乎无法正常工作,因为在程序运行此方法后,具有相同主键集的列表仍然保持未分组状态。
我尝试过像
这样的东西source.GroupBy(s => new
{
s.Date,
s.ID1,
s.ID2
});
它确实使数据分组,但由于GroupBy类型是匿名的,因此不适合该方法。
我写的原始方法有什么问题吗?
[已编辑并添加了更多信息]
很抱歉没有清楚地描述我的问题。实际上我现在正在做的是将数据复制到不同的数据库中,每一行都应该是这些键的唯一行。 (然后该集合称为主键)
在原始数据中,存在具有相同主键集的行。因此,在GroupBy过程之后,我将使用相同的主键集对数据求和,并将其转换为字典。
sourceAfterGroupBy.Select(s => new DerivedClassWithData
{
Date = s.Key.Date,
ID1 = s.Key.ID1,
ID2 = s.Key.ID2,
Data1 = s.Sum(p => p.Data1),
Data2 = s.Sum(p => p.Data2)
});
dataSum.ToDictionary(s => s.PrimaryKeyTuple);
现在唯一的问题是,如果我在GroupBy函数中使用匿名类型,它肯定可以通过键集对我的数据进行分组。但是如果我想使用PrimaryKey类型,在方法之后它们仍然没有被解开,我只是想知道为什么会这样。
答案 0 :(得分:2)
让PrimaryKey实现IEquable接口并覆盖Object.GetHashCode方法。代码想:
public class PrimaryKey : IEquable<PrimaryKey>
{
// other properties
bool Equals(PrimaryKey other)
{
return this.Date == other.Date && this.ID1 == other.ID1 && this.ID2 == other.ID2;
}
override int GetHashCode()
{
return this.Date.GetHashCode() ^ this.ID2.GetHashCode() ^ this.ID2.GetHashCode();
}
}