1

我无法弄清楚为什么这段代码不起作用。beforeSave没有被调用。它应该会失败保存并在调试日志中添加一些行,但它实际上确实保存正常并且调试日志中没有写入任何行。

<?php
class Link extends AppModel {
    var $name = "Link";
    var $belongsTo = array('Category' => array('className' => 'Category', 'foreignKey' => 'category_id'));

  public function beforeSave(){
        if ($this->data[$this->alias]['id'] == null) {
            $this->log("new record", 'debug');
            $link = $this->find('first',array('conditions' => array('Link.status = 1 AND Link.category_id = '.$this->data[$this->alias]['category_id']), 'order' => array('Link.order DESC') ));
            if (is_null($link)) {
                $this->data[$this->alias]['order'] = 1;
            }else{
                $this->data[$this->alias]['order'] = $link['Link']['order'] + 1;
            }
        }
        else {
            $this->log("old record", 'debug');
        }
        return false;
    }
}   
?>

我正在像这样在控制器中启动保存:

public function add($category_id = null)
    {
        if ($category_id == null) {
            $this->Session->setFlash(__('Category id cant be null'),'default', array('class' => 'error-message'));
            $this->redirect(array('action' => 'index', 'controller' => 'categories'));
        }
        else
        {
            if($this->request->is('post'))
            {
                $this->Link->create();
                $this->Link->set('category_id' => $category_id));
                if($this->Link->save($this->request->data))
                {
                    $this->Session->setFlash(__('The link has been saved'),'default', array('class' => 'success'));
                    $this->redirect(array('action' => 'index/'.$category_id));
                }
                else
                    $this->Session->setFlash(__('The link could not be saved. Please, try again.'),'default', array('class' => 'error-message'));
            }
            $this->set('category_id',$category_id);
        }
    }

StackOverflow 中的另一个问题指出,beforeSave方法需要在 Model 中声明。我也对另一个模型做了同样的事情。

4

2 回答 2

3

以下是一些一般性建议和对您的代码的一些评论以获得答案:

1) 如果模型回调或任何模型方法不起作用,请确保正在使用正确的模型而不是默认模型 (AppModel)。检查文件名、类名、扩展名(在您的情况下)和位置。

2)您错误地使用了条件数组(在这种情况下)。

array('conditions' => array('Link.status = 1 AND Link.category_id = '.$this->data[$this->alias]['category_id'])

你真的应该这样做:

array('conditions' => array('Link.status' => 1, 'Link.category_id' => $this->data[$this->alias]['category_id'])

3)您的重定向使用错误

$this->redirect(array('action' => 'index/'.$category_id));

应该:

$this->redirect(array('action' => 'index', $category_id));
于 2012-07-17T01:04:22.700 回答
2

如所写,您的 save() 将始终与此 beforeSave() 失败。beforeSave() 必须返回 true 才能使保存函数成功。事实上,你的似乎总是返回 false,保证保存失败。

从蛋糕手册:

确保 beforeSave() 返回 true,否则您的保存将失败。

于 2015-02-23T20:56:05.777 回答