Тип регистрационной формы, используя 2 разных условия - PullRequest
0 голосов
/ 24 февраля 2019

Я создал форму регистрации в symfony для пользователей, эти пользователи связаны с другим полем другой таблицы (города), и я хочу, чтобы при входе пользователь мог выбрать свой собственный город, но я не могу получить форму регистрации, чтобы добавитьмне города, которые пользователь выбирает из выпадающего списка.Это действительно ужасно.

Это код регистрационной формы:

public function buildForm(FormBuilderInterface $builder, array $options)
{
    $builder
        ->add('email')
        ->add('Password', PasswordType::class, [
            // instead of being set onto the object directly,
            // this is read and encoded in the controller
            'mapped' => false,
            'constraints' => [
                new NotBlank([
                    'message' => 'Please enter a password',
                ]),
                new Length([
                    'min' => 6,
                    'minMessage' => 'Your password should be at least {{ limit }} characters',
                    // max length allowed by Symfony for security reasons
                    'max' => 4096,
                ]),
            ],
        ])
        ->add('nombre')
        ->add('apellidos')
        //Falta por añadir el mensaje y la ciudad
    ;
}

public function configureOptions(OptionsResolver $resolver)
{
    $resolver->setDefaults([
        'data_class' => User::class,
    ]);
}

А это код контроллера регистрации

    /**
 * @Route("/register", name="app_register")
 */
public function register(Request $request, UserPasswordEncoderInterface $passwordEncoder): Response
{
    $user = new User();
    $form = $this->createForm(RegistrationFormType::class, $user);
    $form->handleRequest($request);
    if ($form->isSubmitted() && $form->isValid()) {
        // encode the plain password
        $user->setPassword(
            $passwordEncoder->encodePassword(
                $user,
                $form->get('Password')->getData()
            )
        );
        //El usuario empezara con 0 minutos de saldo cuando se registre
        $user->setTiempo(0);

        $entityManager = $this->getDoctrine()->getManager();
        $entityManager->persist($user);
        $entityManager->flush();

        // do anything else you need here, like send an email

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

    return $this->render('registration/register.html.twig', [
        'registrationForm' => $form->createView(),
    ]);
}

1 Ответ

0 голосов
/ 25 февраля 2019

Это потому, что вы не добавили города в форму.Вы должны добавить это.Для этого вам нужно выбрать ...

  1. Использовать саму сущность (EntityType)
  2. Создать пользовательский тип формы для городов

Для вашего знанияЯ бы предпочел EntityType.Вот так ... и узнайте больше о EntityType / CustomType @documentation https://symfony.com/doc/current/reference/forms/types/entity.html

$builder
        ->add('email')
        ->add('cities', EntityType::class, [
            'class' => Cities::class,
            'choice_label' => 'name',
            'choice_value' => 'id'
        ])
        ->add('Password', PasswordType::class, [
            // instead of being set onto the object directly,
            // this is read and encoded in the controller
            'mapped' => false,
            'constraints' => [
                new NotBlank([
                    'message' => 'Please enter a password',
                ]),
                new Length([
                    'min' => 6,
                    'minMessage' => 'Your password should be at least {{ limit }} characters',
                    // max length allowed by Symfony for security reasons
                    'max' => 4096,
                ]),
            ],
        ])
        ->add('nombre')
        ->add('apellidos')
        //Falta por añadir el mensaje y la ciudad
    ;
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...