在本网站中,用户可以使用用户名和密码进行注册,也可以在文章上发表评论。这些模型非常简单:
public class User
{
public int Id { get; set; }
public string Username { get; set; }
public string Password { get; set; }
public bool IsAdmin { get; set; }
public DateTime JoinDate { get; set; }
public string AvatarPath { get; set; }
public string EmailAddress { get; set; }
}
public class ArticleComment
{
public int Id { get; set; }
public int ArticleId { get; set; }
public int UserId { get; set; }
public string CommenterName { get; set; }
public string Message { get; set; }
public DateTime CommentDate { get; set; }
public User User { get; set; }
}
当使用代码优先创建数据库时,实体框架正确地在ArticleComment上的UserId和用户上的Id之间建立了外键关系。
以下是我的用户发布新评论时的代码:
public JsonResult SubmitComment(int articleId, string comment)
{
var response = new JsonResponse();
var currentUser = _userRepository.GetUserByUsername(User.Identity.Name);
//...
var newComment = new ArticleComment
{
ArticleId = articleId,
CommentDate = DateTime.Now,
CommenterName = currentUser.Username,
UserId = currentUser.Id,
User = currentUser,
Message = comment,
};
try
{
_articleRepository.Insert(newComment);
}
catch (Exception e)
{
response.Success = false;
response.AddError("newComment", "Sorry, we could not add your comment. Server error: " + e.Message);
return Json(response);
}
response.Success = true;
response.Value = newComment;
return Json(response);
}
构成newComment对象的值看起来都是正确的,并且我的文章存储库类中的Insert方法是直的,并且重点:
public void Insert(ArticleComment input)
{
DataContext.ArticleComments.Add(input);
DataContext.SaveChanges();
}
但是一旦发生这种情况,poof:我的 Users 表中的新记录与ArticleComments中的新记录一起出现。新用户记录中的所有信息都与该用户的现有记录重复 - 唯一的区别是主键ID的值。是什么给了什么?
答案 0 :(得分:3)
除了我的评论之外,您还需要确保_userRepository
和_articleRepository
都使用相同的DbContext实例。
要不然,或者你可以试试这个:
var newComment = new ArticleComment
{
ArticleId = articleId,
CommentDate = DateTime.Now,
CommenterName = currentUser.Username,
UserId = currentUser.Id,
// User = currentUser, let the UserId figure out the User, don't set it yourself.
Message = comment,
};