3

我正在尝试从以下操作表中检索表:

列:ID、名称、状态、Product_ID、User_ID 和其他几个与此问题无关的列。

每次用户想要产品时,我都会创建这样的记录:名称 = 想要,状态 = True,Product_ID = 想要的产品的 ID,而 User_ID 是用户的 ID。

然后,每次用户不需要产品时,我都会创建这样的记录:名称 = 想要,状态 = False,Product_ID = 不需要的产品 ID,而 User_ID 是用户的 ID。

我这样做是因为我的表中有其他操作的名称。

现在我想检索所有想要的产品,所以我应该检索所有按product_id 分组的最后想要的操作,以按created_at 降序排序的特定用户,然后只检索status = true 的操作。

因此,为了获得按 product_id 为用户分组的所有最后想要的操作,我这样做了:

Action.select("DISTINCT ON (product_id) product_id,created_at, status, * ").where{(user_id   == id) & (name == 'want')}.group("product_id, id, status").order(' product_id,created_at DESC')

检索每个产品和用户的最后操作,但同时检索真假状态 唯一的问题是我不知道如何过滤此表以仅在为真时获取操作。

我试着这样做:

Action.select("DISTINCT ON (product_id) product_id,created_at, status, * ").where{(user_id == id) & (name == 'want')}.group("product_id, id, status").having("status = 'true'").order(' product_id,created_at DESC')

但这会给我最后一个想要 = true 的动作。如果最后一个动作是 status = false,它将在 status = true 时检索之前的动作。

这是我想要的一个想法,但我不知道如何使用 rails 来实现: http ://sqlfiddle.com/#!9/e4117/3

4

1 回答 1

1

您可以尝试向条件添加子选择并通过以下方式删除组:

Action.
  where( user_id: id, name: "want", status: "true").
  where( ["id IN (SELECT max(id) FROM actions WHERE user_id = ?
              AND name = 'want' GROUP BY product_id)", id]).
  order( "product_id")

您需要依赖 id 列的顺序才能使其正常工作。如果你不能这样做,你可以在子选择中使用 DISTINCT ON:

Action.
  where( user_id: id, name: "want", status: "true").
  where( ["id IN (SELECT DISTINCT ON (product_id) id FROM actions
              WHERE user_id = ? AND name = 'want'
              ORDER BY product_id, created_at DESC)", id]).
  order( "product_id")
于 2013-04-26T12:48:31.763 回答