通过 NHibernate 在不加载对象的情况下更新一对多关系

Update one to many relationship without loading objects by NHibernate

我已将 CodeFirst 方法与 FluentNhibernate 和自动映射结合使用。

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 是“28”),它已经有一些评论。我想向该用户添加更多评论。 Ofc,我可以使用以下代码来更新它:

var dbUser = session.Load<DBUser>("28");
dbUser.Comments.Add(comment);
session.Update(dbUser);

但它运行缓慢并且执行不必要的请求。还有其他方法可以向现有用户添加评论吗?可能没有使用 NHibernate,而只是通过 SQL 请求。

最后,我找到了使用 sqlite-net client:

的简单解决方案

我创建了新的 class:

[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 获得这个用户时,我得到了他们之前的所有评论,以及这段代码添加的新评论。