关于非可空PCOO属性的EF Code First Exception

时间:2014-01-13 16:44:46

标签: c# asp.net asp.net-mvc entity-framework ef-code-first

由于种种原因,我有一个不能有任何可空属性的POCO,但是我连接的数据库对于其中一些相应的属性具有空值,所以我必须处理它们并将它们设置为其他在属性getter / setter逻辑中。但我仍然得到......

Constraint Exception was unhandled by user code: The 'DischargeDate' property on 'Visits' could not be set to a 'null' value. You must set this property to a non-null value of type 'System.DateTime'.

......这是我的财产逻辑......

 public class Visits
    {
        private DateTime _dischargeDate;
public DateTime DischargeDate
        {
            get {
                if (this._dischargeDate == null)
                {
                    this._dischargeDate = DateTime.MinValue;
                    return this._dischargeDate;
                }
                else
                {
                    return this._dischargeDate;
                }
            }
            set
            {
                if (value == null)
                {
                    this._dischargeDate = DateTime.MinValue;
                }
                else
                {
                    this._dischargeDate = value;
                }
            }
}

...而DbContext就是直截了当的,就像......

public class MyDBContext : DbContext
    {
        public MyDBContext(string connection)
            : base(connection)
        {
        }

        public DbSet<Visits> Visits { get; set; }
}

我不知道为什么我会收到此错误。它在加载上下文时抛出。或者更具体地说,当我尝试访问DbSet<Visit>访问时,例如_dbcontext.Visits;

1 个答案:

答案 0 :(得分:3)

DateTime不能为空。因此,即使你的setter正在检查null(比较甚至通过我感到惊讶),DateTime 的属性也不能设置为null。所以这就是EF抛出错误的原因,因此逻辑不起作用。

如果数据库中包含空值,则需要POCO将DateTime?作为其属性类型,以便EF可以将其设置为null。

简单地做:

public class Visits
{
    private DateTime _dischargeDate;

    public DateTime? DischargeDate
    {
        get {
            return _dischargeDate;
        }
        set
        {
            if (value == null)
            {
                this._dischargeDate = DateTime.MinValue;
            }
            else
            {
                this._dischargeDate = value.Value;
            }
        }
    }
}

会起作用 - _dischargeDate永远不会为空