0

我正在使用 PHP 5.5 和 Kohana 3.3

我正在开发一个网站结构,它始终将用户的语言偏好作为 uri 的第一个“项目”。

例如:

mydomain.com/en/products mydomain.com/de/store

现在,我确信一些用户会尝试并聪明地输入以下内容:

mydomain.com/products

很好,我只是希望他们被重新路由到

mydomain.com/en/products保持一切一致。

只要uri在URI中只有一个“目录”,我下面的代码就可以工作,例如

mydomain.com/products

mydomain.com/store

但不适用于 uris,例如以下子目录:

mydomain.com/products/something mydomain.com/store/purchase/info

这是我的路线:

Route::set('home_page', '(<lang>)')
    ->defaults(array(
        'controller' => 'Index'
    ));

Route::set('default', '(<lang>(/<controller>(/<action>(/<subfolder>))))')
    ->defaults(array(
        'controller' => 'Index',
        'action' => 'index'
    ));

这是我的父控制器中的代码,每个其他控制器都继承自:

public function before()
        {           
            $this->uri = $this->request->uri();

            $this->lang = $this->request->param('lang');

            //If user directly inputted url mydomain.com without language information, redirect them to language version of site
            //TODO use cookie information to guess language preferences if possible
            if(!isset($this->lang))
            {
                $this->redirect('en/', 302);
            }

            //If the first part of path does not match a language redirect to english version of uri
            if(!in_array($this->lang, ContentManager::getSupportedLangs()))
            {
                $this->redirect('en/'.$this->uri, 302);
            }
          }
4

1 回答 1

1

您可以用这个替换给出的两条路线:

Route::set('default', '(<lang>/)(<controller>(/<action>(/<subfolder>)))',
array(
    'lang' => '(en|fr|pl)'
))
->defaults(array(
    'controller' => 'Index',
    'action' => 'index'
));

其中字符串 (en|fr|pl) 是您支持的语言的串联,即'('.implode('|', ContentManager::getSupportedLangs()).')'.

如果这个解决方案仍然晦涩难懂,我很乐意更详细地解释它,但我希望你能在反思中看到你的问题出现了,因为你的第一条路线 ,home_page与 eg 匹配mydomain.com/products

你的控制器的before()功能也应该修改。重定向将无法正常工作,因为您最终将重定向到 eg en/ru/Index。那么为什么不保持简单并使用:

    public function before()
    {           
        $default_lang = 'en';
        $this->lang = $this->request->param('lang', $default_lang);
    }
于 2013-02-05T22:25:54.910 回答