Как получить пользовательский объект внутри репозитория формы в Symfony 2.8

Я разрабатываю веб-приложение на Symfony. У меня есть 2 объекта, о которых идет речь: «Линия» и «Досье». Так, в 1 дозаторе может быть много строк. Теперь я реализую CRUD для объекта Line, поэтому объект Line имеет «раскрывающийся список» со всеми досье из базы данных. Проблема в том, что в выпадающем списке все досье от любых пользователей, а мне нужно, чтобы в этом выпадающем списке были только опции, у которых user_id = currentUser_id.

Итак, мое действие контроллера:

/**
 * @Route("/add-line", name="addLine")
 */
public function createLineAction(Request $request)
{
  $em = $this->getDoctrine()->getManager();
  $user = $this->getUser();
  $line = new Line();
  $form = $this->createForm(LineType::class, $line);

  $form->handleRequest($request);

  if($form->isSubmitted() && $form->isValid()){
      $em->persist($line);
      $em->flush();

   return $this->redirectToRoute('homepage');
  }

  return $this->render('AppBundle:default:formLines.html.twig', array(
      'form' => $form->createView(),
  ));
}//create dossier action

My LineType (конструктор форм)

use Symfony\Component\Form\AbstractType;
use Symfony\Component\Form\FormBuilderInterface;
use Symfony\Component\OptionsResolver\OptionsResolver;
use Symfony\Bridge\Doctrine\Form\Type\EntityType;
use Symfony\Component\Form\Extension\Core\Type\SubmitType;

class LineType extends AbstractType
{


    public function buildForm(FormBuilderInterface $builder, array $options)
    {
        $builder
            ->add('name')->add('dosier')
            ->add('dosier', EntityType::class, array(
                'class' => 'AppBundle:Dosier',
                'query_builder' => function($repo) {
                    return $repo->dosiersOfCurrentUser();
                },  
                'choice_label' => 'name',
                ))
            ->add('save', SubmitType::class, array(
                'label' => 'Save',
                 'attr'=> array('class'=>'btn btn-success submitButton') 
                 )
            );

    }

    public function configureOptions(OptionsResolver $resolver)
    {
        $resolver->setDefaults(array(
            'data_class' => 'AppBundle\Entity\Line'
        ));
    }

    public function getBlockPrefix()
    {
        return 'appbundle_line';
    }


}

Моя Line.php (сущность)

<?php

namespace AppBundle\Entity;

use Doctrine\ORM\Mapping as ORM;
use Doctrine\Common\Collections\ArrayCollection;
/**
 * Line
 *
 * @ORM\Table(name="line")
 * @ORM\Entity(repositoryClass="AppBundle\Repository\LineRepository")
 */
class Line
{
    /**
     * @var int
     *
     * @ORM\Column(name="id", type="integer")
     * @ORM\Id
     * @ORM\GeneratedValue(strategy="AUTO")
     */
    private $id;

    /**
     * @ORM\ManyToOne(targetEntity="Dosier", inversedBy="lines")
     * @ORM\JoinColumn(name="dosier_id", referencedColumnName="id")
     */
    private $dosier;


    /**
     * @ORM\OneToMany(targetEntity="Loan", mappedBy="line")
     */
    private $loans;


    /**
     * @var string
     *
     * @ORM\Column(name="name", type="string", length=255)
     */
    private $name;


    public function __construct()
    {
        $this->loans = new ArrayCollection();
    }


    /**
     * Get id
     *
     * @return int
     */
    public function getId()
    {
        return $this->id;
    }

    /**
     * Set name
     *
     * @param string $name
     *
     * @return Line
     */
    public function setName($name)
    {
        $this->name = $name;

        return $this;
    }

    /**
     * Get name
     *
     * @return string
     */
    public function getName()
    {
        return $this->name;
    }

    /**
     * Add loan
     *
     * @param \AppBundle\Entity\Loan $loan
     *
     * @return Line
     */
    public function addLoan(\AppBundle\Entity\Loan $loan)
    {
        $this->loans[] = $loan;

        return $this;
    }

