Knex.js:如何使用for循环插入多个数据?

时间:2018-07-23 19:07:54

标签: node.js knex.js

我是尝试使用node&knex构建Web应用程序的编码专家。

请想象我有一个从前端发送的对象数组,我需要将所有数据插入数据库,数组结构如下:

[ { dateTime: 'Aug 08 2019 12:00', event_id: '57' },
{ dateTime: ' Aug 09 2018 12:00', event_id: '57' } ]

和表结构类似:

table structure

我的想法是使用for loop&async await函数来完成这项工作,

我能够使用以下代码插入第一个元素:

addDateTime(dateArray) {

        for (let i = 0; i < dateArray.length; i++) {
            let tempDateTime = new Date(dateArray[i].dateTime)

            return this.knex(dateTimes).insert({
                date: tempDateTime.toDateString(),
                start_time: tempDateTime.toTimeString().replace("GMT+0800", ""),
                iso_string: tempDateTime.toISOString(),
                event_id: dateArray[i].event_id
            }).returning("event_id");
        }

但是当我尝试使用循环和异步等待功能时,我感到非常困惑和迷茫。

到目前为止我提供的代码没有成功:

addDateTime(dateArray) {

    console.log(dateArray);

    async function insert(dateArray) {
        try{
            for (let i = 0; i < dateArray.length; i++) {
                let tempDateTime = new Date(dateArray[i].dateTime)

                await this.knex(dateTimes).insert({
                    date: tempDateTime.toDateString(),
                    start_time: tempDateTime.toTimeString().replace("GMT+0800", ""),
                    iso_string: tempDateTime.toISOString(),
                    event_id: dateArray[i].event_id
                }).returning("event_id");
            }
        } catch (err) {
            console.log(err);
        }
    }

    insert(dateArray);
}

谢谢。

1 个答案:

答案 0 :(得分:0)

您实际上并不需要在这里循环,因为knex(...).insert可以轻松接受数组。因此,您需要这样的东西:

async function insert(dateArray) {
    try {
        const data = dateArray.map(x => {
            const tempDateTime = new Date(x.dateTime);

            return {
                date: tempDateTime.toDateString(),
                start_time: tempDateTime.toTimeString().replace("GMT+0800", ""),
                iso_string: tempDateTime.toISOString(),
                event_id: x.event_id
            };
        });

        await this.knex(dateTimes).insert(data);
    } catch (err) {
        console.log(err);
    }
}

请记住,由于您的insertasync函数,因此您必须使用await进行调用,因此最后一行应为await insert(dateArray);,这很可能是是你的主要问题。