Symfony フレームワークを使用してユーザー権限管理を実装する手順

WBOY
リリース: 2023-07-30 06:24:01
オリジナル
1472 人が閲覧しました

Symfony フレームワークを使用してユーザー権利管理を実装する手順

Symfony フレームワークは、高品質の Web アプリケーションを迅速に開発できる強力な PHP 開発フレームワークです。 Web アプリケーションを開発する場合、ユーザー権限の管理は無視できない重要な部分です。この記事では、Symfony フレームワークを使用してユーザー権限管理を実装する手順をコード例とともに紹介します。

ステップ 1: Symfony フレームワークをインストールする
まず、Symfony フレームワークをローカル環境にインストールする必要があります。 Composer を通じてインストールできます。次のコマンドを実行します。

composer create-project symfony/skeleton myproject
ログイン後にコピー

これにより、現在のディレクトリに myproject という名前の Symfony プロジェクトが作成されます。

ステップ 2: データベース接続を設定する
Symfony プロジェクトでは、ユーザー権限関連のデータを保存するためにデータベース接続を設定する必要があります。 .env ファイルで、データベース接続情報を設定します:

DATABASE_URL=mysql://your_username:your_password@localhost/your_database
ログイン後にコピー

your_usernameyour_password、および your_database を置き換えます。独自のデータベース ユーザー名、パスワード、データベース名を使用します。

ステップ 3: ユーザー エンティティ クラスを作成する
Symfony フレームワークでは、エンティティ クラスを使用してデータベース内のデータ構造を表します。 User.php という名前のファイルを作成し、ユーザー エンティティ クラスを定義します:

namespace AppEntity;

use SymfonyComponentSecurityCoreUserUserInterface;
use DoctrineORMMapping as ORM;

/**
 * @ORMEntity(repositoryClass="AppRepositoryUserRepository")
 */
class User implements UserInterface
{
    /**
     * @ORMId()
     * @ORMGeneratedValue()
     * @ORMColumn(type="integer")
     */
    private $id;

    /**
     * @ORMColumn(type="string", length=255, unique=true)
     */
    private $username;

