한 페이지 결제에서 배송 단계 제거


14

CE 1.9.1.0을 사용하고 있습니다.

한 페이지 결제에서 배송 정보 및 배송 방법 단계를 제거하려고하는데 성공하지 못했습니다.

아마도 누군가 나를 도울 수 있거나 올바른 방향으로 나를 가리킬 수 있습니까?



위의 링크는 현장 점검을위한 것입니다.
inrsaurabh

답변:


33

여기 내가 한 일이 있습니다.
배송 단계를 제거하고 항상 사용할 수있는 기본 배송 방법을 사용했습니다.
이것이 필요한지 확실하지 않지만 최소한 시작점으로 사용할 수 있습니다.
여기 내 아이디어가 있습니다. 배송 단계 구성 설정
으로 새 모듈을 만들었 enable/disable으므로 system->configuration섹션 에서 언제든지 배송 단계를 다시 활성화 할 수 있습니다 .

모듈을 만듭니다 StackExchange_Checkout.
다음 파일이 필요합니다.

app/etc/modules/StackExchange_Checkout.xml -선언 파일

<?xml version="1.0"?>
<config>
    <modules>
        <StackExchange_Checkout>
            <active>true</active>
            <codePool>local</codePool>
            <depends>
                <Mage_Checkout />
            </depends>
        </StackExchange_Checkout>
    </modules>
</config>

app/code/local/StackExchange/Checkout/etc/config.xml-모델, 블록을 정의하고 한 페이지 체크 아웃 블록을 다시 작성하는 구성 파일. 또한 기본 배송 방법을 설정합니다.

<?xml version="1.0"?>
<config>
    <modules>
        <StackExchange_Checkout>
            <version>0.0.1</version>
        </StackExchange_Checkout>
    </modules>
    <global>
        <blocks>
            <checkout>
                <rewrite>
                    <onepage>StackExchange_Checkout_Block_Onepage</onepage><!-- rewrite the onepage chackout block -->
                </rewrite>
            </checkout>
        </blocks>
        <helpers>
            <stackexchange_checkout>
                <class>StackExchange_Checkout_Helper</class>
            </stackexchange_checkout>
        </helpers>
        <models>
            <stackexchange_checkout>
                <class>StackExchange_Checkout_Model</class>
            </stackexchange_checkout>
        </models>
    </global>
    <default>
        <checkout>
            <options>
                <hide_shipping>1</hide_shipping>
                <default_shipping>tablerate_bestway</default_shipping><!-- set the default shipping method code -->
            </options>
        </checkout>
    </default>
    <frontend>
        <routers>
            <checkout>
                <args>
                    <modules>
                        <StackExchange_Checkout before="Mage_Checkout">StackExchange_Checkout</StackExchange_Checkout>
                    </modules>
                </args>
            </checkout>
        </routers>
        <translate>
            <modules>
                <StackExchange_Checkout>
                    <files>
                        <default>StackExchange_Checkout.csv</default>
                    </files>
                </StackExchange_Checkout>
            </modules>
        </translate>
    </frontend>
</config>

app/code/local/StackExchange/Checkout/etc/system.xml -운송 단계에 대해 활성화 / 비활성화 플래그를 배치하는 시스템 파일

<?xml version="1.0"?>
<config>
    <sections>
        <checkout>
            <groups>
                <options>
                    <fields>
                        <hide_shipping translate="label" module="stackexchange_checkout">
                            <label>Hide shipping method step</label>
                            <frontend_type>select</frontend_type>
                            <source_model>adminhtml/system_config_source_yesno</source_model>
                            <sort_order>100</sort_order>
                            <show_in_default>1</show_in_default>
                            <show_in_website>1</show_in_website>
                            <show_in_store>1</show_in_store>
                        </hide_shipping>
                        <default_shipping translate="label" module="stackexchange_checkout">
                            <label>Default shipping method code</label>
                            <frontend_type>text</frontend_type>
                            <sort_order>110</sort_order>
                            <show_in_default>1</show_in_default>
                            <show_in_website>1</show_in_website>
                            <show_in_store>1</show_in_store>
                        </default_shipping>
                    </fields>
                </options>
            </groups>
        </checkout>
    </sections>
</config>

app/code/local/StackExchange/Checkout/Helper/Data.php -배송 단계를 사용 중지해야하는지 확인하는 도우미

<?php
class StackExchange_Checkout_Helper_Data extends Mage_Core_Helper_Abstract 
{
    const XML_HIDE_SHIPPING_PATH = 'checkout/options/hide_shipping';
    const XML_DEFAULT_SHIPPING_PATH = 'checkout/options/default_shipping';
    public function getHideShipping()
    {
        if (!Mage::getStoreConfigFlag(self::XML_HIDE_SHIPPING_PATH)){
            return false;
        }
        if (!$this->getDefaultShippingMethod()){
            return false;
        }
        return true;
    }
    public function getDefaultShippingMethod()
    {
        return Mage::getStoreConfig(self::XML_DEFAULT_SHIPPING_PATH);
    }
}

