1

我有两个模型,Post它们Tag是在 HABTM 关系中设置的,如下所示:

class Post extends AppModel {
    public $hasAndBelongsToMany = array('Tag');
}

class Tag extends AppModel {    
    public $hasAndBelongsToMany = array('Post');
}

编辑帖子时,我想在输入框中显示属于该帖子的所有标签。

现在我的帖子控制器中有这个:

$this->set('tags', $this->Post->Tag->find('list'));

但由于某种原因,它会返回表中的每个标签tags,而不是只返回属于该帖子的标签。

如何修改它,使其仅检索属于我正在编辑的帖子的标签?

4

1 回答 1

0

您使用 find() 函数的方式意味着您需要标签表的所有行。

在您的模型中:

class Post extends AppModel {


/**
 * @see Model::$actsAs
 */
    public $actsAs = array(
        'Containable',
    );


        public $hasAndBelongsToMany = array('Tag');
}

class Tag extends AppModel {    

/**
 * @see Model::$actsAs
 */
    public $actsAs = array(
        'Containable',
    );

    public $hasAndBelongsToMany = array('Post');
}

您应该以这种方式使用 find 函数:

$postWithTag = $this->Post->find('first', array('conditions' => array('Post.id' => $post_id),'contain'=>array('Tag')));

它返回 Post 及其标签。

如果你只想要没有帖子的标签,你应该在 PostTag 模型中放置 belongsTo 关系:

class PostTag extends AppModel {    

/**
 * @see Model::$belongsTo
 */
    public $belongsTo = array(
        'Post','Tag'
    );
}

然后以这种方式使用查找功能:

class PostController extends AppController {

/**
 * @see Controller::$uses
 */
    public $uses = array(
        'Post', 'PostTag'
    );

    public function post(){

          /**
           * Your code
           */
          $tags = $this->PostTag->find('all', array('conditions' => array('PostTag.post_id' => $post_id)));
          $this->set('tags',$tags);
    }
于 2013-01-15T06:14:12.370 回答