    /**
     * ...
     * 添加其他属性和方法
     * ...
ログイン後にコピー

ステップ 4: セキュリティ設定を構成する
Symfony フレームワークでは、セキュリティ コンポーネントがユーザー認証の処理を担当します。および認可関連のタスク。 config/packages/security.yaml ファイルで、セキュリティ設定を構成します:

security:
    encoders:
        AppEntityUser:
            algorithm: bcrypt

    providers:
        db_provider:
            entity:
                class: AppEntityUser
                property: username

    firewalls:
        main:
            anonymous: ~
            form_login:
                login_path: app_login
                check_path: app_login
            logout:
                path: app_logout
                target: app_home
            guard:
                authenticators:
                    - AppSecurityLoginFormAuthenticator
            remember_me:
                secret: '%kernel.secret%'

    access_control:
        - { path: ^/admin, roles: ROLE_ADMIN }
ログイン後にコピー

ステップ 5: カスタム認証システムを作成する
Symfony フレームワークでは、カスタム認証システムを作成できます。ユーザーのログイン認証を処理するオーセンティケーターを定義します。 LoginFormAuthenticator.php というファイルを作成し、カスタム認証システムを定義します:

namespace AppSecurity;

use SymfonyComponentSecurityCoreUserUserInterface;
use SymfonyComponentSecurityCoreUserUserProviderInterface;
use SymfonyComponentSecurityGuardAuthenticatorAbstractFormLoginAuthenticator;
use SymfonyComponentSecurityCoreEncoderUserPasswordEncoderInterface;
use SymfonyComponentHttpFoundationRequest;
use SymfonyComponentSecurityCoreAuthenticationTokenTokenInterface;

class LoginFormAuthenticator extends AbstractFormLoginAuthenticator
{
    private $encoder;
    private $router;

    public function __construct(UserPasswordEncoderInterface $encoder, RouterInterface $router)
    {
        $this->encoder = $encoder;
        $this->router = $router;
    }

    public function supports(Request $request)
    {
        return $request->attributes->get('_route') === 'app_login' && $request->isMethod('POST');
    }

    public function getCredentials(Request $request)
    {
        $credentials = [
            'username' => $request->request->get('username'),
            'password' => $request->request->get('password'),
        ];

        $request->getSession()->set(
            Security::LAST_USERNAME,
            $credentials['username']
        );

        return $credentials;
    }

    public function getUser($credentials, UserProviderInterface $userProvider)
    {
        $username = $credentials['username'];

        return $userProvider->loadUserByUsername($username);
    }

    public function checkCredentials($credentials, UserInterface $user)
    {
        $password = $credentials['password'];

        if ($this->encoder->isPasswordValid($user, $password)) {
            return true;
        }

        return false;
    }

    public function onAuthenticationSuccess(Request $request, TokenInterface $token, $providerKey)
    {
        return new RedirectResponse($this->router->generate('app_home'));
    }

    protected function getLoginUrl()
    {
        return $this->router->generate('app_login');
    }
}
ログイン後にコピー

ステップ 6: コントローラーとルートを作成する
Symfony フレームワークでは、ユーザーを処理するコントローラーとルートを作成できます。認証と認可に関連するタスク。 SecurityController.php という名前のファイルを作成し、コントローラー クラスを定義します:

namespace AppController;

use SymfonyComponentRoutingAnnotationRoute;
use SymfonyBundleFrameworkBundleControllerAbstractController;
use SymfonyComponentSecurityHttpAuthenticationAuthenticationUtils;

class SecurityController extends AbstractController
{
    /**
     * @Route("/login", name="app_login")
     */
    public function login(AuthenticationUtils $authenticationUtils)
    {
        $error = $authenticationUtils->getLastAuthenticationError();
        $lastUsername = $authenticationUtils->getLastUsername();

        return $this->render('security/login.html.twig', [
            'last_username' => $lastUsername,
            'error' => $error,
        ]);
    }

    /**
     * @Route("/logout", name="app_logout")
     */
    public function logout()
    {
        throw new Exception('This will never be called.');
    }
}
ログイン後にコピー

config/routes.yaml ファイルで、ルートを定義します:

app_login:
    path: /login
    controller: AppControllerSecurityController::login

app_logout:
    path: /logout
    controller: AppControllerSecurityController::logout
ログイン後にコピー

これまでに、Symfony フレームワークを使用してユーザー権限管理を実装する手順が完了しました。上記のコード例を通じて、データベース接続の構成、エンティティ クラスの作成、セキュリティ設定の構成、カスタム オーセンティケーターの作成、Symfony フレームワークでのコントローラーとルートの作成方法を学ぶことができます。

もちろん、これは単なる単純な例です。実際の開発では、ロールエンティティクラスや権限認証テーブルの作成など、ユーザーのロールと権限の管理をさらに処理する必要がある場合があります。ただし、上記の手順は、Symfony プロジェクトにユーザー権限管理を実装するための出発点として使用できます。この記事があなたのお役に立てば幸いです!

以上がSymfony フレームワークを使用してユーザー権限管理を実装する手順の詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。

関連ラベル:
ソース:php.cn
このウェブサイトの声明
この記事の内容はネチズンが自主的に寄稿したものであり、著作権は原著者に帰属します。このサイトは、それに相当する法的責任を負いません。盗作または侵害の疑いのあるコンテンツを見つけた場合は、admin@php.cn までご連絡ください。
最新の問題
人気のチュートリアル
詳細>
最新のダウンロード
詳細>
ウェブエフェクト
公式サイト
サイト素材
フロントエンドテンプレート
私たちについて 免責事項 Sitemap
PHP中国語ウェブサイト:福祉オンライン PHP トレーニング,PHP 学習者の迅速な成長を支援します!