我的数据库中有两个表,一个用于帖子,另一个用于评级。这些与MySQL中的关系相关联,因此一个帖子可能有0,1或多个评级,但一个评级只能应用于一个帖子。
当我获取帖子列表时,我也希望获得评分,但无需为foreach循环中的每个帖子单独调用数据库。
为此,我尝试使用SQL查询来获取评级为LEFT JOIN的所有帖子,以便它返回如下结果:
statusId|statusBody|rating
-----------------------------
1, post1, 0
1, post1, 1
2, post2, 0
3, post3, 1
3, post3, 1
SQL工作正常,我得到了我要求的数据。
理想情况下,我现在要尝试实现的是将此表转换为对象集合,每个对象存储发布信息以及取决于其总评级的值。
使用PDO返回数据结果后,这是我用来映射数据的代码:
我的代码的逻辑是这样的:
Get all statuses joined with ratings table
Create empty output array
Loop through PDO result
{
Create loop specific temp array
Push first row of result into temp array
Remove row from PDO result
Loop through PDO result for objects with matching statusId
{
If row matches statusId, add to temp buffer and remove from PDO result
}
Take first row of buffer and create status object
Loop through objects in temp array to calculate ratings and add onto above status object
Clear temp buffer
Add status object to output array
}
return output array
try
{
$result = $pdo->query($sql);
//if($result == false) return false;
$statuses = $result->fetchAll(PDO::FETCH_CLASS, 'status');
}
catch (PDOException $e)
{
return FALSE;
}
if (!$result) {
return FALSE;
}
//create empty output array to be filled up
$status_output = array();
//loop through all status
foreach($statuses as $s1key => $s1value)
{
//initialise temporary array;
$status_temp_buffer = array();
//create temp array for storing status with same ID in and add first row
array_push($status_temp_buffer, $s1value);
//remove from primary array
unset($statuses[$s1key]);
//loop through array for matching entries
foreach($statuses as $s2key => $s2value)
{
//if statusId matches original, add to array;
if($s2value->statusId == $s1value->statusId)
{
//add status to temp array
array_push($status_temp_buffer, $s2value);
//remove from primary array
unset($statuses[$s2key]);
}
//stop foreach if statusId can no longer be found
break;
}
//create new status object from data;
$statObj = $status_temp_buffer[0];
//loop through temp array to get all ratings
foreach($status_temp_buffer as $sr)
{
//check if status has a rating
if($sr->rating != NULL)
{
//if rating is positive...
if($sr->rating == 1)
{
//add one point to positive ratings
$statObj->totalPositiveRatings++;
}
//regardless add one point to total ratings
$statObj->totalAllRatings++;
}
}
//clear temporary array
$status_temp_buffer = NULL;
//add object to output array
array_push($status_output, $statObj);
}
我对此代码提出的问题是,虽然评分很好,而且它正确计算了每个帖子的评分总数,但它仍然显示帖子有多个评级的重复。
对此有任何帮助将不胜感激, 感谢
答案 0 :(得分:1)
据我了解,目标是获得每个Post
条目的总评分。您可以采取另外两种方法,而不是手动循环每个评级:
计算查询中的总数:
SELECT SUM(rating) AS total , .. FROM Posts LEFT JOIN .... GROUP BY statusID
您将收到Post
个条目列表,每个条目都已计算出总评分。如果你有很多 writes
到Ratings
表,而且 reads
,那么这是一个非常好的解决方案。
另一种方法是打破表规范化,但增加 read
性能。您需要做的是在Posts
表中添加另一列:total_rating
。并在INSERT
表格中Ratings
上TRIGGER
,相应地更改Posts.total_rating
。
这种方式有利于简化Posts
的请求。同时,Ratings
表可用于确保total_rating
已正确计算,或重新计算值,如果评级中有一些大的变化:如禁止用户,结果删除此用户的所有评分。