그리드에 열 추가 (관찰자)-where 절이 모호한 'store_id'열 문제


16

옵저버 접근 방식을 사용하여 주문 그리드에 열을 추가하고 있습니다.

  1. 이벤트에서-> sales_order_grid_collection_load_before컬렉션에 조인을 추가하고 있습니다.
  2. 이벤트-> core_block_abstract_prepare_layout_before그리드에 열을 추가하고 있습니다.

추가 정보 편집 :

이벤트 (1)에서 :

   public function salesOrderGridCollectionLoadBefore($observer)
{
    $collection = $observer->getOrderGridCollection();
    $collection->addFilterToMap('store_id', 'main_table.store_id');
    $select = $collection->getSelect();
    $select->joinLeft(array('oe' => $collection->getTable('sales/order')), 'oe.entity_id=main_table.entity_id', array('oe.customer_group_id'));

}

이벤트 (2)에서 :

public function appendCustomColumn(Varien_Event_Observer $observer)
{
    $block = $observer->getBlock();
    if (!isset($block)) {
        return $this;
    }

    if ($block->getType() == 'adminhtml/sales_order_grid') {
        /* @var $block Mage_Adminhtml_Block_Customer_Grid */
        $this->_addColumnToGrid($block);
    }
}

protected function _addColumnToGrid($grid)
{

    $groups = Mage::getResourceModel('customer/group_collection')
        ->addFieldToFilter('customer_group_id', array('gt' => 0))
        ->load()
        ->toOptionHash();
    $groups[0] = 'Guest';


    /* @var $block Mage_Adminhtml_Block_Customer_Grid */
    $grid->addColumnAfter('customer_group_id', array(
        'header' => Mage::helper('customer')->__('Customer Group'),
        'index' => 'customer_group_id',
        'filter_index' => 'oe.customer_group_id',
        'type' => 'options',
        'options' => $groups,
    ), 'shipping_name');
}

상점보기 필터로 그리드를 필터링 할 때까지 모든 것이 잘 작동합니다 : where 절이 모호한 문제의 열 'store_id'

쿼리를 인쇄했습니다.

SELECT `main_table`.*, `oe`.`customer_group_id` 
FROM `sales_flat_order_grid` AS `main_table`
LEFT JOIN `sales_flat_order` AS `oe` ON oe.entity_id=main_table.entity_id 
WHERE (store_id = '5') AND (oe.customer_group_id = '6')

알다시피 store_id미스 main_table별칭입니다.

난 그냥 설정해야이 달성하기 위해 filter_index상점 ID 열에하지만 관찰자를 통해 질문은 내가 할 수있는 방법입니다 그래서 즉석에서를 ?
블록 클래스를 재정의하지 않고 ? (그렇지 않으면 관찰자 접근은 쓸모가 없습니다)

답변:


32

앞에서 언급 한 다른 솔루션으로 다시 시도해 보겠습니다. 그런 다음 그리드 페이지를 주문할 때 열을 추가하기 위해 레이아웃 업데이트 파일 만 있으면됩니다.

확장명을 Example_SalesGrid라고했지만 원하는대로 변경할 수 있습니다.

/app/etc/modules/Example_SalesGrid.xml에 모듈 init xml을 작성하여 시작해 보겠습니다 .

<?xml version="1.0" encoding="UTF-8"?>
<!--
 Module bootstrap file
-->
<config>
    <modules>
        <Example_SalesGrid>
            <active>true</active>
            <codePool>community</codePool>
            <depends>
                <Mage_Sales />
            </depends>
        </Example_SalesGrid>
    </modules>
</config>

다음으로 /app/code/community/Example/SalesGrid/etc/config.xml에 모듈 구성 xml을 만듭니다 .

