在客户端(例如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)。
作为实体框架的新手而没有完成大量的后端工作,我想知道,是否有可能将实体框架映射类型的ID类似于db中的主键(整数/字符串/ guid)表列?最初,我希望能够使用代码优先。
答案 0 :(得分:0)
实体框架中的密钥始终是基本类型 - 对于复合密钥也是如此。
答案 1 :(得分:0)
我还没有充分利用这个,但是using the technique shown here,您可以创建更加方便使用的强类型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
属性标记为未包含在模型中,并使用标记为internal的属性来提供价值储存。如果有一种方法可以让EF只使用ID<>
类型,那将会很好,但我根本没有考虑过这个。