1

在客户端(例如 WPF 或 Silverlight),我通常通过为每个实体创建一个 id 类来模拟实体 id:

class CarId { public readonly int Id; ... } // or string or Guid etc

这样我就可以拥有强类型的 id,并且无需在没有类型信息的情况下传递整数(或字符串或 guid):

class Car { public CarId Id { get; private set; } ... }

(类似的可重用方式是创建一个泛型类 Id 并拥有 Id)。

作为实体框架的新手并且没有做很多后端工作,我想知道,是否有可能将实体框架映射到数据库中的主键(整数/字符串/guid)表列的类型ID?最初我希望能够先使用代码。

4

2 回答 2

0

实体框架中的键始终是原始类型——复合键也是如此。

于 2012-10-13T20:39:17.663 回答
0

我还没有玩够这个,但是使用这里显示的技术,您可以创建更方便使用的强类型 ID。

abstract class BaseEntity
{
}

abstract class BaseEntityWithID<TEntity> : IPrimaryKey<Guid, TEntity>
{
    public ID<Guid, TEntity> ID
    {
        get;
        set;
    }
}

class TestOne : BaseEntityWithID<TestOne>
{
    public string TestString { get; set; }
}

class TestTwo : BaseEntityWithID<TestTwo>
{
    public string TestString { get; set; }
}

interface IPrimaryKey<T, TEntity>
{
    ID<T, TEntity> ID { get; set; }
}

struct ID<T, TEntity> : IEquatable<ID<T, TEntity>>
{
    readonly T _id;

    public ID(T id)
    {
        _id = id;
    }

    public T Value { get { return _id; } }

    public bool Equals(ID<T, TEntity> other)
    {
        if (_id == null || other._id == null)
            return object.Equals(_id, other._id);

        return _id.Equals(other._id);
    }

    public static implicit operator T(ID<T, TEntity> id)
    {
        return id.Value;
    }

    public static implicit operator ID<T, TEntity>(T id)
    {
        return new ID<T, TEntity>(id);
    }

    //I believe this class also needs to override GetHashCode() and Equals()
}

class Program
{
    static void Main(string[] args)
    {
        var testOneStore = new Dictionary<ID<Guid, TestOne>, TestOne>();
        var testTwoStore = new Dictionary<ID<Guid, TestTwo>, TestTwo>();

        Func<TestOne, TestOne> addTestOne = (entity) =>
        {
            if (entity.ID == Guid.Empty)
            {
                entity.ID = Guid.NewGuid();
            }

            testOneStore.Add(entity.ID, entity);

            return entity;
        };

        Func<TestTwo, TestTwo> addTestTwo = (entity) =>
        {
            if (entity.ID == Guid.Empty)
            {
                entity.ID = Guid.NewGuid();
            }

            testTwoStore.Add(entity.ID, entity);

            return entity;
        };

        var id1 = addTestOne(new TestOne { TestString = "hi" }).ID;
        var id2 = addTestTwo(new TestTwo { TestString = "hello" }).ID;

        Console.WriteLine(testOneStore[id1].TestString); //this line works
        Console.WriteLine(testOneStore[id2].TestString); //this line gives a compile-time error

        Console.ReadKey(true);
    }
}

我还没有将它与 Entity Framework 一起使用,但我怀疑该BaseEntityWithID<>类型需要将ID属性标记为未包含在模型中,并使用标记为内部的属性来提供值存储。如果有办法让 EF 只使用该ID<>类型,那就太好了,但我根本没有研究过。

于 2013-08-20T19:29:14.020 回答