[Solved] Optimization of group by order by

How to optimize this SQL query?

In case you have your own slow SQL query, you can optimize it automatically here.

For the query above, the following recommendations will be helpful as part of the SQL tuning process.
You'll find 3 sections below:

  1. Description of the steps you can take to speed up the query.
  2. The optimal indexes for this query, which you can copy and create in your database.
  3. An automatically re-written query you can copy and execute in your database.
The optimization process and recommendations:
  1. Create Optimal Indexes (modified query below): The recommended indexes are an integral part of this optimization effort and should be created before testing the execution duration of the optimized query.
  2. Replace Left Join With Subquery (modified query below): The pattern of inflating the amount of data (using joins) and deflating (using GROUP BY) usually slows down queries. In this case, it can be avoided by moving some of the logic to the SELECT clause, and therefore removing some of the LEFT JOINs. In some cases, this transformation can lead to an obsolete GROUP BY clause, which can also be removed.
Optimal indexes for this query:
ALTER TABLE `buyout_calculator_query` ADD INDEX `buyout_query_idx_timestamp` (`timestamp`);
ALTER TABLE `player` ADD INDEX `player_idx_player_id` (`player_id`);
The optimized query:
SELECT
        a.player_id,
        COUNT(a.player_id) AS views,
        (SELECT
            b.firstname 
        FROM
            player AS b 
        WHERE
            (
                a.player_id = b.player_id
            ) LIMIT 1) AS firstname,
        (SELECT
            b.lastname 
        FROM
            player AS b 
        WHERE
            (
                a.player_id = b.player_id
            ) LIMIT 1) AS lastname,
        (SELECT
            b.link_id 
        FROM
            player AS b 
        WHERE
            (
                a.player_id = b.player_id
            ) LIMIT 1) AS link_id 
    FROM
        buyout_calculator_query AS a 
    WHERE
        a.timestamp > 259200 
    ORDER BY
        views DESC

Related Articles



* original question posted on StackOverflow here.