1

我有一个关于 zend 框架 2 路由器的问题。我在mysql中有一个表“seurl”,如下所示:

url             module          controller         action          param
test123         catalog         product            view            5       
abc123          catalog         product            view            6
other           catalog         category           view            10

我想在路由器中包含这些网址。

在 url 字段中,我可以有这样的 url:others/product/ (我想从这个表中路由任何类型的 url)

提前致谢。

后期编辑:

我想从这个表中路由每个 url。

例子:

example.com/test123 将加载模块catalog/控制器product/动作view/参数5

example.com/other 将加载模块catalog/控制器category/动作view/参数10

4

1 回答 1

4

一种方法是将事件(优先级> 0,这很重要!)附加到应用程序的“路由”事件。这个正优先级将导致处理程序在路由匹配发生之前执行,这意味着您有机会添加自己的路由。

类似于以下内容。请记住,这没有在任何地方进行测试,因此您可能需要清理一些东西。

<?php
namespace MyApplication;

use \Zend\Mvc\MvcEvent;
use \Zend\Mvc\Router\Http\Literal;

class Module {

    public function onBootstrap(MvcEvent $e){
        // get the event manager.
        $em = $e->getApplication()->getEventManager();

        $em->attach(            
            // the event to attach to 
            MvcEvent::EVENT_ROUTE,           

            // any callable works here.
            array($this, 'makeSeoRoutes'),   

            // The priority.  Must be a positive integer to make
            // sure that the handler is triggered *before* the application
            // tries to match a route.
            100
        );

    }

    public function makeSeoRoutes(MvcEvent $e){

        // get the router
        $router = $e->getRouter();

        // pull your routing data from your database,
            // implementation is left up to you.  I highly
            // recommend you cache the route data, naturally.               
        $routeData = $this->getRouteDataFromDatabase();

        foreach($routeData as $rd){
                        // create each route.
            $route = Literal::factory(array(
                'route' => $rd['route'],
                'defaults' => array(
                    'module' => $rd['module'],
                    'controller' => $rd['controller'],
                    'action' => $rd['action']
                )
            ));

            // add it to the router
            $router->addRoute($route);
        }
    }
}

这应该确保在应用程序尝试查找 routeMatch 之前将您的自定义路由添加到路由器。

于 2013-06-08T22:26:28.773 回答