app/code/local/StackExchange/Checkout/Block/Onepage.php -덮어 쓴 체크 아웃 블록

<?php
class StackExchange_Checkout_Block_Onepage extends Mage_Checkout_Block_Onepage 
{
    protected function _getStepCodes()
    {
        if (!Mage::helper('stackexchange_checkout')->getHideShipping()){
            return parent::_getStepCodes();
        }
        return array_diff(parent::_getStepCodes(), array('shipping_method'));
    }
}

app/code/local/StackExchange/Checkout/controllers/OnepageController.php -1 페이지 컨트롤러를 재정 의하여 기본 배송 방법을 자동으로 설정합니다.

<?php
require 'Mage/Checkout/controllers/OnepageController.php';
class StackExchange_Checkout_OnepageController extends Mage_Checkout_OnepageController
{
    public function saveBillingAction()
    {
        if (!Mage::helper('stackexchange_checkout')->getHideShipping()){
            parent::saveBillingAction();
            return;
        }

        if ($this->_expireAjax()) {
            return;
        }
        if ($this->getRequest()->isPost()) {
            $data = $this->getRequest()->getPost('billing', array());
            $customerAddressId = $this->getRequest()->getPost('billing_address_id', false);

            if (isset($data['email'])) {
                $data['email'] = trim($data['email']);
            }
            $result = $this->getOnepage()->saveBilling($data, $customerAddressId);

            if (!isset($result['error'])) {
                /* check quote for virtual */
                if ($this->getOnepage()->getQuote()->isVirtual()) {
                    $result['goto_section'] = 'payment';
                    $result['update_section'] = array(
                        'name' => 'payment-method',
                        'html' => $this->_getPaymentMethodsHtml()
                    );
                } elseif (isset($data['use_for_shipping']) && $data['use_for_shipping'] == 1) {
                    //add default shipping method
                    $data = Mage::helper('stackexchange_checkout')->getDefaultShippingMethod();
                    $result = $this->getOnepage()->saveShippingMethod($data);
                    $this->getOnepage()->getQuote()->save();
                    /*
                    $result will have erro data if shipping method is empty
                    */
                    if(!$result) {
                        Mage::dispatchEvent('checkout_controller_onepage_save_shipping_method',
                            array('request'=>$this->getRequest(),
                                'quote'=>$this->getOnepage()->getQuote()));
                        $this->getOnepage()->getQuote()->collectTotals();
                        $this->getResponse()->setBody(Mage::helper('core')->jsonEncode($result));

                        $result['goto_section'] = 'payment';
                        $result['update_section'] = array(
                            'name' => 'payment-method',
                            'html' => $this->_getPaymentMethodsHtml()
                        );
                    }


                    $result['allow_sections'] = array('shipping');
                    $result['duplicateBillingInfo'] = 'true';
                } else {
                    $result['goto_section'] = 'shipping';
                }
            }

            $this->getResponse()->setBody(Mage::helper('core')->jsonEncode($result));
        }
    }
    public function saveShippingAction()
    {
        if (!Mage::helper('stackexchange_checkout')->getHideShipping()){
            parent::saveShippingAction();
            return;
        }
        if ($this->_expireAjax()) {
            return;
        }
        if ($this->getRequest()->isPost()) {
            $data = $this->getRequest()->getPost('shipping', array());
            $customerAddressId = $this->getRequest()->getPost('shipping_address_id', false);
            $result = $this->getOnepage()->saveShipping($data, $customerAddressId);

            $data = Mage::helper('stackexchange_checkout')->getDefaultShippingMethod();
            $result = $this->getOnepage()->saveShippingMethod($data);
            $this->getOnepage()->getQuote()->save();

            if (!isset($result['error'])) {
                $result['goto_section'] = 'payment';
                $result['update_section'] = array(
                    'name' => 'payment-method',
                    'html' => $this->_getPaymentMethodsHtml()
                );
            }
            $this->getResponse()->setBody(Mage::helper('core')->jsonEncode($result));
        }
    }
}

캐시를 지우면 완료됩니다.


방금 이것을 구현했지만 배송 방법이 잘못되었다는 메시지가 표시됩니까?
빈스 Pettit

@VincePettit. 나는 대답에서 필자가 항상 사용할 수있는 운송 방법을 기본으로 사용했다고 언급했다. 사용하는 배송 방법을 항상 사용할 수있는 것은 아닙니다.
Marius

배송 정보를 비활성화하는 방법은 무엇입니까?
젠토 2

@Manojkothari 몰라요.
Marius

@Manojkothari 가상 제품 배송 정보로 제품을 추가하면 배송 selction이 나타나지 않습니다
Butterfly

7

제품을 가상 제품으로 만들면 자동으로 제거됩니다.


