0

我有一个有效的 MySQL 查询,它从我的数据库中输入的每个社区中选择表的最新占用百分比,但它似乎正在扫描整个数据库的条目,因为查找时间大约需要 3-4 秒。

通过下面查询中提供的详细信息,有人可以为我提供更快/更好的方式来查找每个社区的最新时间戳字段吗?- 我需要查询来选择每个输入的社区,带有最新的时间戳,但每个社区选择的限制应该是 1(意味着名为“测试社区”的社区可能有数百个提交,但我需要选择最新输入的时间戳,以及对表格中输入的每个社区进行相同的选择)

SELECT t1.reportID, t1.communityID, t1.region, t1.percentOccupied,  
t1.TIMESTAMP, Communities.fullName

FROM NightlyReports t1 

INNER JOIN Communities On t1.communityID = Communities.communityID

WHERE t1.TIMESTAMP = ( SELECT MAX( TIMESTAMP ) FROM NightlyReports WHERE 
t1.communityID = NightlyReports.communityID ) 

AND t1.region =  'GA' ORDER BY percentOccupied DESC
4

2 回答 2

1

根据我的经验,相关子查询的性能通常很差。试试这个:

SELECT t1.reportID, t1.communityID, t1.region, t1.percentOccupied
    , t1.TIMESTAMP, Communities.fullName
FROM NightlyReports AS t1 
INNER JOIN Communities ON t1.communityID = Communities.communityID
INNER JOIN (
   SELECT communityID, MAX( TIMESTAMP ) AS lastTimestamp
   FROM NightlyReports 
   WHERE region = 'GA'
   GROUP BY communityID
) AS lastReports ON t1.communityID = lastReports.communityID
                AND t1.TIMESTAMP = lastReports.lastTimestamp
WHERE t1.region =  'GA' 
ORDER BY percentOccupied DESC
于 2018-05-23T22:47:15.140 回答
1

你的查询没问题。对于这个查询(稍微改写一下):

SELECT nr.reportID, nr.communityID, nr.region, nr.percentOccupied,  
       nr.TIMESTAMP, c.fullName
FROM NightlyReports nr INNER JOIN
     Communities c
     ON nr.communityID = c.communityID
WHERE nr.TIMESTAMP = (SELECT MAX(nr2.TIMESTAMP)
                      FROM NightlyReports nr2
                      WHERE nr.communityID = nr2.communityID
                     ) AND
     nr.region =  'GA'
ORDER BY percentOccupied DESC;

你想要索引:

  • NightlyReports(region, timestamp, communityid)
  • NightlyReports(communityid, timestamp)
  • Communities(communityID) (这可能已经存在)

相关子查询本身不是问题。

于 2018-05-24T03:16:23.877 回答