fuelphp 路由
路由映射請求一個指向特定控制器方法的 uri。在本章中,我們將詳細(xì)討論 fuelphp 中 路由的概念。
配置
路由配置文件位于 fuel/app/config/routes.php。默認(rèn)的 routes.php 文件定義如下:
return array ( '_root_' =--> 'welcome/index', // the default route '_404_' => 'welcome/404', // the main 404 route 'hello(/:name)?' => array('welcome/hello', 'name' => 'hello'), );
這里, _root_ 是預(yù)定義的默認(rèn)路由,當(dāng)應(yīng)用程序請求根路徑時會匹配,/e.g. http://localhost:8080/。 _root_ 的值是控制器和匹配時要解決的動作。 welcome/index 解析為 controller_welcome 控制器和 action_index 動作方法。同樣,我們有以下保留路由。
- root-未指定 uri 時的默認(rèn)路由。
- 403-httpnoaccessexc 時拋出找到了。
- 404-找不到頁面時返回。
- 500-當(dāng)發(fā)現(xiàn) httpservererrorexception 時拋出。
簡單路由
將路由與請求 uri 進(jìn)行比較。如果找到匹配項,則將請求路由到 uri。簡單路由描述如下,
return array ( 'about' => 'site/about', 'login' => 'employee/login', );
這里, about 匹配 http://localhost:8080/about 并解析控制器、controller_site 和操作方法 action_about
login 匹配 http://localhost:8080/login 并解析控制器 controller_login 和操作方法 action_login
高級路由
您可以在路由中包含任何正則表達(dá)式。 fuel 支持以下高級路由功能:
- :any-這匹配 uri 中從該點(diǎn)開始的任何內(nèi)容,不匹配"無"
- :everything-像:any,但也匹配"nothing"
- :segment-這僅匹配 uri 中的 1 個段,但該段可以是任何內(nèi)容
- :num-匹配任何數(shù)字
- :alpha-匹配任何字母字符,包括 utf-8
- :alnum-匹配任何字母數(shù)字字符,包括 utf-8
例如,以下路由匹配 uri http://localhost:8080/hello/fuelphp 并解析控制器、 controller_welcome 和操作 action_hello
'hello(/:name)?' => array('welcome/hello', 'name' => 'hello'),
controller_welcome中對應(yīng)的action方法如下,
public function action_hello() { $this->name = request::active()->param('name', 'world'); $message = "hello, " . $this->name; echo $message; }
這里,我們使用 request 類從 url 中獲取 name 參數(shù)。如果未找到名稱,則我們使用 world 作為默認(rèn)值。我們將在 request 和 response 章節(jié)中學(xué)習(xí) request 類。
結(jié)果
http 方法操作
fuelphp 支持路由以匹配 http 方法前綴的操作。以下是基本語法。
class controller_employee extends controller { public function get_index() { // called when the http method is get. } public function post_index(){ // called when the http method is post. } }
我們可以根據(jù)配置文件中的 http 動詞將您的 url 路由到控制器和操作,如下所示。
return array ( // routes get /employee to /employee/all and post /employee to /employee/create ‘employee’ => array(array('get', new route(‘employee/all')), array('post', new route(‘employee/create'))), );