4

MySQL にいくつかの階層データを保存しています。さまざまな理由から、(ネストされたセットや隣接リストなどの代わりに) クロージャ テーブルを使用することにしました。これまでのところうまく機能していますが、現在、このツリーを HTML で実際に表示する方法 (つまり、正しいインデントを使用) を理解しようとしています。

例として、私がそのような木を持っているとしましょう...

  • 食べ物
    • 果物
      • りんご
      • 洋ナシ
    • 野菜
      • 人参



私の「Foods」テーブルは次のようになります...

[ID]    [PARENT_ID]    [NAME]
1       0              Food
2       1              Fruits
3       1              Vegetables
4       2              Apples
5       2              Pears
6       3              Carrots



私の「閉鎖」テーブルは次のようになります...

[PARENT]    [CHILD]    [DEPTH]
1           1          0
2           2          0
3           3          0
4           4          0
5           5          0
6           6          0
1           2          1
1           3          1
1           4          2
1           5          2
1           6          2
2           4          1
2           5          1
3           6          1



今、理想的にはこのように、これをHTMLで正しく表示するにはどうすればよいのだろうかと思っています...

<ul>
    <li>Food
        <ul>
            <li>Fruits
                <ul>
                    <li>Apples</li>
                    <li>Pears</li>
                </ul>
            </li>
            <li>Vegetables
                <ul>
                    <li>Carrots</li>
                </ul>
            </li>
        </ul>
    </li>
</ul>

...これは、質問の冒頭にあるように、ツリーを箇条書きで表示します。とにかく、どんな助けでも大歓迎です!

チャールズ

4

1 に答える 1

3

再帰関数呼び出しを使用できます。

PSEUDCODE(Abstruct):

function showTree(parent_id){

      // retrive child ids from DB using given parent id
      result = GetChildren(parent_id);

      while(...){

          child_id = result[...];

          // Call this function itself
          showTree(child_id);

      }
}

PSEUDCODE(詳細):

function showTree( parent_id ){

    /* Retrieve child records which has a relationship with the given parent id.*/

    SQL = "SELECT * FROM Foods ( WHERE PARENT_ID = " + parent_id + ")";
    results = executeSQL(SQL);

    print "<ul>";
    i = 0;
    while(/*results has record*/){
        row = results[i];

        print "<li>" + row["NAME"] + "</li>";

        /*
         * Make a recursive call here.
         * Hand out 'ID' as the parameter. 
         * This 'ID' will be received as 'PARENT_ID' in the function called here.
         */
        call showTree(row["ID"]);

        i = i +1;
    }
    print "</ul>";

}
/* 
 * Now start calling the function from top of the nodes.
 */
call showFoods( 0 ); // parameter '0' is the root node.

これがお役に立てば幸いです。

于 2012-10-20T12:29:09.460 に答える