5% Additional Off on Prepaid Orders
Free Delivery on Prepaid Orders
10% Additional Off on Order Value of Rs 1000 and above
5% Additional Off on Prepaid Orders
Free Delivery on Prepaid Orders
10% Additional Off on Order Value of Rs 800 and above
5% Additional Off on Prepaid Orders
Free Delivery on Prepaid Orders
10% Additional Off on Order Value of Rs 800 and above
5% Additional Off on Prepaid Orders
Free Delivery on Prepaid Orders
10% Additional Off on Order Value of Rs 1000 and above

Building Strong Barriers

Building Strong Barriers

Building Strong Barriers

Building Strong Barriers

Building Strong Barriers

Building Strong Barriers

Building Strong Barriers

Building Strong Barriers

Building Strong Barriers

Building Strong Barriers

100% Chemical-Free & Saf

Five Oils Fusion: Argan + Almond + Jojoba + Castor + Rosemary 100 ml

Hair Oil for Hairfall Control & Dandruff
100% Chemical-Free & Saf
100% Pure
92% saw stronger, healthier hair with reduced breakage after just 2 weeks of using
MRP:

Original price was: ₹2,975.00.Current price is: ₹1,499.00.

Tax included
<?php
// Get the current product
global $product;

// Check if we're on a product page and have a product
if (!is_product() || !$product) {
    return;
}

// Check if it's a variable product
if (!$product->is_type('variable')) {
    return;
}

// Get variation data to access prices
$variations = $product->get_available_variations();
$variation_prices = array();

// Find the 100ml and 200ml variations and their prices
foreach ($variations as $variation) {
    $attributes = $variation['attributes'];
    
    // Check for size attribute
    if (isset($attributes['attribute_pa_size'])) {
        $size_value = $attributes['attribute_pa_size'];
        
        if (strpos($size_value, '100') !== false || strpos($size_value, '100-ml') !== false) {
            $variation_prices['100'] = $variation['display_price'];
        } elseif (strpos($size_value, '200') !== false || strpos($size_value, '200-ml') !== false) {
            $variation_prices['200'] = $variation['display_price'];
        }
    }
}

// Format prices with currency symbol
$formatted_prices = array();
if (isset($variation_prices['100'])) {
    $formatted_prices['100'] = wc_price($variation_prices['100']);
}
if (isset($variation_prices['200'])) {
    $formatted_prices['200'] = wc_price($variation_prices['200']);
}

// Get current price (default to 100ML)
$current_price = isset($formatted_prices['100']) ? $formatted_prices['100'] : '';
?>

<!-- Add a div to show the current price -->
<div class="single-price-display">
    <?php echo $current_price; ?>
</div>

<!-- Original size terms hidden but functional -->
<div class="original-size-terms" style="position: absolute; opacity: 0; pointer-events: none; height: 0; overflow: hidden;">
    <?php echo do_shortcode(''); ?>
</div>
/* Hide the original price range in specific places */
.woocommerce-variation-price {
    display: none !important;
}

/* Price display styles */
.single-price-display {
    font-size: 24px;
    font-weight: 600;
    margin: 15px 0;
    display: block !important;
}

/* Make sure the 100 ML button appears selected by default */
.woocommerce div.product form.cart .button-variable-item[data-value="100-ml"],
button[data-value="100-ml"],
a[data-value="100-ml"],
.button-wrapper [data-value="100-ml"],
.size-option[data-value="100-ml"] {
    background-color: #333 !important;
    color: white !important;
    border-color: #333 !important;
}

/* Make sure both size buttons are clickable */
.button-variable-wrapper .button-variable-item,
.button-wrapper button,
.size-option {
    cursor: pointer !important;
    pointer-events: auto !important;
}

