Como adicionar um botão personalizado para administrar a exibição de pedidos de vendas no Magento2

12

insira a descrição da imagem aqui

Como adicionar um botão personalizado à exibição de pedidos de vendas no magento2, já que alguns dos eventos foram removidos a favor de plugins.

  • Alguns eventos foram removidos (os plugins devem ser usados):
    • adminhtml_widget_container_html_before ( use no magento 1.x )
    • admin_session_user_logout
    • model_config_data_save_before
    • ...

Veja o log de alterações do Magento2

Renon Stewart
fonte

Respostas:

18

A solução mais limpa que vi até agora é usar um plug-in direcionado para 'beforeSetLayout'

Isso pode direcionar o bloco exato, salvando a verificação da solicitação atual e também evita que o plug-in esteja em 'getOrderId', que no meu caso não pôde ser usado, pois eu precisava chamar getOrderId no meu método de plug-in.

Então isso em di.xml

   <type name="Magento\Sales\Block\Adminhtml\Order\View">
    <plugin name="addMyButton" type="My\Module\Plugin\Block\Adminhtml\Order\View"/>
   </type>

E então isso no arquivo My \ Module \ Plugin \ Block \ Adminhtml \ Order \ View.php

public function beforeSetLayout(\Magento\Sales\Block\Adminhtml\Order\View $view)
{
    $message ='Are you sure you want to do this?';
    $url = '/mymodule/controller/action/id/' . $view->getOrderId();


    $view->addButton(
        'order_myaction',
        [
            'label' => __('My Action'),
            'class' => 'myclass',
            'onclick' => "confirmSetLocation('{$message}', '{$url}')"
        ]
    );


}
Chris
fonte
Trabalhou como um encanto
Raul Sanchez
17

Depois de tentar muitas maneiras diferentes, esta é a única solução que eu acho que parece funcionar sem afetar outros módulos. Eu adoraria ver outras soluções.

Opção 1

Crie um plug-in em Company / Module / etc / adminhtml / di.xml

<config xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:noNamespaceSchemaLocation="urn:magento:framework:ObjectManager/etc/config.xsd">
    <type name="Magento\Backend\Block\Widget\Button\Toolbar">
        <plugin name="MagePal_TestBed::pluginBefore" type="MagePal\TestBed\Plugin\PluginBefore" />
    </type>
</config>

Em seguida, em Plugin / PluginBefore.php

namespace MagePal\TestBed\Plugin;

class PluginBefore
{
    public function beforePushButtons(
        \Magento\Backend\Block\Widget\Button\Toolbar\Interceptor $subject,
        \Magento\Framework\View\Element\AbstractBlock $context,
        \Magento\Backend\Block\Widget\Button\ButtonList $buttonList
    ) {

        $this->_request = $context->getRequest();
        if($this->_request->getFullActionName() == 'sales_order_view'){
              $buttonList->add(
                'mybutton',
                ['label' => __('My Button'), 'onclick' => 'setLocation(window.location.href)', 'class' => 'reset'],
                -1
            );
        }

    }
}

opção 2

Crie um plug-in em Company / Module / etc / adminhtml / di.xml

<config xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:noNamespaceSchemaLocation="urn:magento:framework:ObjectManager/etc/config.xsd">
    <type name="\Magento\Sales\Block\Adminhtml\Order\View">
        <plugin name="MagePal_TestBed::pluginBeforeView" type="MagePal\TestBed\Plugin\PluginBeforeView" />
    </type>
</config>

Em seguida, em Plugin / PluginBeforeView.php

namespace MagePal\TestBed\Plugin;

class PluginBeforeView
{

    public function beforeGetOrderId(\Magento\Sales\Block\Adminhtml\Order\View $subject){
        $subject->addButton(
                'mybutton',
                ['label' => __('My Buttion'), 'onclick' => 'setLocation(window.location.href)', 'class' => 'reset'],
                -1
            );

        return null;
    }

}

