1

ネストされた MySQL クエリを使用してユーザーの投稿を取得します。SQL_CALC_FOUND_ROWS を子クエリに入れると、MySQL は次のエラーを返します。Incorrect usage/placement of 'SQL_CALC_FOUND_ROWS'

クエリは次のとおりです。

SELECT inner_table.*
  , users.username as last_username
  , posts.date_added as last_date_added
  , users.user_id as last_user_id
  , posts.date_added as last_post_date 
FROM (
    SELECT SQL_CALC_FOUND_ROWS topics.topic_id
      , topics.date_added
      , topics.title
      , topics.user_id
      , MAX(posts.post_id) as last_post
      , posts.user_id as post_user_id
      , users.username
      , topics.previews
      , topics.fcat_id
      , topics.is_important
      , topics.is_locked
      , topics.lastpost_time
      , (SELECT COUNT(*) FROM posts WHERE posts.topic_id=topics.topic_id) as posts_cnt
    FROM topics
    LEFT JOIN users ON (users.user_id = topics.user_id)
    LEFT JOIN posts ON (topics.topic_id = posts.topic_id)
    WHERE topics.user_id = ".$this->session->getSession("user_data", "user_id")."
    OR ".$this->session->getSession("user_data", "user_id")."
    IN (
      SELECT DISTINCT user_id
      FROM posts
      WHERE posts.topic_id = topics.topic_id
    )
    GROUP BY topics.topic_id
    ORDER BY topics.lastpost_time DESC
    LIMIT ".$limit * $page.", ".$limit."
    ) as inner_table
LEFT JOIN `posts` ON (posts.post_id=inner_table.last_post)
LEFT JOIN `users` ON (users.user_id=posts.user_id)
ORDER BY inner_table.lastpost_time DESC
4

1 に答える 1

2

SQL_CALC_FOUND_ROWS内部クエリでは許可されていないと思います。
代わりに外側のクエリに入れます。

SELECT SQL_CALC_FOUND_ROWS inner_table.*
  ....

また、最後の行にエラーがあります。

ORDER BY inner_table.lastpost_time DES

それを次のように置き換えます。

ORDER BY inner_table.lastpost_time DESC

アップデート

あなたのコメントに応えて、次の回避策のアイデア。

内部選択を一時テーブルに出力します。

次のようなコードを使用します。

/* do this once*/
CREATE TABLE `temp_table` LIKE SELECT topics.topic_id
      , topics.date_added ....

/*do this for every query*/
DELETE FROM temp_table WHERE temp_table.topic_id <> 0;
INSERT INTO temp_table SELECT topics.topic_id
  , topics.date_added
  , topics.title
.... /*!! without the limit clause !!*/
SELECT count(*) as rowcount FROM temp_table;

/*then use the temp_table in place of the inner select*/

SELECT inner_table.*
 , users.username as last_username
  , posts.date_added as last_date_added
  , users.user_id as last_user_id
  , posts.date_added as last_post_date 
FROM temp_table .....
LIMIT ....

SQL_CALC_FOUND_ROWS を使用しても INSERT .. SELECT では機能しませんが、上記のコードは回避策です。もちろん、内部クエリを a で個別に実行して、LIMIT 1可能な限り高速にすることができます。

于 2011-05-21T20:57:48.680 に答える