我有一个具有关联购物车的用户模型。每个购物车都有一个purchased_at日期时间列。我想选择过去 3 个月内未购买购物车的所有用户。
我虽然很简单:
User.joins(:carts).where('not carts.purchased_at < ?', 3.months.ago)
会解决问题,但情况似乎并非如此。我收到了过去 3 个月内购买过商品的用户记录。
有什么想法吗?
您应该能够在普通活动记录中执行此操作:
User.joins(:carts)
.group("users.id")
.having("MAX(carts.purchased_at) < ?", 3.months.ago)
我建议你做一个原始SQL。
User.find_by_sql('
SELECT users.* FROM users WHERE id NOT IN
(SELECT users.id FROM users LEFT JOIN carts ON users.id = carts.user_id
WHERE carts.purchased_at < ?)
', 3.months.ago)
请记住,这只是一个建议。(我认为代码需要一些重构,但你明白了。
对这种复杂的查询使用 squeel gem
:User.where{id.not_in User.joins{carts}.where{carts.purchased_at > 3.months.ago}}
如果您使用的是 AR3(和 ARel):
User.joins(:carts).where(Cart.arel_table[:purchased_at].gt(3.months.ago))
一个巨大的购物车,使用 MAX
和 GROUP BY
可能会很慢。我会使用这种方法。
nq = Cart.where("carts.user_id = users.id AND carts.purchased_at >= ?", 3.months.ago)
User.where("NOT EXISTS (#{nq.to_sql})")
更好的是,我会在User
模型中添加一个名为 last_purchase_at
的列,以使此查询高效。
class User
# add a new column called last_purchase_at
# index the last_purchase_at column
def self.dormant_users(period=3.months)
User.where("last_purchase_at <= ?", period.ago)
end
end
after_create回调添加到Cart
模型以更新User
模型。
class Cart
after_create :update_user_last_purchase_at
def update_user_last_purchase_at
user.update_attribute(:last_purchase_at, purchased_at)
end
end
将此代码添加到迁移脚本中,以设置现有User
模型的last_purchase_at
列。
User.connection.execute("
UPDATE users
JOIN (
SELECT a.user_id, MAX(a.purchased_at) purchased_at
FROM carts a
GROUP BY a.user_id
) carts ON carts.user_id= users.id
SET users.last_purchase_at = cards.purchased_at")
现在您可以按如下方式获取休眠用户:
User.dormant_users # dormant for last 6 months
User.dormant_users(6.months) # dormant for last 6 months