C# LINQ 查询会创建意外的新行

本文关键字:意外 新行 创建 LINQ 查询 | 更新日期: 2023-09-27 18:36:35

我有一个以下函数,可以根据给定的 mac 地址是否存在来创建新行或更新模型MACReg中的现有行。

public Boolean RegisterMAC(string pwd, string mac, string location)
{
    School school = getSchoolByCode(pwd);
    if (school == null)
    {
        return false;
    }
    //initial register or update
    using (CloudPrintDbContext db = new CloudPrintDbContext())
    {
        MACReg r = db.MACRegs.Find(mac);
        if (r == null) //create new row
        {
            MACReg m = new MACReg { MAC = mac, Location = location,
                School = school, RegTime = DateTime.Now, UpdateTime = DateTime.Now };
            db.MACRegs.Add(m);
        }
        else //update location
        {
            r.School = school;
            r.Location = location;
            r.UpdateTime = DateTime.Now;
        }
        db.SaveChanges();
    }
    return true;
}

但是,问题是它总是在模型School(而不是MACReg)中创建一个新行。知道为什么吗?谢谢!

MACReg和School的模型如下:

public class MACReg
{
    [Key]
    public string MAC { set; get; }
    [Required]
    public School School { set; get; }
    [Required]
    public string Location { set; get; }
    [Required]
    public DateTime UpdateTime { set; get; }
    [Required]
    public DateTime RegTime { set; get; }
}
public class School
{
    [Key]
    public int SchoolID { set; get; }
    [Required]
    public string SchoolName { set; get; }
    [Required]
    public DateTime CreateTime { set; get; }
    [Required]
    public DateTime PwdExprTime { set; get; }
    [Required]
    public byte[] PwdHash { set; get; }
    [Required]
    public byte[] Salt { set; get; }
}

更新:getSchoolByCode如下

private School getSchoolByCode(string pwd)
{
    using (CloudPrintDbContext db = new CloudPrintDbContext())
    {
        foreach(School s in db.Schools.Where(s => s.PwdExprTime > DateTime.Now)){
            byte[] userH = HashUtils.GenerateHash_Salt(pwd, s.Salt);
            if (HashUtils.CompareByteArrays(userH, s.PwdHash))
            {
                return s;
            }
        }
    }
    return null;
}

C# LINQ 查询会创建意外的新行

您的school来自不同的CloudPrintDbContext,因此 using 语句中的db实例不会对其进行跟踪。如果它没有附加到任何其他DbContext那么您可以在设置School之前将其附加到该然后它应该可以工作。

db.Schools.Attach(school);

另外,我建议您使用 DbSet.Create() 方法而不是 new,以便您可以按照 EF 文档使用动态代理。