마 젠토 2 : 컨트롤러 재 작성


17

Magento 2에서 컨트롤러 (실제로 동작)를 다시 작성하려면 어떻게해야합니까? 여기에 지시 된대로
시도 했습니다.

나는라고 내 자신의 모듈이 Namespace_Moduledi.xml같은 시스템 모델 및 블록에서 작동하기 때문에, 고려 파일을,
예 :

<?xml version="1.0"?>
<config xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:noNamespaceSchemaLocation="../../../../../lib/internal/Magento/Framework/ObjectManager/etc/config.xsd">
    <!-- this one doesn't work for a controller action -->
    <preference for="Magento\Backend\Controller\Adminhtml\Dashboard\RefreshStatistics" 
         type="Namespace\Module\Controller\Adminhtml\Dashboard\RefreshStatistics" />
    <!-- this one works for a model -->
    <preference for="Magento\Customer\Model\Resource\GroupRepository" 
        type="Namespace\Module\Model\Resource\Customer\GroupRepository" />
     <!-- this one works also for a block -->
    <preference for="Magento\Backend\Block\Dashboard" 
        type="Namespace\Module\Block\Backend\Dashboard" />
</config>

대시 보드 새로 고침 통계를 내 작업으로 바꾸려고합니다. 위와 같이하면 execute원래 클래스 의 메서드가 여전히 내 자신이 아닌 호출됩니다.
var/cache그리고 var/generation지워졌습니다.



1
@TimHallman. 고마워,하지만 이것을 위해 라우터를 쓰고 싶지 않습니다. 더 깨끗한 방법이 있다고 확신합니다.
Marius

답변:


16

그것을 발견.
실제로 내가 질문에 올린 것은 컨트롤러를 다시 쓰는 올바른 방법입니다.

<preference for="Magento\Backend\Controller\Adminhtml\Dashboard\RefreshStatistics" 
     type="Namespace\Module\Controller\Adminhtml\Dashboard\RefreshStatistics" />

잘 작동합니다.
나를위한 문제는 이것이었다. Magento2 모듈을 제거했다는 점을 잊어 버렸습니다 Reports. 나는 그것이 중요하다고 생각하지 않았기 때문에 질문에 언급하지 않았습니다.
변경하려는 모든 클래스와 모든 상위 클래스가 있으면 컨트롤러 및 다른 클래스를 다시 작성하는 위의 방법이 작동합니다.
그래서 원본 Magento\Backend\Controller\Adminhtml\Dashboard\RefreshStatisticsMagento\Reports\Controller\Adminhtml\Report\Statistics내가 제거한 것으로 확장 됩니다.
magento 2에서 경로는 Controller모든 활성화 된 모듈에 대한 폴더 폴더를 스캔하여 수집되며 배열로 수집됩니다.
여태까지는 그런대로 잘됐다.
나는 다른 사람들 사이 에서이 줄로 끝납니다.

[magento\backend\controller\adminhtml\dashboard\refreshstatistics] => Magento\Backend\Controller\Adminhtml\Dashboard\RefreshStatistics

그런 다음 요청이 경로와 일치합니다. magento\backend\controller\adminhtml\dashboard\refreshstatistics 와 하고 Magento는 해당 경로에 해당하는 클래스가 하위 클래스인지 확인합니다 Magento\Framework\App\ActionInterface. 클래스가 식별되고 인스턴스화되기 전에 경로가 수집되므로 이전 클래스는 내 클래스 대신에 유효성이 검사됩니다. 그리고 클래스의 부모 클래스가 Magento\Backend\Controller\Adminhtml\Dashboard\RefreshStatistics존재하지 않습니다.

보고서 모듈을 비활성화 상태로 유지하지만 여전히 작동하게 만드는 해결책은 모든 경로를 읽고 위에서 언급 한 경로를 대체하는 메소드에 대한 인터셉터를 작성하는 것입니다.

그래서 이것을 추가했습니다. di.xml

<type name="Magento\Framework\App\Router\ActionList\Reader">
    <plugin name="namespace-module-route" type="Namespace\Module\Model\Plugin\ActionListReader" sortOrder="100" />
</type>

내 플러그인은 다음과 같습니다.

<?php
namespace Namespace\Module\Model\Plugin;

class ActionListReader
{
    public function afterRead(\Magento\Framework\App\Router\ActionList\Reader\Interceptor $subject, $actions)
    {
        $actions['magento\backend\controller\adminhtml\dashboard\refreshstatistics'] = 'Namespace\Module\Controller\Adminhtml\Dashboard\RefreshStatistics';
        return $actions;
    }
}

- 확장하는 방법 공급 업체 \ 젠토 \ 모델 \ PriceCurrency.php convertAndRound는 (), 여기에 내가 그것을이 경우 기본 설정을 사용하는 저를 강제로 플러그인을 사용하는 방법이 경우에, 변화 정밀도를 필요 \ 모듈 디렉토리
프라 딥 쿠마르

6

환경 설정 사용 플러그인을 사용하여 di.xml에있는 핵심 모듈을 확장하지 마십시오.

<type name="Magento\Catalog\Controller\Product\View">
    <plugin name="product-cont-test-module" type="Sugarcode\Test\Model\Plugin\Product" sortOrder="10"/>
</type>

그리고 Product.php에서

public function aroundExecute(\Magento\Catalog\Controller\Product\View $subject, \Closure $proceed)
{
    echo 'I Am in Local Controller Before <br>';
    $returnValue = $proceed(); // it get you old function return value
    //$name='#'.$returnValue->getName().'#';
    //$returnValue->setName($name);
    echo 'I Am in Local Controller  After <br>';
    return $returnValue;// if its object make sure it return same object which you addition data
}

