8

我是 symfony 的新手。我决定用 Symfony 版本 2 移动我的轮子。

在我的用户表单中:

  • 我想验证数据库中电子邮件的唯一性。
  • 我还想使用确认密码字段验证密码。
  • 我可以在 symfony2 文档中找到任何帮助。
4

6 回答 6

24

这些东西我也花了一段时间才找到,所以这就是我想出的。老实说,我不太确定 User 实体的 getRoles() 方法,但这对我来说只是一个测试设置。提供类似的上下文项目只是为了清楚起见。

以下是一些有用的链接,供进一步阅读:

我设置了这一切以确保它也可以作为 UserProvider 来确保安全,因为我认为您可能正在这样做。我还假设您使用电子邮件作为用户名,但您不必这样做。您可以创建一个单独的用户名字段并使用它。有关详细信息,请参阅安全性。

实体(仅重要部分;可自动生成的 getter/setter 被省略):

namespace Acme\UserBundle\Entity;

use Symfony\Component\Security\Core\User\UserInterface;
use Symfony\Bridge\Doctrine\Validator\Constraints as DoctrineAssert;
use Doctrine\ORM\Mapping as ORM;

/**
 * @ORM\Entity()
 * @ORM\HasLifecycleCallbacks()
 *
 * list any fields here that must be unique
 * @DoctrineAssert\UniqueEntity(
 *     fields = { "email" }
 * )
 */
class User implements UserInterface
{
    /**
     * @ORM\Id
     * @ORM\Column(type="integer")
     * @ORM\GeneratedValue(strategy="AUTO")
     */
    protected $id;

    /**
     * @ORM\Column(type="string", length="255", unique="true")
     */
    protected $email;

    /**
     * @ORM\Column(type="string", length="128")
     */
    protected $password;

    /**
     * @ORM\Column(type="string", length="5")
     */
    protected $salt;

    /**
     * Create a new User object
     */
    public function __construct() {
        $this->initSalt();
    }

    /**
     * Generate a new salt - can't be done as prepersist because we need it before then
     */
    public function initSalt() {
        $this->salt = substr(str_shuffle(str_repeat('ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789',5)),0,5);
    }

    /**
     * Is the provided user the same as "this"?
     *
     * @return bool
     */
    public function equals(UserInterface $user) {
        if($user->email !== $this->email) {
            return false;
        }

        return true;
    }

    /**
     * Remove sensitive information from the user object
     */
    public function eraseCredentials() {
        $this->password = "";
        $this->salt = "";
    }


    /**
     * Get the list of roles for the user
     *
     * @return string array
     */
    public function getRoles() {
        return array("ROLE_USER");
    }

    /**
     * Get the user's password
     *
     * @return string
     */
    public function getPassword() {
        return $this->password;
    }

    /**
     * Get the user's username
     *
     * We MUST have this to fulfill the requirements of UserInterface
     *
     * @return string
     */
    public function getUsername() {
        return $this->email;
    }

    /**
     * Get the user's "email"
     *
     * @return string
     */
    public function getEmail() {
        return $this->email;
    }

    /**
     * Get the user's salt
     *
     * @return string
     */
    public function getSalt() {
        return $this->salt;
    }

    /**
     * Convert this user to a string representation
     *
     * @return string
     */

    public function __toString() {
        return $this->email;
    }
}
?>

表单类:

namespace Acme\UserBundle\Form\Type;

use Symfony\Component\Form\AbstractType;
use Symfony\Component\Form\FormBuilder;

class UserType extends AbstractType {
    public function buildForm(FormBuilder $builder, array $options) {
        $builder->add('email');
        /* this field type lets you show two fields that represent just
           one field in the model and they both must match */
        $builder->add('password', 'repeated', array (
            'type'            => 'password',
            'first_name'      => "Password",
            'second_name'     => "Re-enter Password",
            'invalid_message' => "The passwords don't match!"
        ));
    }

    public function getName() {
        return 'user';
    }

    public function getDefaultOptions(array $options) {
        return array(
            'data_class' => 'Acme\UserBundle\Entity\User',
        );
    }
}
?>

控制器:

namespace Acme\UserBundle\Controller;

