0

我正在尝试学习如何访问和显示信息。我有类别、论坛、主题和帖子。forums 属于类别,topics 属于论坛,posts 属于主题。我不知道如何访问帖子。

表:

categories {category_id, category_title}
forums {forum_id, forum_title}
categories_forums {id_category, id_forum}
topics {topic_id, topic_title}
forums_topics{id_forum, id_topic}
posts {post_id, post title}
topics_posts {id_topic, id_post}

楷模:

class Model_Category extends ORM {

protected $_primary_key = 'category_id';

protected $_has_many = array(
    'forums'=> array(
        'model' => 'forum',               
        'through' => 'categories_forums',   
        'far_key' => 'id_forum',     
        'foreign_key' => 'id_category'  
    ),
  );
}

class Model_Forum extends ORM {

protected $_primary_key = 'forum_id';

 protected $_belongs_to = array(
    'categories'=> array(
        'model' => 'category',                
        'through' => 'categories_forums',   
        'far_key' => 'id_category',       
        'foreign_key' => 'id_forum'   
    ),
);

protected $_has_many = array(
    'topics'=> array(
        'model' => 'topic',                
        'through' => 'forums_topics',    
        'far_key' => 'id_topic',       
        'foreign_key' => 'id_forum'   
    ),
  );
}

class Model_Topic extends ORM {

protected $_primary_key = 'topic_id';

protected $_belongs_to = array(
    'forums'=> array(
        'model' => 'forum',                
        'through' => 'forums_topics',    
        'far_key' => 'id_forum',       
        'foreign_key' => 'id_topic'   
    ),
);

protected $_has_many = array(
    'posts'=> array(
        'model' => 'post',                
        'through' => 'topics_posts',    
        'far_key' => 'id_post',       
        'foreign_key' => 'id_topic'   
    ),
  );
}

class Model_Post extends ORM {

protected $_primary_key = 'post_id';

protected $_belongs_to = array(
    'topics'=> array(
        'model' => 'topic',                
        'through' => 'topics_posts',    
        'far_key' => 'id_topic',       
        'foreign_key' => 'id_post'   
    ),
  );
}

到目前为止,我有以下内容:

foreach ($categories as $category) :
echo $category->category_title;
foreach ($category->forums->find_all() as $forum) :
echo $forum->forum_title;
$num_topics = $forum->topics->count_all(); echo $num_topics;
$num_posts = $forum->topics->posts->count_all(); echo $num_posts;
endforeach;
endforeach;

问题是 echo $num_posts 显示 0。我猜我访问的帖子错误。我该怎么做?

4

1 回答 1

0
  1. 您必须迭代topics才能获得帖子。
  2. count_all()Kohana 重置模型后。

你必须这样做:

    $topics = $forum->topics->find_all()->as_array();

    $num_topics = count($topics);

    foreach($topics as $topic) 
    {
        $num_post_in_topic = $topic->posts->find_all()->count();
    }
于 2012-05-09T07:57:54.000 回答