我正在研究小型Symfony项目。除了它包含用户授权和个人资料的一切。我添加了FOSUserBundle来满足这种需求,它从btw框中可以很好地发挥作用。
这是我的show_content.html.twig
,实际上它几乎和盒子里的相同:
{% trans_default_domain 'FOSUserBundle' %}
<div class="fos_user_user_show">
<p>{{ 'profile.show.email'|trans }}: {{ user.email }}</p>
<p>{{ 'profile.show.points'|trans }}: {{ user.points }}</p>
<p><a href="{{ path('fos_user_security_logout') }}">Logout</a></p>
</div>
每位用户都可以获得积分。我为它创建了简单的实体:
<?php
namespace Acme\UserBundle\Entity;
use Doctrine\ORM\Mapping as ORM;
/**
* @ORM\Entity
* @ORM\Table(name="fos_user_points")
*/
class Points
{
/**
* @ORM\Id
* @ORM\Column(type="integer")
* @ORM\GeneratedValue(strategy="AUTO")
*/
protected $id;
/**
* @ORM\Column(type="string")
*/
protected $datetime;
/**
* @ORM\Column(type="integer")
*/
protected $points;
/**
* @ORM\Column(type="string")
*/
protected $email;
//Getters and setters go here
}
我还添加了一个简单的表单,用户可以按下按钮,随机生成的点转到他的帐户。它工作得很好,因为它只是用户实体中的一个变量。但现在我需要在用户配置文件中实现获取历史记录的点。这就是创建Points实体的原因。我看到点正在运行到fos_user_points表,但是如何将此内容添加到用户配置文件中?我不确定直接从数据库中获取它们是否安全。
答案 0 :(得分:1)
如果我理解得很清楚,积分与创建它们的用户有关。要实现此目的,您应该创建从User实体到Points实体的一对多关系。首先,您应该编写自己的用户实体,该实体继承自FOSUserBundle提供的用户实体。
例如:
<?php
namespace Acme\UserBundle\Entity;
use Doctrine\ORM\Mapping as ORM;
use FOS\UserBundle\Entity\User as BaseUser;
/**
* User
*
* @ORM\Table(name="fos_user")
* @ORM\Entity(repositoryClass="Acme\UserBundle\Entity\UserRepository")
*/
class User extends BaseUser
{
/**
* @var integer
*
* @ORM\Id
* @ORM\Column(name="id", type="integer")
* @ORM\GeneratedValue(strategy="AUTO")
*/
protected $id;
/**
* @ORM\OneToMany(targetEntity="Acme\UserBundle\Entity\Points")
*/
protected $points;
顺便说一下,email
实体中Points
属性的用法是什么?我在那里处理点和用户之间的关系,不再需要了。
答案 1 :(得分:1)
好的,我这样解决了我的问题:
我已经从 ProfileController.php 覆盖showAction()
,如下所示:
public function showAction()
{
$user = $this->getUser();
$em = $this->getDoctrine()->getManager();
$points = $em->getRepository('AcmeUserBundle:Points')->findBy(array('email' => $user->getEmail()));
if (!is_object($user) || !$user instanceof UserInterface) {
throw new AccessDeniedException('This user does not have access to this section.');
}
return $this->render('FOSUserBundle:Profile:show.html.twig', array(
'user' => $user,
'points' => $points
));
}
和 show_content.html.twig 是这样的:
{% trans_default_domain 'FOSUserBundle' %}
<div class="fos_user_user_show">
<p>{{ 'profile.show.email'|trans }}: {{ user.email }}</p>
<p>{{ 'profile.show.points'|trans }}: {{ user.points }}</p>
<p>Points history:</p>
<table style="border: 1px">
{% for point in points %}
<tr>
<td>{{ point.datetime }}</td>
<td>{{ point.points }} points</td>
</tr>
{% endfor %}
</table>
<p><a href="{{ path('fos_user_security_logout') }}">Logout</a></p>
</div>
现在它有效!