Получить цену настраиваемых опций продукта


9

Мне нужно экспортировать все товары с ценами из Magento 1.7.

Для простых продуктов это не проблема, но для конфигурируемых продуктов у меня есть такая проблема: экспортируемая цена - это цена, установленная для соответствующего простого продукта! Как вы знаете, Magento игнорирует эту цену и использует цену конфигурируемого продукта плюс корректировки для выбранных опций.

Я могу получить цену на родительский продукт, но как рассчитать разницу в зависимости от выбранных опций?

Мой код выглядит примерно так:

foreach($products as $p)
   {
    $price = $p->getPrice();
            // I save it somewhere

    // check if the item is sold in second shop
    if (in_array($otherShopId, $p->getStoreIds()))
     {
      $otherConfProd = Mage::getModel('catalog/product')->setStoreId($otherShopId)->load($p->getId());
      $otherPrice = $b2cConfProd->getPrice();
      // I save it somewhere
      unset($otherPrice);
     }

    if ($p->getTypeId() == "configurable"):
      $_associatedProducts = $p->getTypeInstance()->getUsedProducts();
      if (count($_associatedProducts))
       {
        foreach($_associatedProducts as $prod)
         {
                            $p->getPrice(); //WRONG PRICE!!
                            // I save it somewhere
                        $size $prod->getAttributeText('size');
                        // I save it somewhere

          if (in_array($otherShopId, $prod->getStoreIds()))
           {
            $otherProd = Mage::getModel('catalog/product')->setStoreId($otherShopId)->load($prod->getId());

            $otherPrice = $otherProd->getPrice(); //WRONG PRICE!!
                            // I save it somewhere
            unset($otherPrice);
            $otherProd->clearInstance();
            unset($otherProd);
           }
         }
                     if(isset($otherConfProd)) {
                         $otherConfProd->clearInstance();
                            unset($otherConfProd);
                        }
       }

      unset($_associatedProducts);
    endif;
  }

Ответы:


13

Вот как вы можете получить цены на простые продукты. Пример для одного настраиваемого продукта, но вы можете интегрировать его в свой цикл.
Может быть проблема с производительностью, потому что есть много foreachциклов, но по крайней мере у вас есть место для начала. Вы можете оптимизировать позже.

//the configurable product id
$productId = 126; 
//load the product - this may not be needed if you get the product from a collection with the prices loaded.
$product = Mage::getModel('catalog/product')->load($productId); 
//get all configurable attributes
$attributes = $product->getTypeInstance(true)->getConfigurableAttributes($product);
//array to keep the price differences for each attribute value
$pricesByAttributeValues = array();
//base price of the configurable product 
$basePrice = $product->getFinalPrice();
//loop through the attributes and get the price adjustments specified in the configurable product admin page
foreach ($attributes as $attribute){
    $prices = $attribute->getPrices();
    foreach ($prices as $price){
        if ($price['is_percent']){ //if the price is specified in percents
            $pricesByAttributeValues[$price['value_index']] = (float)$price['pricing_value'] * $basePrice / 100;
        }
        else { //if the price is absolute value
            $pricesByAttributeValues[$price['value_index']] = (float)$price['pricing_value'];
        }
    }
}

//get all simple products
$simple = $product->getTypeInstance()->getUsedProducts();
//loop through the products
foreach ($simple as $sProduct){
    $totalPrice = $basePrice;
    //loop through the configurable attributes
    foreach ($attributes as $attribute){
        //get the value for a specific attribute for a simple product
        $value = $sProduct->getData($attribute->getProductAttribute()->getAttributeCode());
        //add the price adjustment to the total price of the simple product
        if (isset($pricesByAttributeValues[$value])){
            $totalPrice += $pricesByAttributeValues[$value];
        }
    }
    //in $totalPrice you should have now the price of the simple product
    //do what you want/need with it
}

Код выше был протестирован на CE-1.7.0.2 с образцами данных Magento для 1.6.0.0.
Я тестировал продукт Zolof The Rock And Roll Destroyer: футболка LOL Cat, и он стал работать. В результате я получаю те же цены, что и во внешнем интерфейсе, после настройки продукта SizeиColor


3

Может быть , что вам нужно изменить , $pчтобы $prodв коде ниже?

 foreach($_associatedProducts as $prod)
         {
                            $p->getPrice(); //WRONG PRICE!!

2

Вот как я это делаю:

$layout = Mage::getSingleton('core/layout');
$block = $layout->createBlock('catalog/product_view_type_configurable');
$pricesConfig = Mage::helper('core')->jsonDecode($block->getJsonConfig());

Кроме того, вы можете преобразовать его в Varien_Object:

$pricesConfigVarien = new Varien_Object($pricesConfig);

Так что в основном я использую тот же метод, который используется для расчета цены на странице вашего настраиваемого продукта в ядре magento.


0

Не уверен, что это поможет, но если вы добавите этот код на страницу configurable.phtml, он должен выдать супер-атрибуты настраиваемых продуктов с указанием цены каждого варианта и его метки.

   $json =  json_decode($this->getJsonConfig() ,true);


    foreach ($json as $js){
        foreach($js as $j){

      echo "<br>";     print_r($j['label']); echo '<br/>';

            foreach($j['options'] as $k){
                echo '<br/>';     print_r($k['label']); echo '<br/>';
                print_r($k['price']); echo '<br/>';
            }
        }
    }
Используя наш сайт, вы подтверждаете, что прочитали и поняли нашу Политику в отношении файлов cookie и Политику конфиденциальности.
Licensed under cc by-sa 3.0 with attribution required.