Отримати ціну налаштованих параметрів продукту


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: Футболка Cat 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

Не впевнений, чи допоможе це, але якщо ви додасте цей код на сторінку configigurable.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.