고급 제품 옵션 확장의 옵션에 사용자 정의 필드를 추가하는 방법

게시 됨: 2020-09-08

이 기사에서는 제품 사용자 지정 옵션에 대한 "GTIN" 필드를 만들고 제품 페이지 프런트 엔드에 표시하고 주문에 표시하는 방법을 배웁니다.

더 이상 고민하지 않고 단계별 지침으로 진행해 보겠습니다.

목차

  • 1 단계. 새 모듈 만들기
  • 2 단계. 데이터베이스에 새 필드 추가
  • 3단계. 백엔드 작업을 위한 로직 추가
  • 4단계. 제품 페이지 프런트 엔드에 필드 표시
  • 5단계. 데이터베이스의 주문 세부 정보에 속성 데이터 추가
  • 6단계. 관리자 패널의 주문 페이지에 데이터 표시

1 단계. 새 모듈 만들기

이 기사에서 모듈을 만드는 방법을 자세히 설명했습니다. 따라서 이 부분을 건너뛰고 추가 기능을 만드는 데 필요한 코드로 바로 이동하겠습니다.

1.작곡가.json

 { "name": "mageworx/module-optiongtin", "description": "N/A", "require": { "magento/framework" : ">=100.1.0 <101", "magento/module-catalog": ">=101.0.0 <104" }, "type": "magento2-module", "version": "1.0.0", "license": [ "OSL-3.0", "AFL-3.0" ], "autoload": { "files": [ "registration.php" ], "psr-4": { "VendorName\\OptionGtin\\": "" } } }

2.etc/module.xml

 <?xml version="1.0"?> <config xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:noNamespaceSchemaLocation="urn:magento:framework:Module/etc/module.xsd"> <module name="VendorName_OptionGtin" setup_version="1.0.0"> <sequence> <module name="Magento_Catalog"/> <module name="MageWorx_OptionBase"/> </sequence> </module> </config>

3.등록.php

 <?php \Magento\Framework\Component\ComponentRegistrar::register( \Magento\Framework\Component\ComponentRegistrar::MODULE, 'VendorName_OptionGtin', __DIR__ );

2 단계. 데이터베이스에 새 필드 추가

빈 모듈을 만든 후에는 새 "GTIN" 필드를 만들고 해당 테이블 내의 데이터베이스에 추가할 차례입니다. 옵션 값에 대한 필드를 추가할 때 "catalog_product_option" 테이블이 필요합니다.

다음 파일을 만들어 봅시다.

app/code/VendorName/OptionGtin/Setup/InstallSchema.php

 <?php namespace VendorName\OptionGtin\Setup; use Magento\Framework\Setup\InstallSchemaInterface; use Magento\Framework\Setup\ModuleContextInterface; use Magento\Framework\Setup\SchemaSetupInterface; use Magento\Framework\DB\Ddl\Table; class InstallSchema implements InstallSchemaInterface { public function install(SchemaSetupInterface $setup, ModuleContextInterface $context) { $setup->startSetup(); $setup->getConnection()->addColumn( $setup->getTable('catalog_product_option'), 'gtin', [ 'type' => Table::TYPE_TEXT, 'nullable' => true, 'default' => null, 'comment' => 'Gtin (added by VendorName Option Gtin)', ] ); $setup->endSetup(); } }

3단계. 백엔드 작업을 위한 로직 추가

풀 수정자 메커니즘을 사용하여 새 필드를 추가합니다.

이제 다음 파일을 추가합니다.

app/code/VendorName/OptionGtin/etc/adminhtml/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="MageWorx\OptionBase\Ui\DataProvider\Product\Form\Modifier\Pool"> <arguments> <argument name="modifiers" xsi:type="array"> <item name="mageworx-option-gtin" xsi:type="array"> <item name="class" xsi:type="string">VendorName\OptionGtin\Ui\DataProvider\Product\Form\Modifier\OptionGtin</item> <item name="sortOrder" xsi:type="number">72</item> </item> </argument> </arguments> </virtualType> </config>