/* Remove any disabled styles */
.button-variable-item.disabled,
button.disabled,
.disabled {
    opacity: 1 !important;
    pointer-events: auto !important;
}
document.addEventListener('DOMContentLoaded', function() {
    // Wait for the page to fully load
    setTimeout(function() {
        // Hide the original price range display
        const priceRanges = document.querySelectorAll('.price-range, .woocommerce-variation-price');
        priceRanges.forEach(el => {
            el.style.display = 'none';
        });
        
        // Find price display element
        const priceDisplay = document.querySelector('.single-price-display');
        
        // Pricing data from PHP
        const pricingData = {
            <?php if (isset($formatted_prices['100'])): ?>
            '100': '<?php echo addslashes($formatted_prices['100']); ?>',
            <?php endif; ?>
            <?php if (isset($formatted_prices['200'])): ?>
            '200': '<?php echo addslashes($formatted_prices['200']); ?>'
            <?php endif; ?>
        };
        
        // Find size buttons/options - try multiple selectors
        const sizeOptions = document.querySelectorAll('.button-variable-item, [data-attribute="pa_size"] [data-value], .size-option, button[data-value]');
        
        // Map sizes to their elements
        const sizeMap = {};
        sizeOptions.forEach(option => {
            let sizeValue = option.getAttribute('data-value') || '';
            if (sizeValue.includes('100')) {
                sizeMap['100'] = option;
            } else if (sizeValue.includes('200')) {
                sizeMap['200'] = option;
            }
        });
        
        // Ensure the 100 ML option is selected by default
        if (sizeMap['100']) {
            // Force click the 100 ML button
            setTimeout(() => {
                try {
                    sizeMap['100'].click();
                } catch (e) {
                    console.log('Could not click 100 ML option');
                }
            }, 100);
        }
        
        // Add click handlers to update price display
        sizeOptions.forEach(option => {
            option.addEventListener('click', function() {
                const value = this.getAttribute('data-value') || '';
                
                // Update styling for all buttons
                sizeOptions.forEach(btn => {
                    btn.style.backgroundColor = '';
                    btn.style.color = '';
                });
                
                // Set styling for clicked button
                this.style.backgroundColor = '#333';
                this.style.color = 'white';
                
                // Update price based on selection
                if (value.includes('100') && pricingData['100']) {
                    priceDisplay.innerHTML = pricingData['100'];
                } else if (value.includes('200') && pricingData['200']) {
                    priceDisplay.innerHTML = pricingData['200'];
                }
            });
        });
        
        // Make sure variation form is initialized
        if (typeof jQuery !== 'undefined') {
            jQuery('form.variations_form').on('woocommerce_variation_has_changed', function() {
                // Get the current variation
                const variation = jQuery('input[name="variation_id"]').val();
                if (variation) {
                    // Check which size is selected
                    const sizeValue = jQuery('select[name="attribute_pa_size"]').val() || '';
                    
                    if (sizeValue.includes('100') && pricingData['100']) {
                        priceDisplay.innerHTML = pricingData['100'];
                    } else if (sizeValue.includes('200') && pricingData['200']) {
                        priceDisplay.innerHTML = pricingData['200'];
                    }
                }
            });
            
            // Initialize form
            jQuery('form.variations_form').trigger('check_variations');
        }
        
        // Create a hidden select for the size attribute if needed
        const variationForm = document.querySelector('.variations_form');
        if (variationForm && !document.querySelector('select[name="attribute_pa_size"]')) {
            const sizeSelect = document.createElement('select');
            sizeSelect.name = 'attribute_pa_size';
            sizeSelect.style.display = 'none';
            
            // Add options
            const option100 = document.createElement('option');
            option100.value = '100-ml';
            option100.text = '100 ML';
            
            const option200 = document.createElement('option');
            option200.value = '200-ml';
            option200.text = '200 ML';
            
            sizeSelect.appendChild(option100);
            sizeSelect.appendChild(option200);
            
            // Set default
            sizeSelect.value = '100-ml';
            
            // Add to form
            variationForm.appendChild(sizeSelect);
            
            // Trigger change
            if (typeof jQuery !== 'undefined') {
                jQuery(sizeSelect).trigger('change');
            }
        }
    }, 300);
});
<?php
// Get the current product
global $product;

// Check if we're on a product page and have a product
if (!is_product() || !$product) {
    return;
}

// Check if it's a variable product
if (!$product->is_type('variable')) {
    return;
}

// Get variation data to access prices
$variations = $product->get_available_variations();
$variation_prices = array();

// Find the 100ml and 200ml variations and their prices
foreach ($variations as $variation) {
    $attributes = $variation['attributes'];
    
    // Check for size attribute
    if (isset($attributes['attribute_pa_size'])) {
        $size_value = $attributes['attribute_pa_size'];
        
        if (strpos($size_value, '100') !== false || strpos($size_value, '100-ml') !== false) {
            $variation_prices['100'] = $variation['display_price'];
        } elseif (strpos($size_value, '200') !== false || strpos($size_value, '200-ml') !== false) {
            $variation_prices['200'] = $variation['display_price'];
        }
    }
}

