一旦模型定义,如何建立bookshelf.js关系?

时间:2014-02-04 18:01:35

标签: orm relationship bookshelf.js

我将Bookshelf模型定义为

var Country =  Bookshelf.Model.extend({
    tableName: 'countries',
});

var Address =  Bookshelf.Model.extend({
    tableName: 'addresses',
    country: function() {
        return this.belongsTo(Country,'country_id');
    },
});

现在我可以从数据库中获取我的一个模型

new Country({name:"Italy"}).fetch()
.then(function(country){

创建和地址

    new Address({...}).save().then(function(address){

但是我在文档中找不到什么方法可以帮助我建立'belongsTo'关系。无需手动将country_id属性设置为正确属性。

我唯一看到构建关系的是collection.create(object)方法(http://bookshelfjs.org/#Collection-create),它被描述为方便从对象创建模型,保存它并将其添加到采集;我不知道怎么做最后一部分。

无论如何,当collectionName引用hasOne或belongsTo关系时,collection.create似乎不适用于model.related('collectionName'),因为它们不会重新发送集合。

1 个答案:

答案 0 :(得分:7)

按照你的方式,你需要手动完成。你应该使用这样的反向关系:

var Country =  Bookshelf.Model.extend({
    tableName: 'countries',
    addresses: function() {
       return this.hasMany(Address);
    }
});

var Address =  Bookshelf.Model.extend({
    tableName: 'addresses',
    country: function() {
        return this.belongsTo(Country,'country_id');
    },
});

然后你应该能够做到:

new Country({name: Italy}).fetch().then(function(italy) {

   // also could be italy.related('addresses'), that would add
   // the addresses collection to the "italy" model's "relations" hash
   return italy.addresses().create({...});

}).then(function(address) {

   // ... saved to the db with the correct address

});