Magento2에서 코어 블록, 모델 및 컨트롤러를 재정의하는 방법


2
예, 이것이 최선의 방법입니다. 그러나 제 경우에는 재정의하려는 컨트롤러에 의해 확장 된 클래스가 포함 된 모듈을 제거했습니다. 그래서 around나를 위해 작동하지 않을 것입니다. 원래 컨트롤러의 동작을 완전히 변경하고 싶었습니다.
Marius

완전한 행동을 바꾸고 싶다면 새로운 행동을 한 번 더 만들고 나서 필요한 곳에 URL을 바꾸십시오. 이것이 좋은 아이디어가되기를 바랍니다.
Pradeep Kumar

2

리뷰 모델 용 컨트롤러를 다시 작성했습니다. composer.json 파일 :

{
        "name": "apple/module-review",
        "description": "N/A",
        "require": {
            "php": "~5.5.0|~5.6.0|~7.0.0",
            "magento/framework": "100.0.*"
        },
        "type": "magento2-module",
        "version": "100.0.2",
        "license": [
            "OSL-3.0",
            "AFL-3.0"
        ],
        "autoload": {
            "files": [
                "registration.php"
            ],
            "psr-4": {
                "Apple\\Review\\": ""
            }
        }
    }

registration.php 파일

    \Magento\Framework\Component\ComponentRegistrar::register(
        \Magento\Framework\Component\ComponentRegistrar::MODULE,
        'Apple_Review',
        __DIR__
    );

app / code / Apple / Review / etc / module.xml 파일 :

    app/code/Apple/Review/etc/di.xml file for override review controller.
    <?xml version="1.0"?>
    <!--
    /**
     * Copyright © 2015 Magento. All rights reserved.
     * See COPYING.txt for license details.
     */
    -->
    <config xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:noNamespaceSchemaLocation="urn:magento:framework:ObjectManager/etc/config.xsd">
        <preference for="Magento\Review\Controller\Product\Post" type="Apple\Review\Controller\Post" />   
    </config>

검토 모델의 컨트롤러 파일에서

app / code / Apple / Review / Controller / Post.php

    use Magento\Review\Controller\Product as ProductController;
    use Magento\Framework\Controller\ResultFactory;
    use Magento\Review\Model\Review;

    class Post extends \Magento\Review\Controller\Product\Post
    {
        public function execute()
        {
           $resultRedirect = $this->resultFactory->create(ResultFactory::TYPE_REDIRECT);
            if (!$this->formKeyValidator->validate($this->getRequest())) {
                $resultRedirect->setUrl($this->_redirect->getRefererUrl());
                return $resultRedirect;
            }

            $data = $this->reviewSession->getFormData(true);
            if ($data) {
                $rating = [];
                if (isset($data['ratings']) && is_array($data['ratings'])) {
                    $rating = $data['ratings'];
                }
            } else {
                $data = $this->getRequest()->getPostValue();
                $rating = $this->getRequest()->getParam('ratings', []);
            }

            if (($product = $this->initProduct()) && !empty($data)) {
                /** @var \Magento\Review\Model\Review $review */
                $review = $this->reviewFactory->create()->setData($data);

                $validate = $review->validate();
                if ($validate === true) {
                    try {
                        $review->setEntityId($review->getEntityIdByCode(Review::ENTITY_PRODUCT_CODE))
                            ->setEntityPkValue($product->getId())
                            ->setStatusId(Review::STATUS_PENDING)
                            ->setCustomerId($this->customerSession->getCustomerId())
                            ->setStoreId($this->storeManager->getStore()->getId())
                            ->setStores([$this->storeManager->getStore()->getId()])
                            ->save();

                        foreach ($rating as $ratingId => $optionId) {
                            $this->ratingFactory->create()
                                ->setRatingId($ratingId)
                                ->setReviewId($review->getId())
                                ->setCustomerId($this->customerSession->getCustomerId())
                                ->addOptionVote($optionId, $product->getId());
                        }

                        $review->aggregate();
                        $this->messageManager->addSuccess(__('You submitted your review for moderation.Thanks'));
                    } catch (\Exception $e) {
                        $this->reviewSession->setFormData($data);
                        $this->messageManager->addError(__('We can\'t post your review right now.'));
                    }
                } else {
                    $this->reviewSession->setFormData($data);
                    if (is_array($validate)) {
                        foreach ($validate as $errorMessage) {
                            $this->messageManager->addError($errorMessage);
                        }
                    } else {
                        $this->messageManager->addError(__('We can\'t post your review right now.'));
                    }
                }
            }
            $redirectUrl = $this->reviewSession->getRedirectUrl(true);
            $resultRedirect->setUrl($redirectUrl ?: $this->_redirect->getRedirectUrl());
            return $resultRedirect;
        }
    }

이것은 magento2의 검토 컨트롤러 재정의를위한 작동 코드입니다. 감사.


:-환경 설정을 사용하는 것은 확장하는 좋은 방법이 아닙니다. 플러그인 개념을 사용하십시오
Pradeep Kumar

@PradeepKumar 환경 설정을 사용하는 것보다 플러그인을 사용하는 것이 왜 바람직한 지 설명 할 수 있습니까?
Robbie Averill

@robbie : - 우리는 그래서 핵심 LOGI을 유지 플러그인 가고, 그 부분을 잃게됩니다 magneto2이 업그레이드 된 경우는 원본 또는 핵심 기능, 예를 유지하고 약간의 변화는 동일한 기능에서 발생
프라 딥 쿠마르

플러그인은 상호 배타적이지만 환경 설정은 다시 작성됩니다. 올바른 @PradeepKumar입니까?
Robbie Averill
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.