sequelize:findall()包含相同模型2次,条件不同

hjzp0vay  于 2021-06-17  发布在  Mysql
关注(0)|答案(1)|浏览(295)

我想从连接表中选择一个字段,并设置为两个不同条件的输出字段。
表员工:

---------------
empId | name 
---------------
001   | James
002   | Alex
003   | Lisa
---------------

表日期:

------------------------------
empId | dateType | date
------------------------------
001   | REG      | 2018-01-01
001   | TMN      | 2018-12-31
002   | TMN      | 2018-02-01
003   | REG      | 2018-01-01
------------------------------

期望输出:

----------------------------------------
empId | name  | regisDate  | TermDate
----------------------------------------
001   | James | 2018-01-01 | 2018-12-31
002   | Alex  |            | 2018-02-01
003   | Lisa  | 2018-01-01 |
----------------------------------------

下面是我的sql脚本(在mysql工作台上正确工作)。

SELECT emp.empId
       , emp.name
       , reg.date AS regisDate
       , tmn.date AS termDate
FROM Employee AS emp
LEFT JOIN EmpDate AS reg
     ON emp.empId = reg.empId
LEFT JOIN EmpDate AS tmn
     ON emp.empId = tmn.empId
WHERE reg.dateType = 'REG'
      AND tmn.dateType = 'TMN'

下面是我当前的sequelize代码(仍然无法选择所需的数据,因为它导致了3个输出字段)。

exports.getEmployeeData = () => {
    const emp = db.Employee
    const empDate = db.EmpDate

    return emp.findAll({
        raw: true,
        attributes: [ 'empId', 'name', 'EmpDates.date' ],
        include: [{
            required: false,
            model: empDate,
            attributes: [],
            where: { dateType: ['REG', 'TMN'] }
        }]
    })
}

我试着像这样使用模型别名,但没用。

exports.getEmployeeData() = () => {
    const emp = db.Employee
    const empDate = db.EmpDate

    return emp.findAll({
        raw: true,
        attributes: [
            'empId',
            'name',
            'reg.date'
            'tmn.date'
        ],
        include: [{
            required: false,
            model: empDate,
            attributes: [],
            as: 'reg',
            where: { dateType: 'REG' }
        }, {
            required: false,
            model: empDate,
            attributes: [],
            as: 'tmn',
            where: { dateType: 'TMN' }
        }]
    })
}

有人能指导我如何使用sequelize findall()处理这个案例吗?或者如果我改为sequelize query()会更好吗?提前谢谢。

z31licg0

z31licg01#

不能将属性定义为 reg.date 或者 tmn.date . 相反,可以从结果对象构造具有自定义属性的新对象。例如,

emp.findAll({
    raw: true,
    attributes: [
        'empId',
        'name'
    ],
    include: [{
        model: empDate,
        as: 'reg',
        where: { dateType: 'REG' }
    }, {
        model: empDate,
        as: 'tmn',
        where: { dateType: 'TMN' }
    }]
})

从上述结果中,您将得到如下结果:,

[{
    empId: 001,
    name: 'James',
    emp: {
        date: '2018-01-01'
    },
    tmn: {
        date: '2018-01-01'
    }
}, {
    empId: 002,
    name: 'Alex',
    emp: {
        date: '2018-01-01'
    },
    tmn: {
        date: '2018-01-01'
    }
}]

从这个对象,你可以构造你的结果,

result.regisDate = result.emp.date;
result.termDate = result.tmn.date;

相关问题