我是symfony世界的新手。我想在我的服务中使用render,但是我收到了这个错误
调用未定义的方法renderView
我知道renderView是快捷方式
/**
* Returns a rendered view.
*
* @param string $view The view name
* @param array $parameters An array of parameters to pass to the view
*
* @return string The rendered view
*/
public function renderView($view, array $parameters = array())
{
return $this->container->get('templating')->render($view, $parameters);
}
但我不知道我的服务中有什么注射剂。我甚至知道使用php app/console container:debug
命令我可以看到我的所有服务都可用,但我不知道如何选择正确的
更新
我试着补充一下
arguments: [@mailer,@templating]
但我得到了ServiceCircularReferenceException
UPDATE
我改变了我的service.yml
arguments: [@service_container]
甚至我的服务
$email = $this->service_container->get('mailer');
$twig = $this->service_container->get('templating');
使用服务邮件(swift)和渲染。
我不认为这是最好的解决方案。我想注射只有mailer
和templating
更新杰森的回答之后我正在使用Symfony 2.3
我的services.yml
services:
EmailService:
class: %EmailService.class%
arguments: [@mailer,@templating,%EmailService.adminEmail%]
我有这个ServiceCircularReferenceException
你是正确的renderView()
,它只是控制器的快捷方式。使用服务类并注入模板服务时,您所要做的就是将函数更改为render()
。而不是
return $this->renderView('Hello/index.html.twig', array('name' => $name));
你会用的
return $this->render('Hello/index.html.twig', array('name' => $name));
更新Olivia的回复:
如果您遇到循环引用错误,唯一的方法就是注入整个容器。它不被认为是最佳实践,但有时无法避免。当我不得不诉诸于此时,我仍然在构造函数中设置我的类变量,这样我就可以直接注入它们。所以我会这样做:
use Symfony\Component\DependencyInjection\ContainerInterface;
class MyClass()
{
private $mailer;
private $templating;
public function __construct(ContainerInterface $container)
{
$this->mailer = $container->get('mailer');
$this->templating = $container->get('templating');
}
// rest of class will use these services as if injected directly
}
旁注,我刚刚在Symfony 2.5中测试了我自己的独立服务,并没有通过直接注入邮件和模板服务获得循环引用。
使用构造函数依赖注入(使用Symfony 3.4测试):
class MyService
{
private $mailer;
private $templating;
public function __construct(\Swift_Mailer $mailer, \Twig_Environment $templating)
{
$this->mailer = $mailer;
$this->templating = $templating;
}
public function sendEmail()
{
$message = $this->templating->render('emails/registration.html.twig');
// ...
}
}
无需配置参数。
这适用于Symfony +4.2,假设您的应用程序的命名空间是App,而您的邮件程序类服务名为EmailService。
在您的服务类上:
// ...
private $mailer;
private $templating;
public function __construct( \Swift_Mailer $mailer, \Twig\Environment $templating )
{
$this->mailer = $mailer;
$this->templating = $templating;
}
public function sendEmailRegistration()
{
$message = $this->templating->render('emails/registration.html.twig');
// ...
}
// ...
在您的services.yaml上
services:
email_service:
class: App\Service\EmailService
arguments: ['@swiftmailer.mailer.default', '@twig']