使用 knex 将连接限制为一行

Limit join to one row using knex

我正在尝试使用连接从两个表中获取数据。问题是 forum_posts 将包含多个具有相同 thread_id 的项目。我只想通过 ID 或创建日期获得第一个。

function getByGroup(groupId) {
    return knex('forum_threads')
        .select('forum_threads.id', 'forum_threads.updated_at', 'forum_posts.content')
        .where('forum_threads.group_id', '=', groupId)
        .leftJoin('forum_posts', function() {
            this.on('forum_posts.thread_id', '=', 'forum_threads.id');
        })
        .orderBy('updated_at', 'desc')
        .then(function(threads) {
            return threads;
        });
}

我想为连接添加一个 limit(1) 或 min,但不完全确定该怎么做。

您需要向左连接条件添加如下过滤器:

.andOn('forum_posts.created_at', '=', knex.raw("(select min(created_at) from forum_posts where forum_posts.thread_id = forum_threads.id)"))

如果论坛 post 记录具有 id 的最小值 updated_at

,则包含该记录(作为左连接匹配)

完整代码。下面的代码没有经过测试,尽管我确实在我的一段代码中测试了上面的代码片段。

function getByGroup(groupId) {
  return knex('forum_threads')
    .select('forum_threads.id', 'forum_threads.updated_at', 'forum_posts.content')
    .where('forum_threads.group_id', '=', groupId)
    .leftJoin('forum_posts', function() {
        this.on('forum_posts.thread_id', '=', 'forum_threads.id')
            /* The new line here */
            .andOn('forum_posts.created_at', '=', knex.raw("(select min(created_at) from forum_posts where forum_posts.thread_id = forum_threads.id)"))
    })
    .orderBy('updated_at', 'desc')
    .then(function(threads) {
        return threads;
    });
}

干杯!

PS:你没有问,但我发现在调试 Knex 时非常有用的是 .on() 查询报告子句:

    // ...
    .orderBy('updated_at', 'desc')
    /* your code above */
    .on('query', function(data) {
        // outputs the SQL query you generated & runtime data bindings.
        console.log(data);
    })
    .on('query-error', function(error, obj) {
        // outputs the Knex failed query, data, etc.
        console.log("Error:", error);
        console.log("Object: ", obj);
    })
    /* your code below */
    .then(function(threads) {
        return threads;
    });