使用sequelize.js时,如何指定返回的对象不包含包含的模型作为嵌套对象。

例如。:

Model1.findAll({
  include: [{ model: Model2 }]
})


这将返回:

{ id: X, ..., Model2: { ... } }


但我想得到

{ id: X, ..., <model2 attributes> }

最佳答案

不修改结果对象就无法做到这一点。

您有两种选择:

var _ = require("lodash");

Model1
    .findAll()
    .then( function( instance1 ) {
        return instance1
            .getModel2()
            .then( function( instance2 ) {
                return _.extend(instance1.toJSON(), instance2.toJSON() );
            });
    }).then( function( instance1 ) { console.log(instance1) } );


这将创建两个数据库查询。

您的第二个选择是:

var _ = require("lodash");

Model1
    .findAll({
        include: [{ model: Model2 }]
    })
    .then( function( instance1 ) { return instance1.toJSON() } )
    .then( function( instance1 ) {
        var flatInstance = _.extend(instance1, instance1['Model2']);
        delete flatInstance['Model2'];
        return flatInstance;
    })
    .then( function( instance1 ) { console.log(instance1) } );


它将仅使用一个查询。

10-07 21:59