<?xml version="1.0" encoding="UTF-8"?>
<config>
    <modules>
        <Example_SalesGrid>
            <version>0.1.0</version> <!-- define version for sql upgrade -->
        </Example_SalesGrid>
    </modules>
    <global>
        <models>
            <example_salesgrid>
                <class>Example_SalesGrid_Model</class>
            </example_salesgrid>
        </models>
        <blocks>
            <example_salesgrid>
                <class>Example_SalesGrid_Block</class>
            </example_salesgrid>
        </blocks>
        <events>
            <!-- Add observer configuration -->
            <sales_order_resource_init_virtual_grid_columns>
                <observers>
                    <example_salesgrid>
                        <model>example_salesgrid/observer</model>
                        <method>addColumnToResource</method>
                    </example_salesgrid>
                </observers>
            </sales_order_resource_init_virtual_grid_columns>
        </events>
        <resources>
            <!-- initialize sql upgrade setup -->
            <example_salesgrid_setup>
                <setup>
                    <module>Example_SalesGrid</module>
                    <class>Mage_Sales_Model_Mysql4_Setup</class>
                </setup>
            </example_salesgrid_setup>
        </resources>
    </global>
    <adminhtml>
        <layout>
            <!-- layout upgrade configuration -->
            <updates>
                <example_salesgrid>
                    <file>example/salesgrid.xml</file>
                </example_salesgrid>
            </updates>
        </layout>
    </adminhtml>
</config>

이제 /app/code/community/Example/SalesGrid/sql/example_salesgrid_setup/install-0.1.0.php에 SQL 업그레이드 스크립트를 만듭니다 .

<?php
/**
 * Setup scripts, add new column and fulfills
 * its values to existing rows
 *
 */
$this->startSetup();
// Add column to grid table

$this->getConnection()->addColumn(
    $this->getTable('sales/order_grid'),
    'customer_group_id',
    'smallint(6) DEFAULT NULL'
);

// Add key to table for this field,
// it will improve the speed of searching & sorting by the field
$this->getConnection()->addKey(
    $this->getTable('sales/order_grid'),
    'customer_group_id',
    'customer_group_id'
);

// Now you need to fullfill existing rows with data from address table

$select = $this->getConnection()->select();
$select->join(
    array('order'=>$this->getTable('sales/order')),
    $this->getConnection()->quoteInto(
        'order.entity_id = order_grid.entity_id'
    ),
    array('customer_group_id' => 'customer_group_id')
);
$this->getConnection()->query(
    $select->crossUpdateFromSelect(
        array('order_grid' => $this->getTable('sales/order_grid'))
    )
);

$this->endSetup();

다음으로 /app/design/adminhtml/default/default/layout/example/salesgrid.xml에 레이아웃 업데이트 파일을 만듭니다.

<?xml version="1.0"?>
<layout>
    <!-- main layout definition that adds the column -->
    <add_order_grid_column_handle>
        <reference name="sales_order.grid">
            <action method="addColumnAfter">
                <columnId>customer_group_id</columnId>
                <arguments module="sales" translate="header">
                    <header>Customer Group</header>
                    <index>customer_group_id</index>
                    <type>options</type>
                    <filter>Example_SalesGrid_Block_Widget_Grid_Column_Customer_Group</filter>
                    <renderer>Example_SalesGrid_Block_Widget_Grid_Column_Renderer_Customer_Group</renderer>
                    <width>200</width>
                </arguments>
                <after>grand_total</after>
            </action>
        </reference>
    </add_order_grid_column_handle>
    <!-- order grid action -->
    <adminhtml_sales_order_grid>
        <!-- apply the layout handle defined above -->
        <update handle="add_order_grid_column_handle" />
    </adminhtml_sales_order_grid>
    <!-- order grid view action -->
    <adminhtml_sales_order_index>
        <!-- apply the layout handle defined above -->
        <update handle="add_order_grid_column_handle" />
    </adminhtml_sales_order_index>
</layout>

이제 필터 옵션 /app/code/community/Example/SalesGrid/Block/Widget/Grid/Column/Customer/Group.php 를 만들기 위해 두 개의 차단 파일이 필요합니다 .

<?php

class Example_SalesGrid_Block_Widget_Grid_Column_Customer_Group extends Mage_Adminhtml_Block_Widget_Grid_Column_Filter_Select  {

