1

我正在尝试进行搜索,对具有特定标签或标签的帖子使用分页(例如,如果用户要选择两个标签,则将返回包含任一标签的帖子)。

我在我的 Posts 表中定义了关系

public $hasAndBelongsToMany = array('Tags' => array(
            'className'              => 'Tags',
            'joinTable'              => 'posts_tags',
            'foreignKey'             => 'post_id',
            'associationForeignKey'  => 'tag_id',
            'unique'                 => 'keepExisting'));

如何使用 Find 检索具有给定标签的行(名称或 ID 可以)

试:

// other pagination settings goes here
$this->paginate['conditions']['Tags.id'] = 13;

给我一个关系不存在的错误。

查看调试信息,这些表似乎没有加入 Posts_Tags 和 Tags 表,但是,当我将数据调试到视图时,Posts 对象包含标签数据。

我能找到的大部分文档似乎都围绕着早期版本的 CakePHP,任何帮助将不胜感激。

4

2 回答 2

3

自己找不到令人满意的解决方案。我创建了一个行为来解决这个问题。

创建一个名为 HabtmBehavior.php 的文件并将其放在您的 app/Model/Behavior 文件夹中。将代码块放在那里并保存文件。

将行为添加到您的模型中:例如 public $actsAs = array('Habtm');

这是 find 的使用示例。

<?php $this->Entry->find('all', array('habtm'=>array('Tag'=>array('Tag.title'=>'value to find'))) ?>

分页看起来像这样:

$this->paginate['Entry']['habtm']['Tag'] = array('Tag.title'=>'value to find');

您可以通过在 habtm 数组中添加其他模型名称来随意添加任意数量的关系。(请注意不要让它变得复杂,因为这可能会开始减慢您的查找结果。)

<?php
class HabtmBehavior extends ModelBehavior {

    public function beforeFind(Model $model, $options) {
    if (!isset($options['joins'])) {
      $options['joins'] = array();
    }
    if (!isset($options['habtm'])) {
      return $options;
    }
    $habtm = $options['habtm'];
    unset($options['habtm']);

    foreach($habtm as $m => $scope){
      $assoc = $model->hasAndBelongsToMany[$m];
      $bind = "{$assoc['with']}.{$assoc['foreignKey']} = {$model->alias}.{$model->primaryKey}";

      $options['joins'][] = array(
          'table' => $assoc['joinTable'],
          'alias' => $assoc['with'],
          'type' => 'inner',
          'foreignKey' => false,
          'conditions'=> array($bind)
      );

      $bind = $m.'.'.$model->{$m}->primaryKey.' = ';
      $bind .= "{$assoc['with']}.{$assoc['associationForeignKey']}";

      $options['joins'][] = array(
          'table' => $model->{$m}->table,
          'alias' => $m,
          'type' => 'inner',
          'foreignKey' => false,
          'conditions'=> array($bind) + (array)$scope,
      );
    }
    return $options;
    }

}

希望这可以帮助。快乐烘焙。

于 2013-03-09T22:51:17.103 回答
1

我认为最好的解决方案是在连接表模型上应用查找功能。我以前试过这个,它工作正常。

在您的 PostTag 模型中:

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

/**
 * @see Model::$belongsTo
 */
    public $belongsTo = array(
        'Post' => array(
            'className' => 'Post',
            'foreignKey' => 'post_id',
        ),
        'Tags' => array(
            'className' => 'Tag',
            'foreignKey' => 'tag_id',
        ),
    );

在您的控制器中:

   // $tagsId = tags ids
    $posts = $this->PostTag->find('all', array('conditions' => array('PostTag.tag_id' => $tagsId),'contain' => array('Post')));

也最好遵循蛋糕命名约定,如果你有标签(复数),post_tags(第一个单数第二个复数),posts(复数)表,你必须有标签,邮政标签,邮政模型。

于 2012-08-28T07:34:56.187 回答