6

在我的 .net core 3.1 应用程序中,我想将属性封装在某个实体中:

public class Sample : AuditableEntity
{
    public Sample(string name)
    {
        Name = name;
    }

    public int Id { get; }

    public string Name { get; }
}

因此,当我想检查此类 Sample 是否已经存在时,我已经删除了所有公共设置器,因此在我的代码中某处

_context.Samples.Any(r => r.Name == name)

该行导致错误:System.InvalidOperationException: 'No suitable constructor found for entity type 'Sample'. The following constructors had parameters that could not be bound to properties of the entity type: cannot bind 'name' in 'Sample(string name)'.'.

所以我添加了代码空构造器

public class Sample : AuditableEntity
{
    public Sample() { } // Added empty constructor here

    public Sample(string name)
    {
        Name = name;
    }

    public int Id { get; }

    public string Name { get; }
}

现在该行导致错误:System.InvalidOperationException: 'The LINQ expression 'DbSet<Sample> .Any(s => s.Name == __name_0)' could not be translated. Either rewrite the query in a form that can be translated, or switch to client evaluation explicitly by inserting a call to either AsEnumerable(), AsAsyncEnumerable(), ToList(), or ToListAsync(). See https://go.microsoft.com/fwlink/?linkid=2101038 for more information.'

但是,如果我将私有集添加到Name(或公共),那么一切正常(即使没有空构造函数)。

public class Sample : AuditableEntity
{
    public Sample(string name)
    {
        Name = name;
    }

    public int Id { get; }

    public string Name { get; private set; } // added setter, removed empty constructor
}

谁能解释我为什么需要这个setter,例如Id不需要那个setter。

4

2 回答 2

4

这与 Farhad Jabiyev 在评论中提到的反射有关。EF 找不到该属性,它是隐藏的。当您成功时private set,EF 可以通过反射访问它,因此一切正常。

这可以通过支持字段https://docs.microsoft.com/en-us/ef/core/modeling/backing-field来完成

从上面的链接:支持字段允许 EF 读取和/或写入字段而不是属性。当类中的封装用于限制使用和/或增强应用程序代码访问数据的语义时,这可能很有用,但值应该在不使用这些限制的情况下从数据库读取和/或写入数据库/增强。

这意味着您必须像这样通过流利的 API 将映射添加到您的支持字段。

modelBuilder.Entity<Sample >()
            .Property(b => b.Name)
            .HasField("_name"); // this would have to be the name of the backing field

要访问自动道具的支持字段,您可以使用 this->是否可以访问自动实现属性后面的支持字段?

我会自己添加它,这样会更容易。所以我的课看起来像这样。您将需要上面的映射,并且映射解决了我的财产是私有的问题。如果没有映射,这将失败。

public class Sample : AuditableEntity
{
    private string _name; //now EF has access to this property with the Mapping added
    public Sample(string name)
    {
        _name = name;
    }

    public int Id { get; } 

    public string Name => _name;
}

请看一下勒曼的做法-> https://www.youtube.com/watch?v=Z62cbp61Bb8&feature=youtu.be&t=1191

于 2019-12-29T15:02:54.693 回答
4

谁能解释我为什么需要这个setter,例如Id不需要那个setter。

实际上两者都需要二传手。解释包含在 EF Core包含和排除的属性文档主题中,并且很简单:

按照惯例,所有带有 getter 和 setter 的公共属性都将包含在模型中。

它没有说明原因,但这并不重要,因为这就是它“按设计”的工作方式。

因此,要么将私有设置器添加到您的属性中,要么使用流式 API 将它们显式包含在实体模型中(从而覆盖 EF Core 约定),例如对于Sample仅具有 getter 属性的类:

modelBuilder.Entity<Sample>(builder =>
{
    builder.Property(e => e.Id);
    builder.Property(e => e.Name);
});

我个人发现添加私有 setter 更容易,更不容易出错。

于 2019-12-29T15:04:52.590 回答