5

在 ZF1 中,我曾经在 application.ini 中声明变量

brandname = "Example"
weburl    = "http://www.example.com/"
assetsurl = "http://assets.example.com/"

在 Bootstrap 中我这样做了,所以我可以在视图中访问它们

define('BRANDNAME', $this->getApplication()->getOption("brandname"));
define('WEBURL', $this->getApplication()->getOption("weburl"));
define('ASSETSURL', $this->getApplication()->getOption("assetsurl"));

执行此操作的 ZF2 方法是什么,我知道我可以在 local.php 配置文件中创建一个数组,例如:

return array(
    'example' => array(
        'brandname' => 'Example',
        'weburl'    => 'http://www.example.com/',
        'asseturl'  => 'http://assets.example.com/',
    ),
);

当我想访问控制器中的那个变量时,我可以做

$config = $this->getServiceLocator()->get('Config');
$config['example']['brandname']);

到目前为止一切顺利......但是我如何在视图中访问这个变量?我不想在每个控制器中为它创建一个视图变量。当我在视图 phtml 文件中尝试上述操作时,我得到一个错误。

Zend\View\HelperPluginManager::get was unable to fetch or create an instance for getServiceLocator

有任何想法吗?

4

2 回答 2

7

您可以创建一个简单的视图助手来充当您的配置的代理(完全未经测试)。

模块.php

public function getViewHelperConfig()
{
    return array(
        'factories' => array(
            'configItem' => function ($helperPluginManager) {
                $serviceLocator = $helperPluginManager->getServiceLocator();
                $viewHelper = new View\Helper\ConfigItem();
                $viewHelper->setServiceLocator($serviceLocator);

                return $viewHelper;
            }
        ),
    );
}

配置项.php

<?php

namespace Application\View\Helper;

use Zend\View\Helper\AbstractHelper;
use Zend\ServiceManager\ServiceManager; 

/**
 * Returns total value (with tax)
 *
 */
class ConfigItem extends AbstractHelper
{
    /**
     * Service Locator
     * @var ServiceManager
     */
    protected $serviceLocator;

    /**
     * __invoke
     *
     * @access public
     * @param  string
     * @return String
     */
    public function __invoke($value)
    {
        $config = $this->serviceLocator->get('config');
        if(isset($config[$value])) {
            return $config[$value];
        }

        return NULL;
        // we could return a default value, or throw exception etc here
    }

    /**
     * Setter for $serviceLocator
     * @param ServiceManager $serviceLocator
     */
    public function setServiceLocator(ServiceManager $serviceLocator)
    {
        $this->serviceLocator = $serviceLocator;
    }
}

然后你可以在你的视图中做这样的事情,假设你当然在你的配置中设置了它们:)

echo $this->configItem('config_key');
echo $this->configItem('web_url'); 

我个人倾向于每次都将值传递给视图,尽可能保持视图愚蠢。

于 2013-07-30T15:05:40.517 回答
1

我之前在另一个帖子上回答过这个问题。

/* Inside your action controller method */
// Passing Var Data to Your Layout
$this->layout()->setVariable('stack', 'overflow');

// Passing Var Data to Your Template
$viewModel = new ViewModel(array( 'stack' => 'overflow' ));


/* In Either layout.phtml or {Your Template File}.phtml */
echo $this->stack; // Will print overview

就是这样......无需与视图助手、事件管理器、服务管理器或其他任何东西混为一谈。

享受!

于 2013-12-16T06:44:24.817 回答