    protected $_options = false;

    protected function _getOptions(){

        if(!$this->_options) {
            $methods = array();
            $methods[] = array(
                'value' =>  '',
                'label' =>  ''
            );
            $methods[] = array(
                'value' =>  '0',
                'label' =>  'Guest'
            );

            $groups = Mage::getResourceModel('customer/group_collection')
                ->addFieldToFilter('customer_group_id', array('gt' => 0))
                ->load()
                ->toOptionArray();

            $this->_options = array_merge($methods,$groups);
        }
        return $this->_options;
    }
}

그리고 두 번째는 행 값을 표시 될 올바른 텍스트 /app/code/community/Example/SalesGrid/Block/Widget/Grid/Column/Renderer/Customer/Group.php로 변환합니다 .

<?php

class Example_SalesGrid_Block_Widget_Grid_Column_Renderer_Customer_Group extends Mage_Adminhtml_Block_Widget_Grid_Column_Renderer_Abstract   {

    protected $_options = false;

    protected function _getOptions(){

        if(!$this->_options) {
            $methods = array();
            $methods[0] = 'Guest';

            $groups = Mage::getResourceModel('customer/group_collection')
                ->addFieldToFilter('customer_group_id', array('gt' => 0))
                ->load()
                ->toOptionHash();
            $this->_options = array_merge($methods,$groups);
        }
        return $this->_options;
    }

    public function render(Varien_Object $row){
        $value = $this->_getValue($row);
        $options = $this->_getOptions();
        return isset($options[$value]) ? $options[$value] : $value;
    }
}

마지막으로 필요한 파일은 sales / order (sales_flat_order) 이외의 테이블에서 추가 열을 만드는 경우에만 필요합니다. sales / order_grid 테이블에서 sales / order의 열 이름과 일치하는 sales / order_grid의 모든 필드가 자동으로 업데이트됩니다. 예를 들어 지불 옵션을 추가해야하는 경우 데이터를 올바른 테이블에 복사 할 수 있도록 필드를 쿼리에 추가하려면이 옵저버가 필요합니다. 이를 위해 사용되는 관찰자는 /app/code/community/Example/SalesGrid/Model/Observer.php에 있습니다 .

<?php
/**
 * Event observer model
 *
 *
 */
class Example_SalesGrid_Model_Observer {

    public function addColumnToResource(Varien_Event_Observer $observer) {
        // Only needed if you use a table other than sales/order (sales_flat_order)

        //$resource = $observer->getEvent()->getResource();
        //$resource->addVirtualGridColumn(
        //  'payment_method',
        //  'sales/order_payment',
        //  array('entity_id' => 'parent_id'),
        //  'method'
        //);
    }
}

이 코드는 http://www.ecomdev.org/2010/07/27/adding-order-attribute-to-orders-grid-in-magento-1-4-1.html 의 예제를 기반으로합니다 .

위의 예가 문제를 해결하기를 바랍니다.


