9

如果我有一个看起来像这样的域模型:

public class Foo<T> {
    public Guid Id { get; set; }
    public string Statement { get; set; }
    public T Value { get; set; }
}

我想将它用于内置数据类型(字符串、int 等)以及日期。我想像这样使用它:

var foo = new Foo<string>();
foo.Value = "Hey";

如何使用 EF Core 将其保存到数据库中?

我想数据库表看起来像

| Id | Statement | ValueAsString | ValueAsDecimal | ValueAsDate | ValueAsInt | 
| 1  | NULL      | "Hey"         |                |             |            |
| 2  | NULL      |               | 1.1            |             |            |
4

2 回答 2

8

你应该还有课。你的类Foo应该是抽象的。所以你会得到“:

public abstract class Foo<T> {
    public Guid Id { get; set; }
    public string Statement { get; set; }
    public T Value { get; set; }
}

那么你的实现类将是:

public class Orders: Foo<Order> {
}

现在你有了Orders可以存储的泛型类型的类。

于 2017-10-19T08:38:16.430 回答
7

如果您想在与您的问题类似的单个表中将不同的值类型持久保存到数据库中,您可以这样做:

public interface IHasValue<T> {
    T Value { get; set; }
}

public abstract class Foo {
    public Guid Id { get; set; }
    public string Statement { get; set; }
}

public class Foostring : Foo, IHasValue<string> {
    string Value { get; set; }
}

public class FooInt : Foo, IHasValue<int> {
    int Value { get; set; }
}

在你的DbContext类中添加属性:

public DbSet<FooString> FooStrings { get; set: }
public DbSet<FooInt> FooInts { get; set; }

OnModelCreating您可以在以下方法中设置表的列名DbContext

protected override void OnModelCreating(ModelBuilder modelBuilder)
{
    // include the base class so a single table is created for the hierarchy
    // rather than a table for each child class
    modelBuilder.Entity<Foo>().ToTable("Foos");

    // Specify the column names or you will get weird names
    modelBuilder.Entity<FooString>().Property(entity => entity.Value)
        .HasColumnName("ValueAsString");
    modelBuilder.Entity<FooInt>().Property(entity => entity.Value)
        .HasColumnName("ValueAsInt");
}

此代码将生成一个包含、、和Foos列的表。可以在此处找到有关该列的更多信息IdStatementDiscriminatorValueAsStringValueAsIntDiscrimiator

结果表的图像

您仍然需要为要用于的每个类型/列创建一个类T,我认为您无法解决这个问题。

于 2019-05-17T10:38:08.500 回答