我使用了FluentNhibernate和自动化的CodeFirst方法。
namespace DBModel
{
public class DBUser
{
public virtual IList<DBComment> Comments { get; set; }
public virtual long Id { get; set; }
}
public class DBComment
{
public virtual int Id { get; set; }
public virtual long CommentId { get; set; }
}
}
var mapping = AutoMap.AssemblyOf<DBModel.DBUser>()
.Where(x => x.Namespace == "DBModel")
.Conventions.Add<CascadeConvention>()
.Conventions.Add<PrimaryKeyConvention>();
public class CascadeConvention : IReferenceConvention, IHasManyConvention, IHasManyToManyConvention
{
public void Apply(IManyToOneInstance instance)
{
instance.Cascade.All();
instance.LazyLoad();
//instance.Not.LazyLoad();
}
public void Apply(IOneToManyCollectionInstance instance)
{
instance.Cascade.All();
instance.LazyLoad();
}
public void Apply(IManyToManyCollectionInstance instance)
{
instance.Cascade.All();
instance.LazyLoad();
}
}
此代码生成以下数据库:
CREATE TABLE "DBComment" (Id integer primary key autoincrement, DBUser_id BIGINT, constraint FKFED204719FFB426D foreign key (DBUser_id) references "DBUser")
CREATE TABLE "DBUser" (Id integer primary key autoincrement)
任务如下:我在我的数据库中记录了DBUser(说它的ID是&#39; 28&#39;)已经有了一些评论。我想为此用户添加更多评论。 Ofc,我可以使用以下代码来更新它:
var dbUser = session.Load<DBUser>("28");
dbUser.Comments.Add(comment);
session.Update(dbUser);
但它运作缓慢并且做了不必要的请求。我还有其他方法可以为现有用户添加评论吗?可能没有使用NHibernate,只是通过SQL请求。
答案 0 :(得分:1)
最后,我使用sqlite-net client找到了简单的解决方案:
我创建了新课程:
[SQLite.Table("DBComment")]
public class DBCommentLite
{
public DBCommentLite(DBModel.DBUser user, DBModel.DBComment comment)
{
DBUser_id = user.Id;
CommentId = comment.CommentId;
}
[SQLite.PrimaryKey]
[SQLite.AutoIncrement]
public int Id { get; set; }
public long CommentId { get; set; }
public long DBUser_id { get; set; }
}
并使用它:
var newComments = newUsers.SelectMany(user =>
{
return user.Comments.Select(comment => new DBCommentLite(user, comment));
});
_InsertAll(newComments);
private void _InsertAll(IEnumerable collection)
{
using (var db = new SQLite.SQLiteConnection(_DBName))
{
db.InsertAll(collection);
db.Commit();
}
}
这比我实施的NHibernate解决方案快得多。当我下次通过NHibernate获得这些用户时,我得到了他们之前的所有评论,以及这些代码添加的新评论。