6

绝地武士!

我正在开发一些旧的 Yii 项目,并且必须向它们添加一些功能。Yii 是一个非常合乎逻辑的框架,但它有一些我无法理解的东西。也许我还没有理解 Yii-way。因此,我将逐步描述我的问题。对于不耐烦的人 - 最后简要提问。

简介:我想将人类可读的 URL 添加到我的项目中。现在 URL 看起来像:www.site.com/article/359
我希望它们看起来像这样:www.site.com/article/how-to-make-pretty-urls
非常重要:旧文章必须在旧的可用格式化 URL,以及新的 - 新 URL。

第 1 步:首先,我更新了config/main.php中的重写规则:

'<controller:\w+>/<id:\S+>' => '<controller>/view',

我在文章表中添加了新的texturl列。因此,我们将在此处存储新文章的human-readable-part-of-url。然后我用texturl更新了一篇文章进行测试。

第 2 步:应用程序在ArticleControlleractionView中显示文章,因此我在此处添加了用于预处理 ID 参数的代码:

if (is_numeric($id)) {
    // User try to get /article/359
    $model = $this->loadModel($id); // Article::model()->findByPk($id);
    if ($model->text_url !== null) {
        // If article with ID=359 have text url -> redirect to /article/text-url
        $this->redirect(array('view', 'id' => $model->text_url), true, 301);
    }
} else {
    // User try to get /article/text-url
    $model = Article::model()->findByAttributes(array('text_url' => $id));
    $id = ($model !== null) ? $model->id : null ;
}

然后开始遗留代码:

$model = $this->loadModel($id); // Load article by numeric ID
// etc

它完美地工作!但...

第 3 步:但是我们有很多带有 ID 参数的动作!我们必须做什么?使用该代码更新所有操作?我觉得很丑 我找到了CController::beforeAction方法。看起来挺好的!所以我声明了 beforeAction 并在那里进行了 ID 预处理:

protected function beforeAction($action) {
    $actionToRun = $action->getId(); 
    $id = Yii::app()->getRequest()->getQuery('id');
    if (is_numeric($id)) {
        $model = $this->loadModel($id);
        if ($model->text_url !== null) {
            $this->redirect(array('view', 'id' => $model->text_url), true, 301);
        } 
    } else {
        $model = Article::model()->findByAttributes(array('text_url' => $id));
        $id = ($model !== null) ? $model->id : null ;
    }
    return parent::beforeAction($action->runWithParams(array('id' => $id)));
}

是的,它适用于两种 URL 格式,但它执行actionView TWICE并显示页面两次!我能用这个做什么?我完全糊涂了。我是否选择了正确的方法来解决我的问题?

简而言之:我可以在执行任何操作之前处理 ID(GET 参数),然后只使用修改的 ID 参数运行请求的操作(一次!)吗?

4

2 回答 2

13

最后一行应该是:

return parent::beforeAction($action);

还要问你我没有得到你的步骤:3。

正如你所说,你有很多控制器,你不需要在每个文件中编写代码,所以你正在使用 beforeAction:但是你只有 text_url 与所有控制器的文章相关?

$model = Article::model()->findByAttributes(array('text_url' => $id));

===== 更新答案 ======

我已经改变了这个功能,现在检查。

如果 $id 不是数字,那么我们将使用模型找到它的 id 并设置 $_GET['id'],因此在进一步的控制器中它将使用该数字 id。

protected function beforeAction($action) {          
    $id = Yii::app()->getRequest()->getQuery('id');
    if(!is_numeric($id)) // $id = how-to-make-pretty-urls
    {
        $model = Article::model()->findByAttributes(array('text_url' => $id));
        $_GET['id'] = $model->id ; 
    }
    return parent::beforeAction($action);
}
于 2012-08-08T06:28:10.770 回答
2

抱歉,我没有仔细阅读,但你考虑过使用这个扩展吗?

于 2012-08-08T07:23:27.390 回答