Display latest messages from messages table, group by user

*爱你&永不变心* 提交于 2019-12-23 05:15:23

问题


I'm trying to create an inbox for messaging between users.
Here are the following tables:

Messsages
Id | Message_from | message_to | message
1  | 2            |   1        | Hi
2  | 2            |   1        | How are you
3  | 1            |   3        | Hola
4  | 4            |   1        | Whats up
5  | 1            |   4        | Just Chilling
6  | 5            |   1        | Bonjour

Users
Id | Name
1  | Paul
2  | John
3  | Tim
4  | Rob
5  | Sarah
6  | Jeff

I'd like to display an inbox showing the list of users that the person has communicated and the last_message from either users

Paul's Inbox:

Name | user_id | last_message
Sarah| 5       | bonjour
Rob  | 4       | Just Chilling
Tim  | 3       | Hola
John | 2       | How are you 

How do I do this with Active Records?


回答1:


This should be rather efficient:

SELECT u.name, sub.*
FROM  (
   SELECT DISTINCT ON (1)
          m.message_from AS user_id
        , m.message AS last_message
   FROM   users    u
   JOIN   messages m ON m.message_to = u.id
   WHERE  u.name = 'Paul'   -- must be unique
   ORDER  BY 1, m.id DESC
   ) sub
JOIN  users u ON sub.user_id = u.id;

Compute all users with the latest message in the subquery sub using DISTINCT ON. Then join to table users a second time to resolve the name.

Details for DISTINCT ON:
Select first row in each GROUP BY group?

Aside: Using "id" and "name" as column names is not a very helpful naming convention.




回答2:


How about this:

@received_messages = current_user.messages_to.order(created_at: :desc).uniq

If you want to include messages from the user as well, you might have to do a union query, or two queries, then merge and join them. I'm just guessing with some pseudocode, here, but this should set you on your way.

received_messages = current_user.messages_to
sent_messages = current_user.messages_from
(received_messages + sent_messages).sort_by { |message| message[:created_at] }.reverse

This type of logic is belongs to a model, not the controller, so perhaps you can add this to the message model.




回答3:


scope :ids_of_latest_per_user, -> { pluck('MAX(id)').group(:user_id) }
scope :latest_per_user,        -> { where(:id => Message.latest_by_user) }

Message.latest_per_user


来源:https://stackoverflow.com/questions/23728320/display-latest-messages-from-messages-table-group-by-user

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!