我正在使用PHP和mySQL。我有一张照片。在照片表中我有:照片的链接,category_id,日期。
列出页面上所有类别的最佳方式是什么?每张类别下最新的20张照片?
现在我正在选择所有照片,然后在PHP中将它们排序。如果在一个类别中有500张照片,这似乎效率很低。对于SQL结尾有什么更好的想法吗?
我想到的唯一另一种方法是为每个类别循环一个20限制查询,但如果有100个类别看起来更糟糕!
伪输出
[category_list] => {
[0]=> {
'category_title' => 'photos at sunset',
'posts' => {
[0] => {
'photo_link' = '1.jpg',
}
[1] => {
'photo_link' = '2.jpg',
}
}
}
[1]=> {
'category_title' => 'photos at sunrise',
'posts' => {
[0] => {
'photo_link' = '1.jpg',
}
}
}
}
伪代码
$query =
"
SELECT
photographs.category_id, photographs.photo_link, categories.title
FROM
photographs
INNER JOIN
categories
ON
category.id = photographs.categories.id
ORDER BY
category.id DESC
";
$result = $this->pdo->prepare($query);
$result->execute();
while ($row = $result->fetch(PDO::FETCH_ASSOC)) {
$post[] = $row;
}
$result = null;
$count = sizeof($post);
//get a list of the categories
for($i=0; $i < $count; $i++) {
$categories[$i] = $post[$i]['title'];
}
$categories = array_unique($categories);
//sort categories alphabetically
sort($categories);
//add the newest 20 photos to each category
$categories_count = count($categories);
$posts_count = count($post);
for($i=0; $i < $categories_count; $i++) {
$category_list[$i]['post_count'] = 0;
for($k=0; $k < $posts_count; $k++) {
if ($categories[$i] == $post[$k]['category_title']) {
if ($category_list[$i]['count'] == 19) {
break;
}
$category_list[$i]['category_title'] = $post[$k]['category_title'];
$category_list[$i]['post'][] = $post[$k];
$category_list[$i]['post_count']++;
}
}
}
答案 0 :(得分:2)
可以在一个查询中完成。
假设这是表模式:
CREATE TABLE `parkwhiz_demo`.`test` (
`photo_id` INT UNSIGNED NOT NULL AUTO_INCREMENT PRIMARY KEY ,
`category_id` INT UNSIGNED NOT NULL ,
`date` DATETIME NOT NULL
) ENGINE = MYISAM ;
您可以使用此查询获得每个类别的20张最新照片的有序列表:
select photo_id, category_id, date
from test
where (
select count(*) from test as t
where t.category_id = test.category_id and t.date >= test.date
) <= 20
order by category_id, date desc;
用于创建类似于所需数组结构的PHP循环:
$output = Array();
$prevRow = false;
$i=-1;
while ($row = $result->fetch(PDO::FETCH_ASSOC)) {
if (!$prevRow || $row['category_id'] != $prevRow['category_id']) {
$i++;
$output[$i]['category_id'] = $row['category_id'];
$output[$i]['posts'] = Array();
}
array_push($output[$i]['posts'], Array('image_id'=>$row['image_id']));
}
答案 1 :(得分:0)
只是一个建议,但是如何针对类别列表运行一个查询并使用结果使用LIMIT和UNION的组合为项目创建查询?那样你只发送两个查询;但是,根据每个数据库调用需要多少开销以及mySql在看到UNION时会做多少优化(例如并行处理语句),这可能不比你描述的第二个选项更有效。
我不太了解推荐它,但这是我会尝试的。