我正在开发一个聊天工具,我有问题的sql返回正确的结果与按组和按顺序。表的结构如下所示;
tablename:聊天
id | from | to | sent | read | message
“from”和“to”是有符号整数(用户标识)
“sent”是发送邮件时的时间戳。
“消息”是文本消息
“read”是一个int(0表示未读,1表示已读)。
im试图返回按用户分组的最新邮件列表
如
id from to message sent read
7324 21 1 try again 1349697192 1
7325 251 1 yo whats up 1349741502 0
7326 251 1 u there 1349741686 0
应该在查询之后返回这个
id from to message sent read
7326 251 1 u there 1349741686 0
7324 21 1 try again 1349697192 1
这是我的问题
$q ="SELECT chat.to,chat.read,chat.message,chat.sent,chat.from FROM `chat` WHERE chat.to=$userid GROUP BY chat.from ORDER BY chat.sent DESC,chat.read ASC LIMIT ".(($page-1)*$count).",$count";
它不返回期望的结果;
最佳答案
您应该创建一个子查询,该子查询通过sent
确定最新的users
,然后将其与chat
表连接。
SELECT a.* -- this will list all latest rows from chat table
FROM `chat` a
INNER JOIN
(
SELECT `from`, `to`, MAX(sent) maxSent
FROM `chat`
GROUP BY `from`, `to`
) b ON a.`from` = b.`from` AND
a.`to` = b.`to` AND
a.sent = b.maxSent
-- WHERE .... -- add your condition(s) here
SQLFiddle Demo