여기에서 고급 제품 옵션 확장의 공유 풀에 수정자를 추가해 보겠습니다. "MageWorx\OptionBase\Ui\DataProvider\Product\Form\Modifier\Pool". "VendorName\OptionGtin\Ui\DataProvider\Product\Form\Modifier\OptionGtin"은 클래스 수정자입니다.

app/code/VendorName/OptionGtin/Ui/DataProvider/Product/Form/Modifier/OptionGtin.php 양식에 필드를 추가할 수 있는 코드는 다음과 같습니다.

 <?php namespace VendorName\OptionGtin\Ui\DataProvider\Product\Form\Modifier; use Magento\Catalog\Ui\DataProvider\Product\Form\Modifier\AbstractModifier; use Magento\Catalog\Ui\DataProvider\Product\Form\Modifier\CustomOptions; use Magento\Ui\Component\Form\Element\Input; use Magento\Ui\Component\Form\Element\DataType\Number; use Magento\Ui\Component\Form\Field; use MageWorx\OptionBase\Ui\DataProvider\Product\Form\Modifier\ModifierInterface; class OptionGtin extends AbstractModifier implements ModifierInterface { /** * @var array */ protected $meta = []; /** * {@inheritdoc} */ public function modifyData(array $data) { return $data; } /** * {@inheritdoc} */ public function modifyMeta(array $meta) { $this->meta = $meta; $this->addFields(); return $this->meta; } /** * Adds fields to the meta-data */ protected function addFields() { $groupCustomOptionsName = CustomOptions::GROUP_CUSTOM_OPTIONS_NAME; $optionContainerName = CustomOptions::CONTAINER_OPTION; $commonOptionContainerName = CustomOptions::CONTAINER_COMMON_NAME; // Add fields to the option $optionFeaturesFields = $this->getOptionGtinFieldsConfig(); $this->meta[$groupCustomOptionsName]['children']['options']['children']['record']['children'] [$optionContainerName]['children'][$commonOptionContainerName]['children'] = array_replace_recursive( $this->meta[$groupCustomOptionsName]['children']['options']['children']['record']['children'] [$optionContainerName]['children'][$commonOptionContainerName]['children'], $optionFeaturesFields ); } /** * The custom option fields config * * @return array */ protected function getOptionGtinFieldsConfig() { $fields['gtin'] = $this->getGtinFieldConfig(); return $fields; } /** * Get gtin field config * * @return array */ protected function getGtinFieldConfig() { return [ 'arguments' => [ 'data' => [ 'config' => [ 'label' => __('GTIN'), 'componentType' => Field::NAME, 'formElement' => Input::NAME, 'dataType' => Number::NAME, 'dataScope' => 'gtin', 'sortOrder' => 65 ], ], ], ]; } /** * Check is current modifier for the product only * * @return bool */ public function isProductScopeOnly() { return false; } /** * Get sort order of modifier to load modifiers in the right order * * @return int */ public function getSortOrder() { return 32; } }

이제 확장 프로그램을 설치하고 모든 것이 표시되는지 확인합니다.

  • php bin/magento 모듈: VendorName_OptionGtin 활성화
  • php bin/magento 설정:업그레이드
  • PHP bin/magento 캐시:플러시

새 필드가 성공적으로 추가되었습니다.

고급 제품 옵션에 사용자 정의 필드를 추가하는 방법 | Mageworx 블로그

4단계. 제품 페이지 프런트 엔드에 필드 표시

Mageworx Advanced Product Options 확장에는 이미 우리 모듈이 추가하는 속성을 표시하고 작업할 수 있는 모든 것이 있습니다. 공유 데이터 세트에 새 속성을 추가하기만 하면 됩니다.

MageWorx_OptionBase 모듈은 이미 getExtendedOptionsConfig() 메서드를 사용하고 있습니다. 프런트 엔드의 블록에 있는 모든 사용자 정의 속성을 수집하고 표시합니다. app/code/MageWorx/OptionBase/Block/Product/View/Options.php 클래스를 열어 구현 방법을 확인하십시오.

속성을 사용하여 모델을 만드는 것부터 시작해 보겠습니다.

app/code/VendorName/OptionGtin/Model/Attriburte/Option/Gtin.php

 <?php namespace VendorName\OptionGtin\Model\Attribute\Option; use MageWorx\OptionBase\Model\Product\Option\AbstractAttribute; class Gtin extends AbstractAttribute { /** * @return string */ public function getName() { return 'gtin'; } }

이제 "종속성 주입" 메커니즘을 사용하고 고급 제품 옵션 확장의 공유 속성 데이터 세트에 속성을 추가합니다.

app/code/VendorName/OptionGtin/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"> <!-- Data --> <type name="MageWorx\OptionBase\Model\Product\Option\Attributes"> <arguments> <argument name="data" xsi:type="array"> <item name="gtin" xsi:type="object">VendorName\OptionGtin\Model\Attribute\Option\Gtin</item> </argument> </arguments> </type> </config>

즉, MageWorx\OptionBase\Model\Product\Option\Attributes 클래스를 열면 단순히 모든 속성 개체를 공유 데이터 세트에 수집한다는 것을 알 수 있습니다.

새로운 "GTIN" 속성의 데이터를 표시하기 위해 app/code/MageWorx/OptionFeatures/view/base/web/js/catalog/product/features.jsfirstrun() 함수를 사용하기로 결정했습니다. 우리의 예에 가장 잘 맞는 모든 필수 구현이 이미 있습니다. 전체 파일을 덮어쓰는 것을 방지하기 위해 "JavaScript mixins" 메커니즘을 적용할 것입니다. 이 메커니즘은 필요한 기능만 변경하는 데 도움이 됩니다.

다음 파일을 만들고 여기에 믹스인을 정의합니다. app/code/VendorName/OptionGtin/view/frontend/requirejs-config.js

 var config = { config: { mixins: { 'MageWorx_OptionFeatures/js/catalog/product/features': { 'VendorName_OptionGtin/js/catalog/product/features-gtin-mixin' : true } } } };

여기에서 MageWorx_OptionFeatures/js/catalog/product/features 는 파일의 루트이며, 이 메소드는 다시 작성해야 합니다. VendorName_OptionGtin/js/catalog/product/features-gtin-mixin 은 파일이며 여기에서 메서드를 다시 작성합니다.

이제 생성해 보겠습니다. app/code/VendorName/OptionGtin/view/frontend/web/js/catalog/product/features-gtin-mixin.js

 define([ 'jquery', 'jquery/ui', 'mage/utils/wrapper' ], function ($, wrapper) { 'use strict'; return function (widget) { $.widget('mageworx.optionFeatures', widget, { /** * Triggers one time at first run (from base.js) * @param optionConfig * @param productConfig * @param base * @param self */ firstRun: function firstRun(optionConfig, productConfig, base, self) { //shareable link $('#mageworx_shareable_hint_icon').qtip({ content: { text: this.options.shareable_link_hint_text }, style: { classes: 'qtip-light' }, position: { target: false } }); $('#mageworx_shareable_link').on('click', function () { try { self.copyTextToClipboard(self.getShareableLink(base)); $('.mageworx-shareable-link-container').hide(); $('.mageworx-shareable-link-success-container').show(); setTimeout(function () { $('.mageworx-shareable-link-container').show(); $('.mageworx-shareable-link-success-container').hide(); }, 2000); } catch (error) { console.log('Something goes wrong. Unable to copy'); } }); setTimeout(function () { // Qty input $('.mageworx-option-qty').each(function () { $(this).on('change', function () { var optionInput = $("[data-selector='" + $(this).attr('data-parent-selector') + "']"); optionInput.trigger('change'); }); }); }, 500); // Option\Value Description & tooltip var extendedOptionsConfig = typeof base.options.extendedOptionsConfig != 'undefined' ? base.options.extendedOptionsConfig : {}; for (var option_id in optionConfig) { if (!optionConfig.hasOwnProperty(option_id)) { continue; } var description = extendedOptionsConfig[option_id]['description'], gtin = extendedOptionsConfig[option_id]['gtin'], gtinTitle = "Global Trade Item Number: ", $option = base.getOptionHtmlById(option_id); if (1 > $option.length) { console.log('Empty option container for option with id: ' + option_id); continue; } var $label = $option.find('label'); if(gtin != null && gtin.length > 0) { if ($label.length > 0) { $label .first() .after($('<p class="option-gtin-text"><span>' + gtinTitle + '</span>' + gtin + '</p>')); } else { $label = $option.find('span'); $label .first() .parent() .after($('<p class="option-gtin-text"><span>' + gtinTitle + '</span>' + gtin + '</p>')); } } if (this.options.option_description_enabled && !_.isEmpty(extendedOptionsConfig[option_id]['description'])) { if (this.options.option_description_mode == this.options.option_description_modes.tooltip) { var $element = $option.find('label span') .first(); if ($element.length == 0) { $element = $option.find('fieldset legend span') .first(); } $element.css('border-bottom', '1px dotted black'); $element.qtip({ content: { text: description }, style: { classes: 'qtip-light' }, position: { target: false } }); } else if (this.options.option_description_mode == this.options.option_description_modes.text) { if ($label.length > 0) { $label .first() .after($('<p class="option-description-text">' + description + '</p>')); } else { $label = $option.find('span'); $label .first() .parent() .after($('<p class="option-description-text">' + description + '</p>')); } } else { console.log('Unknown option mode'); } } if (this.options.value_description_enabled) { this._addValueDescription($option, optionConfig, extendedOptionsConfig); } } } }); return $.mageworx.optionFeatures; }; });

일반적으로 이제 다음 명령을 실행할 수 있습니다.

  • PHP bin/magento 캐시:플러시
  • php bin/magento setup:static-content:deploy (프로덕션 모드 전용)

그리고 우리가 가진 것을 보십시오. 그러나 먼저 새 속성에 몇 가지 스타일을 추가하고 프런트 엔드에서 보기 좋게 만듭니다.

레이아웃을 만들고 새 스타일 파일을 정의합니다. app/code/VendorName/OptionGtin/view/frontend/layout/catalog_product_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"> <head> <css src="VendorName_OptionGtin::css/gtin.css"/> </head> </page>

이제 스타일 파일을 만들 차례입니다. app/code/VendorName/OptionGtin/view/frontend/web/css/gtin.css

 .option-gtin-text span { color: #6cc308; font-weight: 700; }

이제 앞에서 설명한 명령을 실행하고 결과를 확인합니다.

고급 제품 옵션에 사용자 정의 필드를 추가하는 방법 | Mageworx 블로그

5단계. 데이터베이스의 주문 세부 정보에 속성 데이터 추가

고객이 구매를 하면 주문이 생성됩니다. 추가된 항목에 대한 세부 정보는 sales_order_item 테이블에 포함됩니다. 이 테이블에는 추가된 항목의 선택된 매개변수에 대한 정보가 포함된 product_options 필드가 있습니다. 여기에서 새 속성의 데이터를 추가해야 합니다.

주문이 생성되면 sales_quote_address_collect_totals_before 이벤트가 트리거됩니다. 제품 옵션에 데이터를 추가하는 데 사용합니다.

다음을 생성하여 이벤트를 정의해 보겠습니다. app/code/VendorName/OptionGtin/etc/events.xml

 <?xml version="1.0"?> <config xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:noNamespaceSchemaLocation="urn:magento:framework:Event/etc/events.xsd"> <event name="sales_quote_address_collect_totals_before"> <observer name="mageworx_optiongtin_add_gtin_to_order" instance="VendorName\OptionGtin\Observer\AddGtinToOrder" /> </event> </config>

그런 다음 관찰자를 만듭니다. app/code/VendorName/OptionGtin/Observer/AddGtinToOrder.php

 <?php namespace VendorName\OptionGtin\Observer; use Magento\Framework\Event\Observer; use Magento\Framework\Event\ObserverInterface; use Magento\Catalog\Model\ProductRepository as ProductRepository; use MageWorx\OptionBase\Helper\Data as BaseHelper; class AddGtinToOrder implements ObserverInterface { /** * @var BaseHelper */ protected $baseHelper; protected $productRepository; /** * AddGtinToOrder constructor. * @param BaseHelper $baseHelper * @param ProductRepository $productRepository */ public function __construct( BaseHelper $baseHelper, ProductRepository $productRepository ) { $this->baseHelper = $baseHelper; $this->productRepository = $productRepository; } /** * Add product to quote action * Processing: gtin * * @param Observer $observer * @return $this */ public function execute(Observer $observer) { $quoteItems = $observer->getQuote()->getAllItems(); /** @var \Magento\Quote\Model\Quote\Item $quoteItem */ foreach ($quoteItems as $quoteItem) { $buyRequest = $quoteItem->getBuyRequest(); $optionIds = array_keys($buyRequest->getOptions()); $productOptions = $this->productRepository->getById($buyRequest->getProduct())->getOptions(); $quoteItemOptionGtins = []; $optionGtins = []; foreach ($productOptions as $option) { if ($option->getGtin()) { $quoteItemOptionGtins[$option->getOptionId()] = $option->getGtin(); } } foreach ($optionIds as $optionId) { $optionGtins[$optionId] = $optionId; } $optionGtins = array_intersect_key($quoteItemOptionGtins, $optionGtins); $infoBuyRequest = $quoteItem->getOptionByCode('info_buyRequest'); $buyRequest->setData('gtin', $optionGtins); $infoBuyRequest->setValue($this->baseHelper->encodeBuyRequestValue($buyRequest->getData())); $quoteItem->addOption($infoBuyRequest); } } }

여기에서 관찰자의 도움으로 주문의 모든 항목 목록을 얻고 "GTIN" 속성의 데이터를 소위 $infoBuyRequest 에 추가합니다.

모든 것이 올바르게 수행되었는지 확인하려면 옵션에 "GTIN" 데이터가 있는 제품으로 주문을 생성하십시오. 데이터베이스 sales_order_item table -> product_options 필드에 데이터가 추가되었는지 확인할 수 있습니다.

고급 제품 옵션에 사용자 정의 필드를 추가하는 방법 | Mageworx 블로그

6단계. 관리자 패널의 주문 페이지에 데이터 표시

준비된 템플릿에 필요한 정보를 표시하는 다른 방법이 있습니다. 예를 들어 "js"를 사용합니다. 이 기사에서는 "js"로 작업했습니다. 템플릿 자체로 변경 작업을 수행하고 다시 작성해 봅시다!

플러그인을 추가하여 이전에 생성한 app/code/VendorName/OptionGtin/etc/adminhtml/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="MageWorx\OptionBase\Ui\DataProvider\Product\Form\Modifier\Pool"> <arguments> <argument name="modifiers" xsi:type="array"> <item name="mageworx-option-gtin" xsi:type="array"> <item name="class" xsi:type="string">VendorName\OptionGtin\Ui\DataProvider\Product\Form\Modifier\OptionGtin</item> <item name="sortOrder" xsi:type="number">72</item> </item> </argument> </arguments> </virtualType> <!-- Plugins--> <type name="Magento\Sales\Block\Adminhtml\Items\Column\DefaultColumn"> <plugin name="mageworx-optiongtin-add-default-column" type="VendorName\OptionGtin\Plugin\AddDefaultColumn" sortOrder="5" disabled="false" /> </type> </config>

플러그인 자체를 만듭니다.

app/code/VendorName/OptionGtin/Plugin/AddDefaultColumn.php

 <?php namespace VendorName\OptionGtin\Plugin; class AddDefaultColumn { /** * @param \Magento\Sales\Block\Adminhtml\Items\Column\DefaultColumn $subject * @param $result * @return array */ public function afterGetOrderOptions(\Magento\Sales\Block\Adminhtml\Items\Column\DefaultColumn $subject, $result) { if ($options = $subject->getItem()->getProductOptions()) { if (isset($result)) { foreach ($result as &$option) { if (array_key_exists($option['option_id'], $options['info_buyRequest']['gtin'])) { $option['gtin'] = $options['info_buyRequest']['gtin'][$option['option_id']]; } } } } return $result; } }

이 플러그인은 이러한 데이터가 존재하는 주문 옵션에 대한 새로운 속성에 대한 정보를 추가합니다.

vendor/magento/module-sales/view/adminhtml/templates/items/column/name.phtml 은 관리자 패널의 주문 페이지에 제품 옵션에 대한 정보를 표시하는 역할을 합니다.

"GTIN"을 표시하도록 다시 작성해 보겠습니다. 이를 위해 "column_name" 블록 또는 템플릿을 다시 작성해야 합니다. 레이아웃 및 템플릿 생성:

app/code/VendorName/OptionGtin/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="column_name"> <action method="setTemplate"> <argument name="template" xsi:type="string">VendorName_OptionGtin::items/column/name.phtml</argument> </action> </referenceBlock> </body> </page>

app/code/VendorName/OptionGtin/view/adminhtml/templates/items/column/name.phtml

 <?php /* @var $block \Magento\Sales\Block\Adminhtml\Items\Column\Name */ ?> <?php if ($_item = $block->getItem()) : ?> <div class="product-title"> <?= $block->escapeHtml($_item->getName()) ?> </div> <div class="product-sku-block"> <span><?= $block->escapeHtml(__('SKU'))?>:</span> <?= /* @noEscape */ implode('<br />', $this->helper(\Magento\Catalog\Helper\Data::class)->splitSku($block->escapeHtml($block->getSku()))) ?> </div> <?php if ($block->getOrderOptions()) : ?> <dl class="item-options"> <?php foreach ($block->getOrderOptions() as $_option) : ?> <dt><?= $block->escapeHtml($_option['label']) ?>:</dt> <dd> <?php if (isset($_option['custom_view']) && $_option['custom_view']) : ?> <?= /* @noEscape */ $block->getCustomizedOptionValue($_option) ?> <?php else : ?> <?php $optionValue = $block->getFormattedOption($_option['value']); ?> <?php $dots = 'dots' . uniqid(); ?> <?php $ . uniqid(); ?> <?= $block->escapeHtml($optionValue['value'], ['a', 'br']) ?><?php if (isset($optionValue['remainder']) && $optionValue['remainder']) : ?> <span> ...</span> <span><?= $block->escapeHtml($optionValue['remainder'], ['a']) ?></span> <script> require(['prototype'], function() { $('<?= /* @noEscape */ $id; ?>').hide(); $('<?= /* @noEscape */ $id; ?>').up().observe('mouseover', function(){$('<?= /* @noEscape */ $id; ?>').show();}); $('<?= /* @noEscape */ $id; ?>').up().observe('mouseover', function(){$('<?= /* @noEscape */ $dots; ?>').hide();}); $('<?= /* @noEscape */ $id; ?>').up().observe('mouseout', function(){$('<?= /* @noEscape */ $id; ?>').hide();}); $('<?= /* @noEscape */ $id; ?>').up().observe('mouseout', function(){$('<?= /* @noEscape */ $dots; ?>').show();}); }); </script> <?php endif; ?> <?php endif; ?> </dd> <dt> <?php if (isset($_option['gtin']) && $_option['gtin']) : ?> <span>GTIN:</span> <?php endif; ?> </dt> <dd> <?php if (isset($_option['gtin']) && $_option['gtin']) : ?> <span> <?= $block->escapeHtml($_option['gtin']) ?></span> <?php endif; ?> </dd> <?php endforeach; ?> </dl> <?php endif; ?> <?= $block->escapeHtml($_item->getDescription()) ?> <?php endif; ?>

모든 것이 올바르게 수행되고 지우고 컴파일되면 다음 결과가 표시됩니다.

고급 제품 옵션에 사용자 정의 필드를 추가하는 방법 | Mageworx 블로그

이 기사가 도움이 되기를 바랍니다. 어려움이나 문제가 있는 경우 아래 의견란에 언제든지 알려주십시오.

Mageworx로 라이브 데모 예약