죄송합니다. 여행하면서 테스트 할 수 없었습니다. 접근 방식이 조금 더 복잡해
보입니다 (

그리드 옵저버는 매번 변경 될 때마다 데이터 변경을 처리합니다. 이는 다른 테이블에 대한 조인을 만들 필요가없는 기본 마 젠토 사용이므로 대량 주문에서 쿼리 속도를 높입니다 (모든 데이터는 sales_flat_order_grid에 저장 됨).
Vladimir Kerkhoff 2016 년

이것을 사용하려고하면 오류가 발생합니다. 경고 : Varien_Db_Adapter_Pdo_Mysql :: quoteInto ()에 대한 인수 2 누락
Vaishal Patel

4

이것들을 사용해보십시오 :

public function salesOrderGridCollectionLoadBefore($observer)
{
    /**
     * @var $select Varien_DB_Select
     */
    $collection = $observer->getOrderGridCollection();
    $collection->addFilterToMap('store_id', 'main_table.store_id');
    $select     = $collection->getSelect();
    $select->joinLeft(array('oe' => $collection->getTable('sales/order')), 'oe.entity_id=main_table.entity_id', array('oe.customer_group_id'));
    if ($where = $select->getPart('where')) {
        foreach ($where as $key=> $condition) {
            if (strpos($condition, 'store_id')) {
                $value       = explode('=', trim($condition, ')'));
                $value       = trim($value[1], "' ");
                $where[$key] = "(main_table.store_id = '$value')";
            }
        }
        $select->setPart('where', $where);
    }
}

1
이것은 OP의 옵저버 접근법에 대한 해답으로 받아 들여졌어야했다.
musicliftsme

2

메소드 salesOrderGridCollectionLoadBefore에 다음 코드 가 정말로 필요 $collection->addFilterToMap('store_id', 'main_table.store_id');합니까? 제거하지 않으면 다음을 시도하십시오.

protected function _addColumnToGrid($grid)
{
....... // here you code from your post above

    $storeIdColumn = $grid->getColumn('store_id');

    if($storeIdColumn) {
        $storeIdColumn->addData(array('filter_index' => 'main_table.store_id'));
    }
}

이미 :( 모두 시도 Column('store_id');에 사용할 수 없습니다 core_block_abstract_prepare_layout_before (_prepareColumn ()가 열이 그 시간에 존재하지 않도록 한 후 호출 할) addFilterToMap일을하지 않는 것입니다 작업
훌라

addFilterToMap이 작동하지 않는 이유는 무엇입니까?
Fra

Soory 나는이 마지막 날을 볼 시간이 너무 많지 않았습니다. 아마 내일 addFilterToMap을 사용하지 말라고 한 이유를 약간 기억하기 때문에 아이디어는 잘못된 사용법, 매개 변수가 잘못되었거나 좋은 순간에 사용되지 않는 방법입니다. 그것은 단지 기억에서 아이디어입니다.
Sylvain Rayé

2

정적 열 이름을 사용하는 대신 모든 열에 대해 아래 방법을 사용할 수 있습니다. 하나의 열에서 작동하는 mageUz의 대답을 사용하고 다른 열로 이동하면 동일한 오류가 발생할 수 있음을 이해할 수 있습니다. 따라서 아래 코드는 모든 열에 대한 솔루션을 동시에 제공합니다.

public function salesOrderGridCollectionLoadBefore(Varien_Event_Observer $observer)
{
    $collection = $observer->getOrderGridCollection();
    $select = $collection->getSelect();
    $select->joinLeft(array('order' => $collection->getTable('sales/order')), 'order.entity_id=main_table.entity_id',array('shipping_arrival_date' => 'shipping_arrival_date'));

    if ($where = $select->getPart('where')) {
        foreach ($where as $key=> $condition) {
            $parsedString = $this->get_string_between($condition, '`', '`');
    $yes = $this->checkFiledExistInTable('order_grid',$parsedString);
    if($yes){
        $condition = str_replace('`','',$condition);
        $where[$key] = str_replace($parsedString,"main_table.".$parsedString,$condition);
    }
        }
        $select->setPart('where', $where);
    }
}

 public function checkFiledExistInTable($entity=null,$parsedString=null){
   $resource = Mage::getSingleton('core/resource');
   $readConnection = $resource->getConnection('core_read');

    if($entity == 'order'){
       $table = 'sales/order';
    }elseif($entity == 'order_grid'){
        $table = 'sales/order_grid';
    }else{
        return false;
    }

     $tableName = $resource->getTableName($table);
    $saleField = $readConnection->describeTable($tableName);

    if (array_key_exists($parsedString,$saleField)){
       return true;
   }else{
      return false;
   }
 }

function get_string_between($string, $start, $end){
    $string = ' ' . $string;
    $ini = strpos($string, $start);
    if ($ini == 0) return '';
    $ini += strlen($start);
    $len = strpos($string, $end, $ini) - $ini;
    return substr($string, $ini, $len);
}
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.