// Format prices with currency symbol
$formatted_prices = array();
if (isset($variation_prices['100'])) {
    $formatted_prices['100'] = wc_price($variation_prices['100']);
}
if (isset($variation_prices['200'])) {
    $formatted_prices['200'] = wc_price($variation_prices['200']);
}

// Get current price (default to 100ML)
$current_price = isset($formatted_prices['100']) ? $formatted_prices['100'] : '';
?>

<!-- Add a div to show the current price -->
<div class="single-price-display">
    <?php echo $current_price; ?>
</div>

<!-- Original size terms hidden but functional -->
<div class="original-size-terms" style="position: absolute; opacity: 0; pointer-events: none; height: 0; overflow: hidden;">
    <?php echo do_shortcode(''); ?>
</div>
/* Hide the original price range in specific places */
.woocommerce-variation-price {
    display: none !important;
}

/* Price display styles */
.single-price-display {
    font-size: 24px;
    font-weight: 600;
    margin: 15px 0;
    display: block !important;
}

/* Make sure the 100 ML button appears selected by default */
.woocommerce div.product form.cart .button-variable-item[data-value="100-ml"],
button[data-value="100-ml"],
a[data-value="100-ml"],
.button-wrapper [data-value="100-ml"],
.size-option[data-value="100-ml"] {
    background-color: #333 !important;
    color: white !important;
    border-color: #333 !important;
}

/* Make sure both size buttons are clickable */
.button-variable-wrapper .button-variable-item,
.button-wrapper button,
.size-option {
    cursor: pointer !important;
    pointer-events: auto !important;
}

/* Remove any disabled styles */
.button-variable-item.disabled,
button.disabled,
.disabled {
    opacity: 1 !important;
    pointer-events: auto !important;
}
document.addEventListener('DOMContentLoaded', function() {
    // Wait for the page to fully load
    setTimeout(function() {
        // Hide the original price range display
        const priceRanges = document.querySelectorAll('.price-range, .woocommerce-variation-price');
        priceRanges.forEach(el => {
            el.style.display = 'none';
        });
        
        // Find price display element
        const priceDisplay = document.querySelector('.single-price-display');
        
        // Pricing data from PHP
        const pricingData = {
            <?php if (isset($formatted_prices['100'])): ?>
            '100': '<?php echo addslashes($formatted_prices['100']); ?>',
            <?php endif; ?>
            <?php if (isset($formatted_prices['200'])): ?>
            '200': '<?php echo addslashes($formatted_prices['200']); ?>'
            <?php endif; ?>
        };
        
        // Find size buttons/options - try multiple selectors
        const sizeOptions = document.querySelectorAll('.button-variable-item, [data-attribute="pa_size"] [data-value], .size-option, button[data-value]');
        
        // Map sizes to their elements
        const sizeMap = {};
        sizeOptions.forEach(option => {
            let sizeValue = option.getAttribute('data-value') || '';
            if (sizeValue.includes('100')) {
                sizeMap['100'] = option;
            } else if (sizeValue.includes('200')) {
                sizeMap['200'] = option;
            }
        });
        
        // Ensure the 100 ML option is selected by default
        if (sizeMap['100']) {
            // Force click the 100 ML button
            setTimeout(() => {
                try {
                    sizeMap['100'].click();
                } catch (e) {
                    console.log('Could not click 100 ML option');
                }
            }, 100);
        }
        
        // Add click handlers to update price display
        sizeOptions.forEach(option => {
            option.addEventListener('click', function() {
                const value = this.getAttribute('data-value') || '';
                
                // Update styling for all buttons
                sizeOptions.forEach(btn => {
                    btn.style.backgroundColor = '';
                    btn.style.color = '';
                });
                
                // Set styling for clicked button
                this.style.backgroundColor = '#333';
                this.style.color = 'white';
                
                // Update price based on selection
                if (value.includes('100') && pricingData['100']) {
                    priceDisplay.innerHTML = pricingData['100'];
                } else if (value.includes('200') && pricingData['200']) {
                    priceDisplay.innerHTML = pricingData['200'];
                }
            });
        });
        
        // Make sure variation form is initialized
        if (typeof jQuery !== 'undefined') {
            jQuery('form.variations_form').on('woocommerce_variation_has_changed', function() {
                // Get the current variation
                const variation = jQuery('input[name="variation_id"]').val();
                if (variation) {
                    // Check which size is selected
                    const sizeValue = jQuery('select[name="attribute_pa_size"]').val() || '';
                    
                    if (sizeValue.includes('100') && pricingData['100']) {
                        priceDisplay.innerHTML = pricingData['100'];
                    } else if (sizeValue.includes('200') && pricingData['200']) {
                        priceDisplay.innerHTML = pricingData['200'];
                    }
                }
            });
            
            // Initialize form
            jQuery('form.variations_form').trigger('check_variations');
        }
        
        // Create a hidden select for the size attribute if needed
        const variationForm = document.querySelector('.variations_form');
        if (variationForm && !document.querySelector('select[name="attribute_pa_size"]')) {
            const sizeSelect = document.createElement('select');
            sizeSelect.name = 'attribute_pa_size';
            sizeSelect.style.display = 'none';
            
            // Add options
            const option100 = document.createElement('option');
            option100.value = '100-ml';
            option100.text = '100 ML';
            
            const option200 = document.createElement('option');
            option200.value = '200-ml';
            option200.text = '200 ML';
            
            sizeSelect.appendChild(option100);
            sizeSelect.appendChild(option200);
            
            // Set default
            sizeSelect.value = '100-ml';
            
            // Add to form
            variationForm.appendChild(sizeSelect);
            
            // Trigger change
            if (typeof jQuery !== 'undefined') {
                jQuery(sizeSelect).trigger('change');
            }
        }
    }, 300);
});
200ml 100ml
.Promotes hair growth, repairs split ends
Stimulates scalp and improves blood circulation.
Calming ingredients like Lavender & Mint essential oils relieve stress.

