- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我正在关注 excellent french course专为 symfony 4 设计并开始适应 symfony 5。
我正在尝试在用户进入管理/注销路由时创建重定向路由。根据Symfony 5 official documentation ,我根本不需要在注销函数中写任何东西。
这是关于为管理员用户和没有权限的用户创建防火墙。实际上,我为管理员启用了一条注销路线,但它被解释而不是通过 security.yaml 进程注销管理员......原因是我在主防火墙中被阻止,而不是进入管理防火墙。结果,Symfony 抛出这个 error in screenshot ,说:“ Controller 必须返回一个“Symfony\Component\HttpFoundation\Response”对象,但它返回了 null。您是否忘记在 Controller 中的某处添加 return 语句?”。
我想真正的问题是:我可以切换防火墙吗?我的目标只是为普通用户和管理员用户提供正确的连接形式,以及传达他们自己的重定向路由的正确断开路由。你有什么主意吗 ?我以为每当我使用/admin/* 路由时都会选择管理防火墙...感谢您的帮助!
我将向您展示我的 security.yaml、routes.yaml、检查管理员登录表单的 Controller 、处理管理员/注销路由的 Controller 以及我的管理员注销按钮所在的 twig 模板。
在展示之前,我让您知道我可以同时登录管理员和普通用户。只有管理员注销路由被破坏。以下是文件。
1/5 安全.yaml:
security:
encoders:
App\Entity\User:
algorithm: auto
# https://symfony.com/doc/current/security.html#where-do-users-come-from-user-providers
providers:
in_memory: { memory: null }
in_database:
entity:
class: App\Entity\User
property: email
firewalls:
dev:
pattern: ^/(_(profiler|wdt)|css|images|js)/
security: false
admin:
pattern: ˆ/admin
anonymous: true
provider: in_database
form_login:
login_path: admin_account_login
check_path: admin_account_login
logout:
path: app_admin_account_logout
target: homepage
guard:
authenticators:
- App\Security\LoginFormAuthenticator
main:
context: normal
anonymous: true
provider: in_database
form_login:
login_path: account_login
check_path: account_login
logout:
path: account_logout
target: account_login
guard:
authenticators:
- App\Security\LoginFormAuthenticator
- App\Security\AdminLoginFormAuthenticator
entry_point: App\Security\LoginFormAuthenticator
# activate different ways to authenticate
# https://symfony.com/doc/current/security.html#firewalls-authentication
# https://symfony.com/doc/current/security/impersonating_user.html
# switch_user: true
# Easy way to control access for large sections of your site
# Note: Only the *first* access control that matches will be used
access_control:
- { path: '^/admin/login', roles: IS_AUTHENTICATED_ANONYMOUSLY }
- { path: '^/admin', roles: ROLE_ADMIN }
# - { path: ^/profile, roles: ROLE_USER }
我的 routes.yaml 处理 app_admin_account_logout 路由:
app_admin_account_logout:
path: /admin/logout
methods: GET
3/5 AdminLoginFormAuthenticator.php 检查登录表单
<?php
namespace App\Security;
use App\Entity\User;
use App\Repository\UserRepository;
use Doctrine\ORM\EntityManagerInterface;
use Symfony\Component\HttpFoundation\Request;
use Symfony\Component\Security\Core\Security;
// use Symfony\Component\Security\Csrf\CsrfToken;
use Symfony\Component\HttpFoundation\RedirectResponse;
use Symfony\Component\Security\Core\User\UserInterface;
use Symfony\Component\Security\Http\Util\TargetPathTrait;
use Symfony\Component\Routing\Generator\UrlGeneratorInterface;
use Symfony\Component\Security\Csrf\CsrfTokenManagerInterface;
use Symfony\Component\Security\Core\User\UserProviderInterface;
use Symfony\Component\Security\Guard\PasswordAuthenticatedInterface;
use Symfony\Component\Security\Core\Authentication\Token\TokenInterface;
// use Symfony\Component\Security\Core\Exception\InvalidCsrfTokenException;
use Symfony\Component\Security\Core\Encoder\UserPasswordEncoderInterface;
use Symfony\Component\Security\Guard\Authenticator\AbstractFormLoginAuthenticator;
// use Symfony\Component\Security\Core\Exception\CustomUserMessageAuthenticationException;
class AdminLoginFormAuthenticator extends AbstractFormLoginAuthenticator implements PasswordAuthenticatedInterface
{
use TargetPathTrait;
private $userRepository;
private $entityManager;
private $urlGenerator;
private $csrfTokenManager;
private $passwordEncoder;
public function __construct(UserRepository $userRepository, EntityManagerInterface $entityManager, UrlGeneratorInterface $urlGenerator, CsrfTokenManagerInterface $csrfTokenManager, UserPasswordEncoderInterface $passwordEncoder)
{
$this->entityManager = $entityManager;
$this->urlGenerator = $urlGenerator;
$this->csrfTokenManager = $csrfTokenManager;
$this->passwordEncoder = $passwordEncoder;
$this->userRepository = $userRepository;
}
public function supports(Request $request)
{
// die('Our authenticator is alive!');
return 'admin_account_login' === $request->attributes->get('_route')
&& $request->isMethod('POST');
}
public function getCredentials(Request $request)
{
// dd($request->request->all());
$credentials = [
'email' => $request->request->get('_username'),
'password' => $request->request->get('_password'),
'csrf_token' => $request->request->get('_csrf_token'),
];
// dd($credentials);
$request->getSession()->set(
Security::LAST_USERNAME,
$credentials['email']
);
return $credentials;
}
public function getUser($credentials, UserProviderInterface $userProvider)
{
// dd($credentials);
return $this->userRepository->findOneBy(['email' => $credentials['email']]);
// $token = new CsrfToken('authenticate', $credentials['csrf_token']);
// if (!$this->csrfTokenManager->isTokenValid($token)) {
// throw new InvalidCsrfTokenException();
// }
// $user = $this->entityManager->getRepository(User::class)->findOneBy(['email' => $credentials['email']]);
// if (!$user) {
// // fail authentication with a custom error
// throw new CustomUserMessageAuthenticationException('Email could not be found.');
// }
// return $user;
}
public function checkCredentials($credentials, UserInterface $user)
{
// dd($user);
// return true;
return $this->passwordEncoder->isPasswordValid($user, $credentials['password']);
}
/**
* Used to upgrade (rehash) the user's password automatically over time.
*/
public function getPassword($credentials): ?string
{
return $credentials['password'];
}
public function onAuthenticationSuccess(Request $request, TokenInterface $token, $providerKey)
{
// dd('success');
if ($targetPath = $this->getTargetPath($request->getSession(), $providerKey)) {
return new RedirectResponse($targetPath);
}
// For example : return new RedirectResponse($this->urlGenerator->generate('some_route'));
// throw new \Exception('TODO: provide a valid redirect inside '.__FILE__);
return new RedirectResponse($this->urlGenerator->generate('admin_ads_index'));
}
protected function getLoginUrl()
{
return $this->urlGenerator->generate('admin_account_login');
}
}
4/5 AdminAccountController.php 处理管理/登录和管理/注销路由:
<?php
namespace App\Controller;
use App\Security\AdminFormAuthenticator;
use Symfony\Bundle\FrameworkBundle\Controller\AbstractController;
use Symfony\Component\HttpFoundation\Response;
use Symfony\Component\Routing\Annotation\Route;
use Symfony\Component\Security\Http\Authentication\AuthenticationUtils;
use Sensio\Bundle\FrameworkExtraBundle\Configuration\IsGranted;
use Symfony\Component\HttpFoundation\Request;
class AdminAccountController extends AbstractController
{
/**
* Require ROLE_ADMIN for only this controller method.
* @IsGranted("IS_AUTHENTICATED_ANONYMOUSLY")
* @Route("/admin/login", name="admin_account_login")
*/
public function login(AuthenticationUtils $authenticationUtils)
{
// if ($this->getUser()) {
// return $this->redirectToRoute('target_path');
// }
// get the login error if there is one
$error = $authenticationUtils->getLastAuthenticationError();
// last username entered by the user
$lastUsername = $authenticationUtils->getLastUsername();
return $this->render('admin/account/login.html.twig', [
'hasError' => $error !== null,
'username' => $lastUsername
]);
}
/**
* Allows admin user to log out
* @Route("/admin/logout", name="admin_account_logout", methods={"GET"})
* @return void
*/
public function logout() {
throw new \Exception('Will be intercepted before getting here');
}
}
5/5 以及托管注销按钮的我的 Twig 标题模板的一部分:
<div class="dropdown-menu dropdown-menu-right" aria-labelledby="accountDropdownLink">
<a href="{{ path('app_admin_account_logout')}}" class="dropdown-item">Déconnexion</a>
</div>
最佳答案
是的,你可以喜欢这个
fierWallName:
anonymous: lazy
provider: in_database
form_login:
login_path: login #login of this fier wall route name
check_path: login #login of this fier wall route name
logout:
path: logout #logout of this fier wall route name
target: home_page #target route name
你不需要只在 security.yaml 中编辑 route.yaml 文件
关于firewall - Symfony 5 : Can I have a main and admin firewalls in security. yaml?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/60742898/
是否可以在 yaml 中存储未转义的 Markdown 文档?我测试过 key:|+ markdown text block that could have any combination o
在解析使用两个空格缩进创建的 YAML(使用 Ruby 2.5/Psych)时,我看到了奇怪的行为。同一个文件,每行缩进四个空格 - 在我看来 - 正如预期的那样。 两个空格: windows:
如何在 yaml 文件中使用三元运算符让 snakeparser 解析它 我使用 groovy 来解析表达式,!e 标签帮助我这样做。现在,当我使用三元运算符时,解析器会失败。 name : abc
是否可以有这样的多行键? mykey: - > key one: keytwo: val 其中 keyone 被视为一个键。我想解析 yaml 以产生: { mykey:
我有一个 YAML 文件,它有几个不同的键,我想为其提供相同的值。此外,我希望该值易于配置。 请参阅下面的 YAML 以了解我的特定用例: --- # Options for attribute_va
在 Perl 中,我可以执行以下操作: my $home = "/home"; my $alice = "$home/alice"; 我可以在 YAML 中执行以下操作: Home: /home Al
如何在 YAML 中表示空字典? IE。它在语义上应该等同于空的 json-object {}。 最佳答案 简短回答:使用 {} 在 yaml 中有两种表示映射(字典)的方法; flow mappin
我需要根据 if 条件再添加一个名称。如果另一个 .yml 文件中的变量值为“yes”,则在列表中添加新名称 我的 yaml 文件中有以下代码: JsNames: - name: 'jquery.m
我是 yaml 新手,我对用于多行的管道符号 (|) 有疑问。 YAML 是否有类似下面的语法? test: |6+ 在下面的两个 YAML 文件中,第一个有效,第二个无效。我不知道是什么原因造成的。
关于 YAML specs关于问号有2.11段: A question mark and space (“? ”) indicate a complex mapping key. Within a b
1。摘要 我找不到如何自动美化我的 YAML 文件。 2。数据 示例: 我有 SashaPrettifyYAML.yaml 文件: sasha_commands: # Sasha comm
我试图理解 YAML 的基本概念。我没有找到任何相关文档可以消除我的疑虑。例如: product: - sku : BL394D quantity : 4
1。摘要 我找不到如何自动美化我的 YAML 文件。 2。数据 示例: 我有 SashaPrettifyYAML.yaml 文件: sasha_commands: # Sasha comm
是否有在 YAML 键中使用空格的正确方法?喜欢 a test: "hello world!" 或 "a test": "hello world!" 或者这只是一个坏主意,应该使用 a_test: "
我在 YAML 中遇到这个问题通过 perl 使用时。谁能告诉我哪里出了问题。 我有一个代码片段 use YAML; ... my $ifdef_struct = YAML::Load(': unde
我有一系列 OpenCv 生成的 YAML 文件,想用 yaml-cpp 解析它们 我在简单的事情上做得很好,但矩阵表示很困难。 # Center of table tableCenter: !!op
有没有办法在启动文件期间加载的 ROS yaml 文件中使用环境变量? 例如, 测试启动: 例子.yaml: vehicle_name: "${VEHICLE_NAME}_robot
Pandoc 支持 YAML metadata block在 Markdown 文档中。这可以设置标题和作者等。它还可以通过更改字体大小、边距宽度和赋予包含的图形的框架大小来操纵 PDF 输出的外观。
我使用当前(2013/12/12)最新版本的 yaml-cpp。 我注意到 YAML::Load("")和 YAML::Load("---\n...") 导致 Null 节点,即 YAML::Load
我喜欢 YAML。 等等,让我备份。我喜欢看起来像这样的 YAML,甚至比 JSON 还要多: Projects: C/C++ Libraries: - libyaml # "C"
我是一名优秀的程序员,十分优秀!