我正在进行Silex项目,并且我使用不同的治疗方法:
$connection = new Connection($app);
$app->match('/connection', function () use ($app, $connection) {
$connexion->connectMember();
return $app->redirect($app['url_generator']->generate('goHome'));
})->method('GET|POST')->bind('doConnection');
在我的班级'Connection'的'connectMember()'函数中,我有:
[...]
if($isMember){
[...]
}else{
return $this->_app['twig']->render(
'message.twig',
array('msg' => "This member does not exist.", 'class' => 'Warning'));
}
[...]
但是render()方法不起作用。我不想显示我想显示的错误消息,而是启动“$ app-> redirect(...)”。
如何让我的类使用当前对象Silex \ Application?有没有更好的方法将自定义类绑定到Silex应用程序的实例?
非常感谢您的回答!
版本:添加信息
如果我使用:
return $connexion->connectMember();
显示错误消息。但这不是一个好的解决方案。 'connection'类调用其他也使用此代码的类:
$this->_app['twig']->render(...).
如何制作$ this-> _app(存在于我的课程中)对应于我的控制器中创建的变量$ app?
答案 0 :(得分:6)
为Connection
(或Connexion
??)类创建服务并注入应用程序:
use Silex\Application;
class Connection
{
private $_app;
public function __construct(Application $app)
{
$this->_app = $app;
}
// ...
}
$app['connection'] = function () use ($app) {
return new Connection($app); // inject the app on initialization
};
$app->match('/connection', function () use ($app) {
// $app['connection'] executes the closure which creates a Connection instance (which is returned)
return $app['connection']->connectMember();
// seems useless now?
return $app->redirect($app['url_generator']->generate('goHome'));
})->method('GET|POST')->bind('doConnection');
答案 1 :(得分:1)
如果您使用$ app-> share(...)进行依赖注入,您可以设置类似这样的内容(它是伪代码):
<?php
namespace Foo;
use Silex\Application as ApplicationBase;
interface NeedAppInterface {
public function setApp(Application $app);
}
class Application extends ApplicationBase {
// from \Pimple
public static function share($callable)
{
if (!is_object($callable) || !method_exists($callable, '__invoke')) {
throw new InvalidArgumentException('Service definition is not a Closure or invokable object.');
}
return function ($c) use ($callable) {
static $object;
if (null === $object) {
$object = $callable($c);
if ($object instanceof NeedAppInterface) {
// runtime $app injection
$object->setApp($c); // setApp() comes from your NeedAppInterface
}
}
return $object;
};
}
}
现在这样做:
$app['mycontroller'] = $app->share(function() use ($app) {
return new ControllerImplementingNeedAppInterface();
});
会在调用$ app ['mycontroller']时自动设置$ app!
PS:如果您不想使用 - &gt; share()尝试使用__invoke($ app),因为\ Pimple :: offsetGet()会调用它:p