1
이 경우 사이트의 모든 제품을 가상으로 변경해야합니다. 이는 엄청난 양의 작업이며 다른 표준 Magento 프로세스에서 문제를 일으킬 가능성이있는 것보다 작동합니다.
David Manners

2
가상 제품에 대한 정보이기 때문에 배송 정보를 수집하지 않으려는 경우 이상적으로하는 것이 옳은 일이며 다른 표준 프로세스에서 문제가 발생할 것으로
보지 못합니다

다운로드 가능한 제품도 마찬가지입니다. 여기를 참조 하십시오 .
quickshiftin

7

나는 다시 쓸 필요가없는 @marius보다 더 나은 솔루션을 가지고 있습니다.

당신은 여전히 ​​자신의 모듈을 만들어야합니다. 많은 튜토리얼이 있으므로 여기에서는 설명하지 않습니다. 관찰자를 작성하고를 통해 트리거해야합니다 config.xml. 템플릿을 수정해야 할 수도 있습니다app/design/frontend/base/default/template/checkout/onepage.phtml

당신의 config.xml:

<?xml version="1.0"?>
<config>
    <modules>
        <Namepace_Module>
            <version>1.0.0</version>
        </Namepace_Module>
    </modules>

    ....

    <frontend>
        <events>
            <controller_action_postdispatch_checkout_onepage_saveBilling>
                <observers>
                    <namespace_module_skip_shipping_method>
                        <type>singleton</type>
                        <class>namespace_module/observer</class>
                        <method>controllerActionPostdispatchCheckoutOnepageSaveBilling</method>
                    </namespace_module_skip_shipping_method>
                </observers>
            </controller_action_postdispatch_checkout_onepage_saveBilling>

            <controller_action_postdispatch_checkout_onepage_saveShipping>
                <observers>
                    <namespace_module_skip_shipping_method>
                        <type>singleton</type>
                        <class>namespace_module/observer</class>
                        <method>controllerActionPostdispatchCheckoutOnepageSaveBilling</method>
                    </namespace_module_skip_shipping_method>
                </observers>
            </controller_action_postdispatch_checkout_onepage_saveShipping>
        </events>
    </frontend>
</config>

당신의 Model/Observer.php

class Namepsace_Module_Model_Observer {
/**
     * @param Varien_Event_Observer $observer
     */
    public function controllerActionPostdispatchCheckoutOnepageSaveBilling(Varien_Event_Observer $observer)
    {
        if (!Mage::helper('namespace_module')->skipShippingMethod()) {
            return;
        }

        /* @var $controller Mage_Checkout_OnepageController */
        $controller = $observer->getEvent()->getControllerAction();
        $response = Mage::app()->getFrontController()->getResponse()->getBody(true);

        if (!isset($response['default'])) {
            return;
        }

        $response = Mage::helper('core')->jsonDecode($response['default']);

        if ($response['goto_section'] == 'shipping_method') {
            $response['goto_section'] = 'payment';
            $response['update_section'] = array(
                'name' => 'payment-method',
                'html' => $this->_getPaymentMethodsHtml()
            );

            $controller->getResponse()->setBody(Mage::helper('core')->jsonEncode($response));
        }
    }

    /**
     * @return string
     * @throws Mage_Core_Exception
     */
    protected function _getPaymentMethodsHtml()
    {
        $layout = Mage::getModel('core/layout');
        $update = $layout->getUpdate();
        $update->load('checkout_onepage_paymentmethod');
        $layout->generateXml();
        $layout->generateBlocks();

        return $layout->getOutput();
    }
}

덜 복잡하게 들립니다. 배송 방법이 두 개 이상 있는지 확인하고 단계 인 경우에만 건너 뛰는 방법이 있습니까?
Bernhard Prange

설명과 함께 전체 코드를 줄 수 있습니까?
Prashant Patil

-4

지난 며칠 동안 더 쉬운 솔루션을 찾고 있었기 때문에 마법사 코어 파일을 엉망으로 만들고 싶지 않았습니다. 그래서 나는 내 자신의 해결책을 생각해 냈습니다.

배송 방법의 div를 검사하고 css 파일을 찾으십시오. 내 경우에는 파일이

"pub / static / frontend / myTheme / themeName / en_US / css / stye-m.css"

그 후 현재 CSS를 덮어 씁니다. 물론 원래 파일을 백업했습니다.

CSS :

.step-title, .totals.shipping.incl {display : none! important;} # checkout-shipping-method-load {display : none! important;}

또한이 방법으로 파일이 유효한지 알고 싶습니다. 나는 지금까지 어떤 문제에 직면하지 않았습니다.


1
이 파일은 Magentos 정적 파일 배포에 의해 자동으로 생성됩니다. 파일이 다시 생성 되 자마자 변경 사항이 손실됩니다.
Fabian Schmengler

2
이것은 마
젠토
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.