Magento 2 - перенаправить клиента на пользовательскую страницу после входа в систему


9

Какой класс я должен переопределить, чтобы перенаправить клиента на определенную страницу после входа в систему?

Я попытался установить Redirect Customer to Account Dashboard after Logging inв конфигурации магазина, но он не работает.


Вы включаете или отключаете гостевую проверку?
Khoa TruongDinh

Я отключил проверку гостей.
Пол

Как насчет вашего текущего вопроса?
Khoa TruongDinh

Код, который вы предоставили, немного отличается от моего magento. Возможно это из разных версий. И я не понимаю, почему это связано с cookie. Я наконец решил это, переопределив класс LoginPost. Я разместил свой ответ ниже. Спасибо!
Пол

1
Моя версия magento v2.0.8
Пол

Ответы:


28

Плагин является лучшим решением в этом случае, потому что ваш расширенный класс может потребоваться обновить при обновлении Magento 2.

Вот решение, использующее дополнительный плагин для LoginPost-> execute (), как предложено Xenocide8998.

/Vendor/Module/etc/frontend/di.xml:

<?xml version="1.0"?>
<config xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:noNamespaceSchemaLocation="urn:magento:framework:ObjectManager/etc/config.xsd">
  <type name="\Magento\Customer\Controller\Account\LoginPost">
    <plugin name="vendor_module_loginpostplugin" type="\Vendor\Module\Plugin\LoginPostPlugin" sortOrder="1" />
  </type>
</config>

/Vendor/Module/Plugin/LoginPostPlugin.php:

<?php

/**
 *
 */
namespace Vendor\Module\Plugin;

/**
 *
 */
class LoginPostPlugin
{

    /**
     * Change redirect after login to home instead of dashboard.
     *
     * @param \Magento\Customer\Controller\Account\LoginPost $subject
     * @param \Magento\Framework\Controller\Result\Redirect $result
     */
    public function afterExecute(
        \Magento\Customer\Controller\Account\LoginPost $subject,
        $result)
    {
        $result->setPath('/'); // Change this to what you want
        return $result;
    }

}

1
Это хорошо работает. Одно дело, когда вам нужно $ result-> setPath ('/'); например, не используйте «/» перед URL. $ result-> setPath ( 'клиент / панель /');
Шуванкар Павел

Хороший подход с использованием плагина
Хафиз Арслан

Идеальная работа, спасибо
HaFiz Umer

Ваша единственная проблема с этим - если клиент пытается войти в систему и терпит неудачу, тогда вы все равно попадете на домашнюю страницу. Нет никакого способа поймать неудачные логины.
Энди Джонс

как я могу передать текущую страницу URL этому плагину?
Рахул

6

Я решил это, переопределив класс LoginPost

и т.д. / di.xml

<preference for="Magento\Customer\Controller\Account\LoginPost" type="Vendor\Module\Controller\Account\LoginPost" />

Производитель / модуль / контроллер / счет / LoginPost.php

<?php

namespace Vendor\Module\Controller\Account;

use Magento\Customer\Model\Account\Redirect as AccountRedirect;
use Magento\Framework\App\Action\Context;
use Magento\Customer\Model\Session;
use Magento\Customer\Api\AccountManagementInterface;
use Magento\Customer\Model\Url as CustomerUrl;
use Magento\Framework\Exception\EmailNotConfirmedException;
use Magento\Framework\Exception\AuthenticationException;
use Magento\Framework\Data\Form\FormKey\Validator;

/**
 * @SuppressWarnings(PHPMD.CouplingBetweenObjects)
 */
class LoginPost extends \Magento\Customer\Controller\Account\LoginPost {