use Symfony\Bundle\FrameworkBundle\Controller\Controller;
use Symfony\Component\HttpFoundation\Request;
use Acme\UserBundle\Entity\User;
use Acme\UserBundle\Form\Type\UserType;


class userController extends Controller
{
    public function newAction(Request $request) {
        $user = new User();
        $form = $this->createForm(new UserType(), $user);

        if ($request->getMethod() == 'POST') {
            $form->bindRequest($request);

            if ($form->isValid()) {
                // encode the password
                $factory = $this->get('security.encoder_factory');
                $encoder = $factory->getEncoder($user);
                $password = $encoder->encodePassword($user->getPassword(), $user->getSalt());
                $user->setPassword($password);

                $em = $this->getDoctrine()->getEntityManager();
                $em->persist($user);
                $em->flush();

                return $this->redirect($this->generateUrl('AcmeUserBundle_submitNewSuccess'));
            }
        }

        return $this->render('AcmeUserBundle:User:new.html.twig', array (
            'form' => $form->createView()
        ));
    }

    public function submitNewSuccessAction() {
        return $this->render("AcmeUserBundle:User:submitNewSuccess.html.twig");
    }

security.yml 的相关部分:

security:
    encoders:
        Acme\UserBundle\Entity\User:
            algorithm: sha512
            iterations: 1
            encode_as_base64: true

    role_hierarchy:
        ROLE_ADMIN:       ROLE_USER
        ROLE_SUPER_ADMIN: [ROLE_USER, ROLE_ADMIN, ROLE_ALLOWED_TO_SWITCH]

    providers:
        main:
            entity: { class: Acme\UserBundle\Entity\User, property: email }

    firewalls:
        secured_area:
            pattern:    ^/
            form_login:
                check_path: /login_check
                login_path: /login
            logout:
                path:   /logout
                target: /demo/
            anonymous: ~
于 2011-08-19T21:57:03.223 回答
1

我认为创建自定义验证器时需要注意的主要事项是 getTargets() 方法中指定的常量。

如果你改变

self::PROPERTY_CONSTRAINT

至:

self::CLASS_CONSTRAINT

您应该能够访问实体的所有属性,而不仅仅是单个属性。


注意:如果您使用注释来定义约束,您现在需要将定义验证器的注释移动到类的顶部,因为它现在适用于整个实体而不仅仅是单个属性。

于 2011-05-12T15:53:08.047 回答
1

查看http://github.com/friendsofsymfony有一个具有该功能的 UserBundle。您还可以查看http://blog.bearwoods.com,那里有一篇关于为 Recaptcha 添加自定义字段、约束和验证器的博客文章。

如果您仍然遇到麻烦,这些资源应该可以让您走上正确的道路,人们通常在 Freenode 网络上的 #symfony-dev 上的 irc 上提供帮助和友好。在 Freenoce 上还有一个通用频道 #symfony,您可以在其中询问有关如何使用 #symfony-dev 用于开发 Symfony2 Core 的东西的问题。

希望这将帮助您推进您的项目。

于 2011-03-15T13:58:37.080 回答
0

我已经在http://symfony.com/doc/2.0/book/validation.html上完成了所有操作

我的配置:

validator.debit_card:
        class: My\Validator\Constraints\DebitCardValidator
        tags:
            - { name: validator.constraint_validator, alias: debit_card }

尝试使用它

@assert:DebitCard
@assert:debitCard
@assert:debit_card

但它没有被触发?

于 2011-05-15T07:45:18.620 回答
0

您应该能够从文档中获得所需的一切。特别是具有电子邮件检查信息的约束。还有关于编写自定义验证器的文档。

于 2011-03-15T12:12:15.220 回答
-1

来自数据库的唯一电子邮件

验证.yml

Dashboard\ArticleBundle\Entity\Article: 约束:#- Symfony\Bridge\Doctrine\Validator\Constraints\UniqueEntity: senderEmail - Symfony\Bridge\Doctrine\Validator\Constraints\UniqueEntity: { fields: senderEmail, message: This email already exists }

带确认密码的密码

    $builder->add('password', 'repeated', array(
       'first_name' => 'password',
       'second_name' => 'confirm',
       'type' => 'password',
       'required' => false,
    ));
于 2013-07-10T13:16:20.850 回答