3

フィールド (id、from、to、message、stamp) を持つ private_messages という名前の SQL テーブルがあります。スタンプ フィールドはメッセージの日付に対応します

だから私はどのようなクエリが必要ですか:

1) 2 人のユーザー間の会話を取得します (日付順)。

クエリを試してみました

(SELECT * FROM private_messages WHERE from=$my_id AND to=$other_id) 
UNION 
(SELECT * FROM private_messages WHERE from=$other_id AND to=$my_id) 
ORDER BY stamp
;

しかし、うまくいきません...

2)私と他のユーザーの間の最後のメッセージを、それぞれ異なるユーザーとの間で日付順に並べ替えて取得します(たとえば、facebookのように受信トレイを構築するため)?

4

4 に答える 4

9

1.)

SELECT  * 
FROM    private_messages a
WHERE   (a.from = $my_id AND a.to = $other_id) OR
        (a.from = $other_id AND a.to = $my_id)
ORDER   BY stamp DESC

2.)

SELECT  f.*
FROM
        (
            SELECT  *
            FROM    private_messages a
            WHERE  (LEAST(a.from, a.to), GREATEST(a.from, a.to), a.stamp) 
                    IN  (   
                            SELECT  LEAST(b.from, b.to) AS x, 
                                    GREATEST(b.from, b.to) AS y,
                                    MAX(b.stamp) AS msg_time
                            FROM    private_messages b
                            GROUP   BY x, y
                        )
        ) f
WHERE   $my_id IN (f.from, f.to)
ORDER   BY f.stamp DESC
于 2013-01-27T06:54:31.200 に答える
1

Can you try this?

SELECT x.* 
FROM (SELECT * FROM private_messages 
WHERE `to`='$my_id' OR `from`='$my_id' GROUP BY `to`, `from`) AS x 
ORDER BY x.stamp DESC ;

To, From could be reserved words. Noticed that x is a table alias.

于 2013-01-27T08:06:28.597 に答える
0

私は過去にこれを行ったことがありますが、単純なクエリを使用しました。これはあなたのために働くかもしれません

      SELECT * FROM private_messages WHERE (from=$my_id AND to=$other_id) OR (from=$other_id AND to=$my_id) ORDER BY stamp
于 2013-01-27T07:13:20.690 に答える
0

1) 次のように、PHP 変数を引用符で囲む必要があります。

(SELECT * FROM private_messages WHERE from='$my_id' AND to='$other_id') UNION (SELECT * FROM private_messages WHERE from='$other_id' AND to='$my_id') ORDER BY stamp DESC

2)次のようなものを試してください:

SELECT * FROM (SELECT * FROM private_messages WHERE to='$my_id' OR from='$my_id' GROUP BY to, from) AS tmp_table ORDER BY stamp DESC
于 2013-01-27T07:14:54.510 に答える