    public function execute() {
        if ($this->session->isLoggedIn() || !$this->formKeyValidator->validate($this->getRequest())) {
            /** @var \Magento\Framework\Controller\Result\Redirect $resultRedirect */
            $resultRedirect = $this->resultRedirectFactory->create();
            $resultRedirect->setPath('home');
            return $resultRedirect;
        }

        if ($this->getRequest()->isPost()) {
            $login = $this->getRequest()->getPost('login');
            if (!empty($login['username']) && !empty($login['password'])) {
                try {
                    $customer = $this->customerAccountManagement->authenticate($login['username'], $login['password']);
                    $this->session->setCustomerDataAsLoggedIn($customer);
                    $this->session->regenerateId();
                } catch (EmailNotConfirmedException $e) {
                    $value = $this->customerUrl->getEmailConfirmationUrl($login['username']);
                    $message = __(
                            'This account is not confirmed.' .
                            ' <a href="%1">Click here</a> to resend confirmation email.', $value
                    );
                    $this->messageManager->addError($message);
                    $this->session->setUsername($login['username']);
                } catch (AuthenticationException $e) {
                    $message = __('Invalid login or password.');
                    $this->messageManager->addError($message);
                    $this->session->setUsername($login['username']);
                } catch (\Exception $e) {
                    $this->messageManager->addError(__('Invalid login or password.'));
                }
            } else {
                $this->messageManager->addError(__('A login and a password are required.'));
            }
        }

        $resultRedirect = $this->resultRedirectFactory->create();
        $resultRedirect->setPath('home');
        return $resultRedirect;
    }

}

12
Я думаю, что использование плагина с afterExecute()более чистым вариантом
Xenocide8998

2
Это не очень хороший подход и будет вызывать проблемы только в будущем. Плагин это путь.
Фагенто

мы можем по умолчанию перенаправить со сводной панели аккаунта на страницу истории заказов?
Джафар Пинджар

0

Именно текущее локальное хранилище стало причиной нашей проблемы.
Если мы включим или отключим Redirect Customer to Account Dashboard after Logging inгостевую проверку в конфигурации, эта функция будет работать хорошо. Однако нам нужно очистить ваше локальное хранилище.

Мы можем проверить местное хранилище localStorage.getItem('mage-cache-storage').

Взглянуть:

продавец / Magento / модуль-контроль / просмотр / интерфейс / веб / JS / sidebar.js

var cart = customerData.get('cart'),
customer = customerData.get('customer');
if (!customer().firstname && cart().isGuestCheckoutAllowed === false) {
    // set URL for redirect on successful login/registration. It's postprocessed on backend.
    $.cookie('login_redirect', this.options.url.checkout);
    if (this.options.url.isRedirectRequired) {
        location.href = this.options.url.loginUrl;
    } else {
        authenticationPopup.showModal();
    }

    return false;
}

Magento установит cookie $.cookie('login_redirect', this.options.url.checkout)на основе customerDataлокального хранилища.

С контроллера vendor/magento/module-customer/Controller/Account/LoginPost.php. Он проверит URL перенаправления из куки.

$redirectUrl = $this->accountRedirect->getRedirectCookie();
if (!$this->getScopeConfig()->getValue('customer/startup/redirect_dashboard') && $redirectUrl) {
    ......
    return $resultRedirect;
}

Версия Magento:

-Magento версия 2.1.0


0

Я решил это путем передачи referer в пользовательский модуль контроллера.

Step1 `

use Magento\Framework\App\Action\Context;
use Magento\Framework\View\Result\PageFactory;
use Magento\Customer\Model\Session;
use Magento\Framework\UrlInterface;

class Approve extends \Magento\Framework\App\Action\Action {

    /** 
    * @var \Magento\Framework\View\Result\Page 
    */
    protected $resultPageFactory;

    /** 
    * $param \Magento\Framework\App\Action\Context $context */

    /**
    * @param CustomerSession
    */

    protected $_customerSession;

    protected $_urlInterface;

    public function __construct(
        Context $context,
        PageFactory $resultPageFactory,
        Session $customerSession,
        UrlInterface $urlInterface
    )
    {
        $this->resultPageFactory = $resultPageFactory;
        $this->_customerSession  = $customerSession;
        $this->_urlInterface     = $urlInterface;
        parent::__construct($context);

    }

    public function execute(){
        $url  = $this->_urlInterface->getUrl('*/*/*', ['_current' => true, '_use_rewrite' => true]); 
// here pass custom url or you can either use current url on which you are currently and want to come back after logged in.

        $loginUrl = $this->_urlInterface->getUrl('customer/account/login', array('referer' => base64_encode($url)));
        if($this->_customerSession->isLoggedIn()){
            return $this->resultPageFactory->create();
        }
        $this->_redirect($loginUrl);
    }
}`

Шаг 2

Перейдите в Admin: Магазин> Конфигурация> Клиенты> Конфигурация клиента> Параметры входа в систему> Перенаправить клиента на панель учетной записи после входа в систему> Нет

Используя наш сайт, вы подтверждаете, что прочитали и поняли нашу Политику в отношении файлов cookie и Политику конфиденциальности.
Licensed under cc by-sa 3.0 with attribution required.