Ver código fonte completo

Renon Stewart
fonte
@rs Eu tentei a 2ª opção, e isso causa um erro - Warning: call_user_func_array() expects parameter 2 to be array, object given in D:\new\OpenServer\domains\graffiticaps-m2.loc\vendor\magento\framework\Interception\Interceptor.php on line 144, já que o beforeGetOrderId()método __callPlugin () adiciona o método que retorna aos argumentos do getOrderId()método. \ vendor \ magento \ framework \ Interceptação \ Interceptor.php [linha 124] - $arguments = $beforeResult;. Então, eu acho que deve ser devolvido smth mais, mas não objeto, ou seja, $ subject
Kate Suykovskaya
1
Acabei de testar no Magento 2.0.2 ... Dê uma olhada na minha atualização para a opção 2 ... Consulte github.com/magepal/stackexchange/tree/develop/91071
Renon Stewart
Existe alguma maneira de chamar o ajax ao clicar neste botão?
nuwaus
@nuwaus ... você poderia mudar o 'onclick' para 'onclick = 'processAjax ()'", em seguida, adicioná-lo ajax função lá ou algum outro no clique jquery vinculativo
Renon Stewart
aqui está uma questão semelhante. magento.stackexchange.com/questions/251458/...
Ajwad Syed
9

Criar arquivo DI app/code/YourVendor/YourModule/etc/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">
    <virtualType name="SalesOrderViewWidgetContext" type="\Magento\Backend\Block\Widget\Context">
        <arguments>
            <argument name="buttonList" xsi:type="object">YourVendor\YourModule\Block\Adminhtml\Order\View\ButtonList
            </argument>
        </arguments>
    </virtualType>
    <type name="Magento\Sales\Block\Adminhtml\Order\View">
        <arguments>
            <argument name="context" xsi:type="object">SalesOrderViewWidgetContext</argument>
        </arguments>
    </type>
</config>

O que fazemos aqui é:

  1. Defina o contextargumento personalizado no Order\Viewbloco. Este contexto é definido como um tipo virtual.
  2. Defina o tipo virtual para um contexto de widget. Definimos buttonListargumentos personalizados com nossa própria classe de lista de botões.

Implemente sua classe de lista de botões:

<?php
namespace YourVendor\YourModule\Block\Adminhtml\Order\View;

class ButtonList extends \Magento\Backend\Block\Widget\Button\ButtonList
{
   public function __construct(\Magento\Backend\Block\Widget\Button\ItemFactory $itemFactory)
   {
       parent::__construct($itemFactory);
       $this->add('mybutton', [
           'label' => __('My button label')
       ]);
   }
}
dan.kocherga
fonte
1
Obrigado por esta solução! Eu acho que esse é o melhor e o mais elegante.
eInyzant
Parecia bom, elegante e fácil de entender, mas infelizmente não funciona. No Magento 2.3.4 ao clicar em um pedido, gera um erroException occurred during order load
Gianni Di Falco
3

Esta é uma das melhores soluções que eu já vi até agora sem usar plugins

MagePal / CustomButton / view / adminhtml / layout / sales_order_view.xml

<?xml version="1.0"?>
<page xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:noNamespaceSchemaLocation="urn:magento:framework:View/Layout/etc/page_configuration.xsd">
    <body>
        <referenceBlock name="sales_order_edit">
            <block class="MagePal\CustomButton\Block\Adminhtml\Order\View\Buttons" name="custom_buttons">
                <action method="addButtons"/>
            </block>
        </referenceBlock>
    </body>
</page>

MagePal / CustomButton / Block / Adminhtml / Order / View / Buttons.php

namespace MagePal\CustomButton\Block\Adminhtml\Order\View;