– *Chemical-Free & Safe* – Suitable for all hair types.
– *Cold-Pressed & Premium* – Made with high-quality ingredients for hair vitality.
– *100% Pure & Cold-Pressed* – Unrefined and rich in Ricinoleic Acid.
– *Deeply Nourishing* – Hydrates and strengthens skin, hair, and nails.
– *Skincare Benefits* – Cleanses, moisturizes, and targets acne, scars, and wrinkles.
– *Hair & Scalp Care* – Reduces breakage, thinning, and dandruff.
– *Deep Hydration* – Nourishes and softens skin while reducing dryness and aging signs.
– *Strengthens Hair* – Reduces hair loss, prevents breakage, and promotes resilience.
– *Light & Non-Greasy* – Perfect for massages and beauty routines.

Rosemary + Fenugreek + Mint + Coconut Oil + Jojoba Oil + Almond Oil + Castor Oil + Sunflower Seed Oil
1 . Promotes hair growth, repairs split ends and reduces hair breakage
2 . Deeply nourishes hair, making it silky, shiny and smooth
3 . A perfect blend of 100% cold pressed carrier oils- Jojoba, Coconut, Almond and finest essential oils- Lavender, Mint, Fenugreek and Rosemary
4 . No added preservatives

Real Ingredients

100% Pure

Natural

Self Care

Premium

Hair Care

Skin Care

