0

我有一个名为People

id | name |parent_id
---+------+---------
1  | John | 0
2  | Jane | 1
3  | James| 1
4  | Jack | 0
5  | Jim  | 4
6  | Jenny| 4

所以约翰是简和詹姆斯的父母。树是这样的。

John
-Jane
-James
Jack
-Jim
-Jenny

我想做一张看起来像的桌子

<table border="1">
    <tr>
        <th colspan="2">John</th>
    </tr>
    <tr>
        <td>-</td><td>Jane</td>
    </tr>
    <tr>
        <td>-</td><td>James</td>
    </tr>
    <tr>
        <th colspan="2">Jack</th>
    </tr>
    <tr>
        <td>-</td><td>Jim</td>
    </tr>
    <tr>
        <td>-</td><td>Jenny</td>
    </tr>
<table>

为此,我使用了两个 sql 查询。这是伪代码:

<?php

$firstQuery = 'SELECT id, name FROM People WHERE parent_id = 0';

start creating the table

while ($rowP = $result_parent->fetch())
{
    //get the child rows using the second query in the loop:

    $secondQuery = 'SELECT id, name FROM People WHERE parent_id = $rowP["id"]';

    start creating table rows for child items.

    while ($rowC = $result_child->fetch())
    {
        add names into the table belonging the current parent person
    }
}

?>

所以问题就出现在这里。

  1. 这在性能方面是非常糟糕的方法。什么是正确的方法。

  2. 当我尝试使用父人员的 id 作为子人员查询的参数时,我收到有关bind_param()功能的错误。

  3. 这可以通过一个 SQL 查询来完成JOIN。但我不知道该怎么做。

4

2 回答 2

1

这在性能方面是非常糟糕的方法。什么是正确的方法。

实际上不是。
一些主键查找永远不会造成任何伤害。

当我尝试使用父人员的 id 作为子人员查询的参数时,我收到有关 bind_param() 函数的错误。

首先,您不仅提到了错误消息,还阅读理解了它,并在此处提供了完整且未删减的错误消息。

接下来,对于这个,很容易猜到。利用store_result()

这只能通过一个带有 JOIN 操作的 SQL 查询来完成。但我不知道该怎么做。

甚至曾经是 mysql 官方文档的一部分的规范文本:Managing Hierarchical Data in MySQL(google 上的第一个结果,顺便说一句)

于 2013-07-25T11:12:21.727 回答
0

我已经解决了这个问题:

所以基本思想是在循环中使用fetch()方法。while相反,我在循环之前获取所有结果集,然后在循环中使用它的新实例foreach

<?php   
    $firstQuery = 'SELECT id, name FROM People WHERE parent_id = 0';

    $resultP->setFetchMode(PDO::FETCH_ASSOC);

    $resultP = $db->exec($firstQuery);

    $rowP = $resultP->fetchAll();

    $foreach($rowP as $rp)
    {
        //get the child rows using the second query in the loop:

        $secondQuery = 'SELECT id, name FROM People WHERE parent_id = :p1';

        //start creating table rows for child items.

        $resultP = $db->prepare($secondQuery);

        $resultP->bindValue(':p1', $rp["id"], PDO::PARAM_INT);

        $resultP->setFetchMode(PDO::FETCH_ASSOC);

        $resultP->exeecute();

        $rowC = $resultC->fetchAll();

        $foreach($rowC as $rc)
        {
            //add names into the table belonging the current parent person
        }
    } 
?>
于 2013-07-30T08:13:20.213 回答