我有以下型号
company.js
var Company = DB.Model.extend({
tableName: 'company',
hasTimestamps: true,
hasTimestamps: ['created_at', 'updated_at']
});
user.js的
var User = DB.Model.extend({
tableName: 'user',
hasTimestamps: true,
hasTimestamps: ['created_at', 'updated_at'],
companies: function() {
return this.belongsToMany(Company);
}
});
many-to-many
和Company
之间的User
关系,可以通过数据库中的下表进行处理。
user_company.js
var UserCompany = DB.Model.extend({
tableName: 'user_company',
hasTimestamps: true,
hasTimestamps: ['created_at', 'updated_at'],
users: function() {
return this.belongsToMany(User);
},
companies: function() {
return this.belongsToMany(Company);
}
});
问题在于我运行以下查询。
var user = new User({ id: req.params.id });
user.fetch({withRelated: ['companies']}).then(function( user ) {
console.log(user);
}).catch(function( error ) {
console.log(error);
});
它记录以下错误,因为它正在查找company_user
表而不是user_company
。
{ [Error: select `company`.*, `company_user`.`user_id` as `_pivot_user_id`, `company_user`.`company_id` as `_pivot_company_id` from `company` inner join `company_user` on `company_user`.`company_id` = `company`.`id` where `company_user`.`user_id` in (2) - ER_NO_SUCH_TABLE: Table 'navardeboon.company_user' doesn't exist]
code: 'ER_NO_SUCH_TABLE',
errno: 1146,
sqlState: '42S02',
index: 0 }
有没有办法让它在获取关系时查找某个表?
答案 0 :(得分:1)
使用Bookshelf.js非常重要,如何在数据库中命名表和id。 Bookshelf.js使用外键做一些有趣的事情(即将其转换为单数并附加_id
)。
使用Bookshelfjs的多对多功能时,您不需要UserCompany
模型。但是,您需要遵循表和ID的命名约定才能使其正常工作。
以下是多对多模型的示例。首先,数据库:
exports.up = function(knex, Promise) {
return knex.schema.createTable('books', function(table) {
table.increments('id').primary();
table.string('name');
}).createTable('authors', function(table) {
table.increments('id').primary();
table.string('name');
}).createTable('authors_books', function(table) {
table.integer('author_id').references('authors.id');
table.integer('book_id').references('books.id');
});
};
请注意联结表的命名方式:按字母顺序排列(authors_books
)。如果您编写books_authors
,多对多功能将无法开箱即用(您必须在模型中明确指定表名)。另请注意外键(附加authors
的{{1}}的单数,即author_id)。
现在让我们看看模型。
_id
现在我们的数据库具有正确的表和id命名,我们可以使用belongsToMany,这样可行!不需要var Book = bookshelf.Model.extend({
tableName: 'books',
authors: function() {
return this.belongsToMany(Author);
}
});
var Author = bookshelf.Model.extend({
tableName: 'authors',
books: function() {
return this.belongsToMany(Book);
}
});
模型,Bookshelf.js会为您执行此操作!
以下是高级说明:http://bookshelfjs.org/#Model-instance-belongsToMany
答案 1 :(得分:0)
实际上我找到了一个非常简单的解决方案。你只需要提到这样的表名:
var User = DB.Model.extend({
tableName: 'user',
hasTimestamps: true,
hasTimestamps: ['created_at', 'updated_at'],
companies: function() {
return this.belongsToMany(Company, **'user_company'**);
}
})
并且正如@uglycode所说,不再需要UserCompany
模型了。