Powered byCusRev
Add a review
Five Oils Fusion: Argan + Almond + Jojoba + Castor + Rosemary 100 ml Five Oils Fusion: Argan + Almond + Jojoba + Castor + Rosemary 100 ml
Overall rating*
0/5
* Rating is required
What will you rate the product?*
0/5
* Rating is required
* Answer is required
Your review
* Review is required
Name
* Name is required
5.0
Based on 1 review
5 star
100
100%
4 star
0%
3 star
0%
2 star
0%
1 star
0%
1-1 of 1 review
  1. AS

    Rating :

    Review Great combo


    Used the products from the last one year, liked all of them especially Argan oil.
    I am waiting for kids oil.

  1. Botoks_sbOl

    Ботокс — это эффективное решение для коррекции морщин и улучшения эстетического состояния лица, позволяющее добиться заметных результатов благодаря современным методам инъекционной терапии. [url=https://b-tox.ru/]ботулотоксин в неврологии[/url]
    Это инъекция, состоящая из ботулотоксина, которая расслабляет мышцы.

    ### Раздел 2: Показания к применению

    Ботокс может применяться не только для косметических целей, но и для лечения различных заболеваний.

    ### Раздел 3: Подготовка к процедуре

    За несколько дней до процедуры лучше воздержаться от употребления алкоголя и препаратов, которые могут повысить риск побочных эффектов.

    ### Раздел 4: Результаты и уход после процедуры

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

  2. MelBet_aeoa

    [url=https://melbetbonusy.ru/]МелБет бонусы при регистрации[/url] предлагают широкий выбор преимуществ для новых игроков и постоянных клиентов, включая приветственные предложения и акции на депозиты.
    МелБет предлагает своим пользователям кэшбэк, что делает игру еще более выгодной.

  3. casino_rjkt

    ?Estas buscando un buen casino online legal en Espana para apostar con dinero real? Durante meses estuve investigando opciones hasta que encontre [url=casinos-dinero-real.mystrikingly.com]jugar dinero real[/url].
    Este sitio me parecio una guia muy completa de casinos en linea en Espana donde es seguro depositar dinero. Lo mas importante para mi fue que los operadores estan regulados por la DGOJ. Asi no tienes que preocuparte por fraudes. Tambien, puedes jugar desde el movil. Funciona igual desde casa o fuera y todo cargo perfectamente.
    ?Bonos? ?Por supuesto! Los casinos que aparecen en esta web ofrecen recompensas por primer deposito para que tengas mas fichas al comenzar. ?Quieres jugar tragamonedas? Tienen de todo. Desde poker online en Espana hasta baccarat clasico, todo esta ahi.
    Los cobros es rapido. Yo recibi el dinero por transferencia y me llego en 24h. Asi debe funcionar un buen casino. Si eres de Madrid, te invito a visitar esta web. Ahi encontraras opciones fiables para apostar online en 2025.
    Jugar con cabeza es clave. Y hacerlo en un entorno confiable es el primer paso.
    No pierdas mas tiempo, elige tu favorito y empieza a ganar.

  4. PhilipSlamy

    Если планируете поездку по Испании, несомненно рассмотрите на эти места, как путь Святого Иакова (Camino de Santiago), саграда Фамилия в Барселоне и вулкан Тейде на Тенерифе на карте. Для ценителей моря идеальным выбором будут курорты Коста Дорада, Коста Бравы и Канарские острова, среди которых Лансароте, Ла Пальма и Фуэртевентура. Дополнительно к моря в Испании, следует рассмотреть достопримечательности и архитектуру следующих городов, как Мадрид (основной город наверняка понравится музеем Прадо) и Севилья с её Алькасаром.

    Если вы хотите знать, где находится Ибица и другие острова Испании, просто скоро найти необходимые данные на сайте [url=https://spanishinspain.ru/]benidorm[/url] . К тому же не оставляйте без внимания о курортах Аликанте, Кальпе и Салоу, где есть замечательные пляжи и развлечения. Фанатам искусства и культуры понравятся музеи Дали в Фигерасе, а природолюбам — прогулки по Сьерра-Невада и парку Бандама на острове Гран-Канария. Имейте в виду, что для покупки недвижимости или переезда в Испанию критично проанализировать темы гражданства и местного законодательства.

  5. servisnyy_jzst

    сервисный центр hp волгоградский проспект [url=https://www.hp-servis-msk.ru/]ремонт принтера hp москва свао[/url]

  6. Aisha Sahay


    Rating :

    Review Great combo


    Used the products from the last one year, liked all of them especially Argan oil.
    I am waiting for kids oil.

Add a review

Your email address will not be published. Required fields are marked *

Overall rating*
0/5
* Rating is required
What will you rate the product?*
0/5
* Rating is required
* Answer is required

Five Oils Fusion: Argan + Almond + Jojoba + Castor + Rosemary 100 ml

Original price was: ₹2,975.00.Current price is: ₹1,499.00.
0
    0
    Your Cart
    You're 800.00 away from Free Delivery
    8001,000
    Free Delivery10% Discount
    Your cart is emptyReturn to Shop
      Calculate Shipping
      Apply Coupon
        Products you might like
        Products you might like