Возврат и использование многомерного массива записей из базы данных в CodeIgniter 2.0 - PullRequest
2 голосов
/ 13 мая 2011

Эй, ребята! Ну, я пробовал codeigniter, но мне кажется, что я сделал какой-то беспорядок, пытаясь извлечь и отобразить данные из таблиц вот фрагмент кода.

Я хочу получить все статьи, хранящиеся в моей таблице статей, а также извлечь все теги, связанные с каждой статьей, из таблицы отношений и таблицы тегов с именем articleTagRelation и тегов соответственно

Table structure :

Article table      : articleID, articleContent, date
Tags table         : tagID, tagName
articleTagRelation : aricleID,tagID {Combination of both is my primary key}
CI model :

article_model.php

    public function getAllTags($postId){
        $this->db->select('articleTagRelation.tagId as tagId, articleTagRelation.postId as postId, article.tagName as tagName,');
        $this->db->from('articleTagRelation');
        $this->db->join('Tags','Tags.tagId = articleTagRelation.tagId');
        $this->db->where('ArticleTagRelation.articleId',$postId);
        $qTag = $this->db->get();
        if($qTag->num_rows() > 0){
            foreach ($qTag->result() as $tag) {
                return $tag;
            }
        }
    }

    public function getAllArticles(){
        $this->db->select('*');
        $this->db->from('Article');
        $this->db->order_by('date','desc');
        $query=$this->db->get();
        if($query->num_rows()>0){
            foreach ($query->result() as $row) {
                $data['row'] = $row;
                $data['articletags'] = $this->getAllTags($row->articleId); // I'm trying to get get a array of all the associate tags.
                                $post=array($data['row'],$data['articletags']);
            }       
        }else{
            echo 'nothing found !';
        }
        return $post;
    }
my controller file
article.php
I'm calling this function in the index function
    $data['rows'] = $this->blog_model->getAllArticles();
and then loading the view by passing the data array 
now the part where things get messy 
in my view 
  
 echo $r->articleId // works fine
 echo $r->articletags->tagId //gives me a error message


Can any one help me out in printing those tagIds

Ответы [ 2 ]

3 голосов
/ 13 мая 2011

Во-первых, вам вообще не нужен foreach для получения информации о тэге, он возвращается из query_result.

вот так ...

if($qTag->num_rows() > 0){
    return $qTag->result();
}
else {
    return array();  //return empty array if no tags
}

Затем создайте свойВ статье, сделайте это с getAllArticles()

public function getAllArticles(){

    // removed uneccessary select and from
    // the below accomplishes the same thing
    $this->db->order_by('date','desc');
    $query = $this->db->get('Article');

    if ( $query->num_rows() > 0 ) {

        // store the result in a variable you will end up returning
        $articles = $query->result();

        // make sure you foreach by reference so that changes you make
        // to the interated $article will be made to the actual article
        // result
        foreach ($articles as &$article) {

            // create a new property of your article "tags" and save an
            // array of tags in it
            $article->tags = $this->getAllTags( $article->articleId );
        }

    } else {
        echo 'nothing found !';
    }

    return $articles;
}

Последнее, что следует отметить, это то, что когда вы теперь ссылаетесь на $r->tags, который является массивом, вы можете foreach обработать все теги ИЛИ ссылатьсяиндекс как $r->tags[3]->tagId

0 голосов
/ 13 мая 2011
if($qTag->num_rows() > 0){
    foreach ($qTag->result() as $tag) {
          $tags[] = $tag; //this create the array with the result
    }
    return $tags;
}

«$ r-> articletags-> tagId» работает только в том случае, если вы возвращаете результаты как объект, вместо этого используйте «$ r-> articletags ['tagId']».

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...