class Buttons extends \Magento\Sales\Block\Adminhtml\Order\View
{    
    public function __construct(
        \Magento\Backend\Block\Widget\Context $context,
        \Magento\Framework\Registry $registry,
        \Magento\Sales\Model\Config $salesConfig,
        \Magento\Sales\Helper\Reorder $reorderHelper,
        array $data = []
    ) {
        parent::__construct($context, $registry, $salesConfig, $reorderHelper, $data);
    }

    public function addButtons()
    {
        $parentBlock = $this->getParentBlock();

        if(!$parentBlock instanceof \Magento\Backend\Block\Template || !$parentBlock->getOrderId()) {
            return;
        }

        $buttonUrl = $this->_urlBuilder->getUrl(
            'adminhtml/custombutton/new',
            ['order_id' => $parentBlock->getOrderId()]
        );

        $this->getToolbar()->addChild(
              'create_custom_button',
              \Magento\Backend\Block\Widget\Button::class,
              ['label' => __('Custom Button'), 'onclick' => 'setLocation(\'' . $buttonUrl . '\')']
            );
        }
        return $this;
    }

}
Renon Stewart
fonte
Há erro no adminhtml_sales_order_view.xmldeve sersales_order_view.xml
Zaheerabbas
Não há necessidadepublic function __construct
Serhii Koval 28/02
2

Crie di.xml a seguir local

app / code / Learning / RewriteSales / etc / di.xml

O conteúdo deve ser

<? 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 \ Backend \ Bloco \ Widget \ Contexto">
        <plugin name = "add_custom_button_sales_veiw" type = "Learning \ RewriteSales \ Plugin \ Widget \ Context" sortOrder = "1" />
    </type>
</config>

Criar Context.php após loaction

app / code / Learning / RewriteSales / Plugin / Widget / Context.php

O conteúdo deve ser

namespace Learning \ RewriteSales \ Plugin \ Widget;


contexto da classe
{
    função pública afterGetButtonList (
        \ Magento \ Backend \ Block \ Widget \ Context $ subject,
        $ buttonList
    )
    {
        $ objectManager = \ Magento \ Framework \ App \ ObjectManager :: getInstance ();
        $ request = $ objectManager-> get ('Magento \ Framework \ App \ Ação \ Context') -> getRequest ();
        if ($ request-> getFullActionName () == 'sales_order_view') {
            $ buttonList-> add (
                'custom_button',
                [
                    'label' => __ ('Botão personalizado'),
                    'onclick' => 'setLocation (\' '. $ this-> getCustomUrl ().' \ ')',
                    'classe' => 'navio'
                ]
            );
        }

        retornar $ buttonList;
    }

    função pública getCustomUrl ()
    {
        $ objectManager = \ Magento \ Framework \ App \ ObjectManager :: getInstance ();
        $ urlManager = $ objectManager-> get ('Magento \ Framework \ Url');
        retornar $ urlManager-> getUrl ('sales / * / custom');
    }
}

Limpar cache do Magento e executar o comando update

php bin / magento setup: atualização
Sohel Rana
fonte
Corrija-me se eu estiver errado, mas de todo o meu teste até agora preferencetipo é o equivalente a reescrita em Magento 1. Portanto apenas um módulo pode tirar proveito dela
Renon Stewart
sim. Mas você não pode criar um plug-in para a função protegida.
Sohel Rana
Basta atualizar minha resposta usando o plug
Sohel Rana
1
Em vez de carregar o objectManager, você poderia ter feito$subject->getRequest()->getFullActionName()
Renon Stewart
adicione isso antes da função afterGetButtonList ....... protected $ urlBuider; função pública __construct (\ Magento \ Framework \ UrlInterface $ urlBuilder) {$ this-> urlBuilder = $ urlBuilder; } Então, na função getCustomUrl (), adicione apenas esta linha ..... retorne $ this-> urlBuilder-> getUrl ('nome do módulo / nome do controlador / nome do método', matriz ('parâmetro' => parâmetro_valor));
KA9