为什么我不能在 LINQ-to-SQL 连接方法中使用实际的 class?

Why can't I use an actual class in LINQ-to-SQL join method?

我正在尝试在 C# 中执行 LINQ 连接(使用 EntityFramework Core 3.1.13),它在键选择器中使用 class。

例如:

public class KeyClass {
       public int Key { get; set; }    
}


using (var Context = new ...Context()) {

var Query = Context.Table1.Join(Context.Table2,x => new KeyClass () { Key = x.ID }, x => new KeyClass() { Key = x.ID2 }, (x,y) => new { x, y });

}

当我使用 KeyClass 时它不起作用 - 我收到一条错误消息,指出无法翻译 LINQ 表达式。

但是如果我改用匿名类型,它就可以正常工作:

using (var Context = new ...Context()) {

var Query = Context.Table1.Join(Context.Table2,x => new  { Key = x.ID }, x => new { Key = x.ID2 }, (x,y) => new { x, y });

}

我不能在我的案例中使用匿名类型,因为我希望能够在运行时动态构建连接,并且需要为键选择器使用发出的类型,因为它可能有多个键和不同的类型。

原因是因为 EFC 翻译器仅支持 Expression.New (C# new) 构造函数调用带参数而不是 Expression.MemberInit (C# 对象初始值设定项)用于连接键。

匿名类型和元组都属于第一类(事件虽然语法上匿名类型分配看起来像对象初始值设定项,但实际上它是编译器生成的构造函数调用class - 类似于 C#9记录声明),而你的 class 没有。

知道了所有这些,解决方案实际上非常简单 - 只需向 class 添加并使用构造函数,例如

public class KeyClass
{
    public KeyClass(int key) => Key = key;
    public int Key { get; }    
}

或在 C#9 中

public record KeyClass(int Key);

现在可以用了(翻译)

var Query = Context.Table1.Join(Context.Table2,
    x => new KeyClass(x.ID), x => new KeyClass(x.ID2),
    (x, y) => new { x, y });