Symfony — зарегистрированный пользователь не заполняет все поля

Я использую Symfony 2.8 и Doctrine, и у меня настроен security.yml для указания на пользователь класс, который реализует Пользовательский интерфейс.
Моя схема ORM находится в YAML.

Эта проблема:
— В базе данных пользователь также указал поле «электронная почта», Symfony для LOGGED USER не заполняет это поле, а также поле «пароль» пусто.

Скриншот

Когда я делаю $this->get('doctrine.orm.entity_manager')->clear(User::class);
тогда менеджер сущностей правильно выбирает сущность.
Но когда сущность выходит из сессии, это неверно.

Проблема также заключается в том, что когда я пытаюсь получить свежую сущность из базы данных, используя find () в хранилище, неверный элемент из сессии выбирается, когда я не буду использовать $em->clear(User::class)

Вопрос:
— Как сказать Symfony / Doctrine построить мою сущность таким образом, чтобы в ней были заполнены все поля, чтобы она стала устойчивой?

<?php

namespace XXX\AppBundle\Model\Entity;

use XXX\AppBundle\Model\Entity\Server\Logging;
use Doctrine\ORM\Mapping as ORM;
use Symfony\Component\Security\Core\User\UserInterface;

/**
* User
*/
class User implements UserInterface
{
/**
* @var integer $id
*/
protected $id;

/**
* @var string $username
*/
protected $username;

/**
* @var string $email
*/
protected $email;

/**
* @var string $password
*/
protected $password;

/**
* @var array $roles
*/
protected $roles = array();

/**
* @var \Doctrine\Common\Collections\Collection $logEvents
*/
protected $logEvents;

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

/**
* {@inheritdoc}
*/
public function getUsername()
{
return $this->username;
}

/**
* @param string $username
* @return $this
*/
public function setUsername($username)
{
$this->username = $username;
return $this;
}

/**
* @return string
*/
public function getEmail()
{
return $this->email;
}

/**
* @param string $email
* @return $this
*/
public function setEmail($email)
{
$this->email = $email;
return $this;
}

/**
* {@inheritdoc}
*/
public function getPassword()
{
return $this->password;
}

/**
* @param string $password
* @return $this
*/
public function setPassword($password)
{
$this->password = $password;
return $this;
}

/**
* Returns the roles or permissions granted to the user for security.
*/
public function getRoles()
{
$roles = $this->roles;

// guarantees that a user always has at least one role for security
if (empty($roles)) {
$roles[] = 'ROLE_USER';
}

return array_unique($roles);
}

public function setRoles(array $roles)
{
$this->roles = $roles;
}

/**
* Returns the salt that was originally used to encode the password.
*/
public function getSalt()
{
// See "Do you need to use a Salt?" at http://symfony.com/doc/current/cookbook/security/entity_provider.html
// we're using bcrypt in security.yml to encode the password, so
// the salt value is built-in and you don't have to generate one

return;
}

/**
* Removes sensitive data from the user.
*/
public function eraseCredentials()
{
$this->password = null;
$this->email    = null;
}

/**
* Appends an entry to administration log
*
* @param \XXX\AppBundle\Model\Entity\Server\Logging $logEvent
* @return $this
*/
public function appendLog(Server\Logging $logEvent)
{
if (!$this->logEvents->contains($logEvent))
{
$this->logEvents->add($logEvent);
}

return $this;
}

/**
* Remove a log entry from the history
*
* @param \XXX\AppBundle\Model\Entity\Server\Logging $logEvent
* @return $this
*/
public function clearLogEntry(Server\Logging $logEvent)
{
$this->logEvents->removeElement($logEvent);

return $this;
}
}

И конфигурация ORM:

XXX\AppBundle\Model\Entity\User:
type: entity
table: users
repositoryClass: XXX\AppBundle\Model\Repository\UserRepository
id:
id:
type: integer
scale: 0
length: null
unique: false
nullable: false
precision: 0
id: true
generator:
strategy: IDENTITY
fields:
username:
type: string
scale: 0
length: null
unique: true
nullable: false
precision: 0
email:
type: string
scale: 0
length: null
unique: true
nullable: false
precision: 0
password:
type: string
scale: 0
length: null
unique: false
nullable: false
precision: 0
roles:
type: json_array
scale: 0
length: null
unique: false
nullable: false
precision: 0
oneToMany:
logEvents:
targetEntity: XXX\AppBundle\Model\Entity\Server\Logging
cascade:
- remove
- persist
fetch: LAZY
mappedBy: author
inversedBy: null
orphanRemoval: false
orderBy: null
lifecycleCallbacks: {  }

Спасибо за ваше время.
хорошего дня 🙂

0

Решение

Вы реализовали метод UserInterface :: eraseCredentials () таким образом, чтобы он сбрасывал электронную почту и пароль:

public function eraseCredentials()
{
$this->password = null;
$this->email    = null;
}

Symfony вызовет этот метод перед сериализацией объекта, чтобы сохранить его в сеансе.

UserInterface :: eraseCredentials () предназначен для удаления конфиденциальных данных из объекта пользователя, поэтому он не попадает, например, в файлы сеанса, но нет реальной необходимости удалять электронную почту, как вы делаете. Лучшим примером будет, если вы храните незашифрованную версию пароля пользователя где-то на этом объекте, это то, что вы никогда не захотите получить в файлах сеанса.

1

Другие решения

Других решений пока нет …

По вопросам рекламы [email protected]