使phpbb mysql查询显示主题中的所有文章

wwtsj6pe  于 2021-06-21  发布在  Mysql
关注(0)|答案(1)|浏览(338)

…与目前的做法相反,现在的做法是在特定论坛中显示每个主题的最后答复。

<?php
// How Many Topics you want to display?
$topicnumber = 10;
// Change this to your phpBB path
$urlPath = "../path/to/forum";

// Database Configuration (Where your phpBB config.php file is located)
include '../path/to/forum/config.php';

$table_topics = $table_prefix. "topics";
$table_forums = $table_prefix. "forums";
$table_posts = $table_prefix. "posts";
$table_users = $table_prefix. "users";
$link = mysql_connect("$dbhost", "$dbuser", "$dbpasswd") or die("Could not connect");
mysql_select_db("$dbname") or die("Could not select database");

$query = "SELECT t.topic_id, p.post_text, t.topic_title, t.topic_last_post_id, t.forum_id, p.post_id, p.poster_id, p.post_time, u.user_id, u.username
FROM $table_topics t, $table_forums f, $table_posts p, $table_users u
WHERE t.topic_id = 7 AND
f.forum_id = t.forum_id AND
t.forum_id = 11 AND
t.topic_status <> 2 AND
p.post_id = t.topic_last_post_id AND
p.poster_id = u.user_id
ORDER BY p.post_id DESC LIMIT $topicnumber";
$result = mysql_query($query) or die("Query failed");                                   

print '<div class="news_block">';
while ($row = mysql_fetch_array($result, MYSQL_ASSOC)) {

echo  "<h4><a href=\"$urlPath/viewtopic.php?f=$row[forum_id]&t=$row[topic_id]&p=$row[post_id]#p$row[post_id]\" TARGET=\"\">" .
$row["topic_title"] .
"</a> </h4>By: " .
$row["username"] . ' - ' . date("l", $row["post_time"]) .
"<p>" .
$row["post_text"] . // <----- 
"</p>";
}
print "</div>";
mysql_free_result($result);
mysql_close($link);

/* date("l", $row["post_time"]) .  date('F j, Y, g:i a', $row["post_time"]) .*/
?>

你可能已经知道了,我远不是一个编码员。我想我已经把它缩小到p.post\u id需要更改,但是不管我给它分配了什么整数或变量,我都不能得到想要的效果。在这一点上我真的很感激你的帮助。谢谢。

nhhxz33t

nhhxz33t1#

我认为您必须从查询中删除此部分:

AND p.post_id = t.topic_last_post_id

现在您要求的帖子(只有一篇)与主题的最后一篇帖子具有相同的id,但您不希望只得到最后一篇。你想得到所有的职位。
编辑:您必须查看数据库并检查post表中是否有任何外键引用了主题。
这样想吧:每个论坛都有许多主题,每个主题都有许多帖子,每个帖子都有一个用户。因此,必须在表之间建立一个连接,以确定行如何匹配在一起。
连接在这方面非常有用。如果使用已经包含这些外键的已完成数据库架构,则联接将帮助您连接查询。
这将是一个结构合理的问题来支持我的解释。

SELECT 
    *
FROM
    $table_forums f
        LEFT JOIN
    $table_topics t ON t.forum_id = f.forum_id
        LEFT JOIN
    $table_posts p ON t.topic_id = p.topic_id
        LEFT JOIN
    $table_users u ON p.poster_id = u.user_id
WHERE
    t.topic_id = 7 AND t.forum_id = 11
        AND t.topic_status <> 2
ORDER BY p.post_id DESC
LIMIT $TOPICNUMBER

相关问题