3

我之前询问过为 FOSUserBundle 使用多个实体管理器,结果发现 FOSUserBundle (部分)支持它。我需要做的就是在参数中指定我想使用的连接/管理器,如此model_manager_name所述

fos_user:
# ........
    model_manager_name: account1

示例 app/config/config.yml

有了这个 FOSUserBundle 将使用account1连接,并使用该连接数据库中的用户信息。

doctrine:
dbal:
    default_connection:       default
    connections:
    account2:
        dbname:           account2
        user:             account2
        password:         password2
        driver:   pdo_mysql
        host:     localhost
        port:     ~
        charset:  UTF8
    account1:
        dbname:           account1
        user:             account1
        password:         password1
        driver:   pdo_mysql
        host:     localhost
        port:     ~
        charset:  UTF8
    default:
        dbname:           account
        user:             account
        password:         password
        driver:   pdo_mysql
        host:     localhost
        port:     ~
        charset:  UTF8

我的应用程序要求当用户访问(例如)http://myapp.com/a/account1时,应用程序将使用account1连接,而访问http://myapp.com/a/account2将使用account2连接. 对于我的应用程序的逻辑,这很容易从我的控制器中完成,因为我可以使用以下内容;

$em = $this->get('doctrine')->getManager('account2');
$repository = $this->get('doctrine')->getRepository($class, 'account2')

但是,对于登录部分,这并不容易。FOSUserBundle 作为服务容器运行,我不知道在哪里/如何动态更改model_manager_name' 值。我确实知道,FOS\UserBundle\DependencyInjection\FOSUserExtension我可以通过以下方式手动更改其值;

class FOSUserExtension extends Extension
{
public function load(array $configs, ContainerBuilder $container)
{
    $processor = new Processor();
    $configuration = new Configuration();

    $config = $processor->processConfiguration($configuration, $configs);

    $config['model_manager_name'] = 'account2';
    // .................

有什么想法吗?

4

1 回答 1

5

fos_user.model_manager_name确切地说,配置存储在容器中。

您可以编写编译器通行证。这将在冻结容器之前执行,它是您可以更改容器的最后一个地方,它是基于其他服务更改容器的地方。

您的编译器传递将如下所示:

// src/Acme/DemoBundle/DependencyInjection/Compiler/ChangeModelManagerPass.php
namespace Acme\DemoBundle\DependencyInjection\Compiler;

use Symfony\Component\DependencyInjection\Compiler\CompilerPassInterface;
use Symfony\Component\DependencyInjection\ContainerBuilder;

class ChangeModelManagerPass implements CompilerPassInterface
{
    public function process(ContainerBuilder $container)
    {
        $request = $container->get('request');
        $uri = $request->getUri();

        // check if the uri matches some pattern which will cause a change in the
        // `model_manager_name` setting
        if (...) {
            // ... do some stuff to get the correct model manager name

            // set the setting
            $container->setParameter('fos_user.model_manager_name', ...);
        }
    }
}

在文档或Richard Miller的这篇精彩博客文章中阅读有关编译器传递的更多信息。

于 2013-03-06T08:52:10.947 回答