    /**
     * Remove loan
     *
     * @param \AppBundle\Entity\Loan $loan
     */
    public function removeLoan(\AppBundle\Entity\Loan $loan)
    {
        $this->loans->removeElement($loan);
    }

    /**
     * Get loans
     *
     * @return \Doctrine\Common\Collections\Collection
     */
    public function getLoans()
    {
        return $this->loans;
    }

    /**
     * Set dosier
     *
     * @param \AppBundle\Entity\Dosier $dosier
     *
     * @return Line
     */
    public function setDosier(\AppBundle\Entity\Dosier $dosier = null)
    {
        $this->dosier = $dosier;

        return $this;
    }

    /**
     * Get dosier
     *
     * @return \AppBundle\Entity\Dosier
     */
    public function getDosier()
    {
        return $this->dosier;
    }
}

и мой репозиторий: DosierRepository.php

<?php

namespace AppBundle\Repository;


use Doctrine\ORM\EntityRepository;

class DosierRepository extends \Doctrine\ORM\EntityRepository
{
    public function dosiersOfCurrentUser() {
        return $this->createQueryBuilder('dosier')
            ->where('dosier.userId = 1 ')
            ->orderBy('dosier.name', 'DESC'); 
    }
}

Как я могу получить текущего пользователя или, по крайней мере, текущий идентификатор пользователя, чтобы сделать запрос типа... select from Dosier, где dosier.user_id = $???


person new_newB1e    schedule 30.10.2017    source источник


Ответы (1)


В контроллере, где вы создаете свою форму, вам нужно передать пользовательский объект вашему типу формы.

$tokenStorage = $this->get('security.token_storage');
$form = $this->createForm(new LineType($tokenStorage), $line);
//... other stuff

Теперь в вашей форме введите этот объект tokenStorage, извлеките пользовательский объект и перейдите к своей функции репо.

use Symfony\Component\Security\Core\Authentication\Token\Storage\TokenStorageInterface;
//.. other use statements

class LineType extends AbstractType
{

    private $user;

    public function __construct(TokenStorageInterface $tokenStorage)
    {
        $this->user = $tokenStorage->getToken()->getUser();
    }
    public function buildForm(FormBuilderInterface $builder, array $options)
    {
        $userId = $this->user->getId();
        $builder
            ->add('name')->add('dosier')
            ->add('dosier', EntityType::class, array(
                'class' => 'AppBundle:Dosier',
                'query_builder' => function($repo) use($userId) {
                    return $repo->dosiersOfCurrentUser($userId);
                },  
                'choice_label' => 'name',
                ))
            ->add('save', SubmitType::class, array(
                'label' => 'Save',
                 'attr'=> array('class'=>'btn btn-success submitButton') 
                 )
            );

    }
}

В репо примените свой фильтр

class DosierRepository extends \Doctrine\ORM\EntityRepository
{
    public function dosiersOfCurrentUser($userId) {
        return $this->createQueryBuilder('dosier')
            ->where('dosier.userId = :userId ')
            ->setParameter('userId',$userId)
            ->orderBy('dosier.name', 'DESC'); 
    }
}
person M Khalid Junaid    schedule 30.10.2017
comment
Спасибо за ваш ответ. Все выглядит нормально, за исключением этой ошибки: автозагрузчик ожидал, что класс AppBundle\Form\LineType будет определен в файле /home/computer/project/src/AppBundle/Form/LineType.php. Файл найден, но класса в нем нет, вероятно, в имени класса или пространстве имен есть опечатка. Если я помещу свой LineRepository или DosierRepository в папку Form, это даст мне ту же ошибку, или если я изменю адрес каталога в entity/Loan.php... то же самое. - person new_newB1e; 31.10.2017
comment
@new_newB1e может быть что-то не так с вашими пространствами имен или именем класса, посмотрите stackoverflow.com/questions/19080796/ и аналогичный от google - person M Khalid Junaid; 31.10.2017
comment
О, извините, я только что заметил, что в этих нескольких файлах... мой LineType.php не имеет оператора пространства имен. Все работает отлично, спасибо за помощь! - person new_newB1e; 31.10.2017