我正在使用EF Core 2.1创建数据库。我可以设置列的默认值,例如
public class SchoolContext : DbContext
{
....
protected override void OnModelCreating(ModelBuilder modelBuilder) {
....
modelBuilder.Entity<Student>().Property(s => s.LastLoginDateTime).HasDefaultValueSql("SYSUTCDATETIME()");
}
....
}
但是,当我尝试使用
IEntityTypeConfiguration
设置默认值时,我收到一个生成错误消息(打印在下面的代码中)。我了解HasDefaultValueSql()
在IEntityTypeConfiguration<>
中不可用。如何解决该限制?顺便说一句,我在Scott Sauber的《使用IEntityTypeConfiguration自定义EF Core 2.0+实体/表映射-2017年9月11日》中创建我的
SchoolContext
。https://scottsauber.com/2017/09/11/customizing-ef-core-2-0-with-ientitytypeconfiguration/
我的代码:
public class StudentConfig : IEntityTypeConfiguration<Student>
{
public void Configure (EntityTypeBuilder<Student> builder)
{
....
// Error CS1061 'PropertyBuilder<DateTime>' does
// not contain a definition for 'HasDefaultValueSql'
// and no extension method 'HasDefaultValueSql'
// accepting a first argument of Type 'PropertyBuilder<DateTime>'
// could be found (are you missing a using directive
// or an assembly reference?)
// Data C:\Users\Paul\source\repos\School\Data\EFClasses
// \Configurations\StudentConfig.cs 22 Active
builder.Entity<Student>().Property(s => s.RecIn).HasDefaultValueSql("SYSUTCDATETIME()");
....
}
}
最佳答案
builder
方法的Configure
参数类型为EntityTypeBuilder<T>
,并且与ModelBuilder.Entity<T>
方法返回的参数类型完全相同。
因此,在使用IEntityTypeConfiguration<T>
时,您应直接使用builder
(不使用Entity<T>()
呼叫ModelBuilder
):
public class StudentConfig : IEntityTypeConfiguration<Student>
{
public void Configure(EntityTypeBuilder<Student> builder)
{
builder.Property(s => s.LastLoginDateTime).HasDefaultValueSql("SYSUTCDATETIME()");
}
}
顺便说一句,
ModelBuilder.Entity<T>()
方法具有Action<EntityTypeBuilder<T>
参数的重载,可以类似的方式使用它:modelBuilder.Entity<Student>(builder =>
{
builder.Property(s => s.LastLoginDateTime).HasDefaultValueSql("SYSUTCDATETIME()");
});
更新:请注意
HasDefaultValueSql
是Microsoft.EntityFrameworkCore.Relational程序集的RelationalPropertyBuilderExtensions
类中定义的扩展方法,因此请确保您的项目正在引用它。关于c# - EF 2.1核心IEntityTypeConfiguration添加默认值,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/51919395/