<!doctype html>
<html class="no-js" lang="en">
  <head>
    <meta charset="utf-8"> 
    <meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1">
    <meta name="viewport" content="width=device-width, initial-scale=1.0, height=device-height, minimum-scale=1.0, maximum-scale=1.0">
    <meta name="theme-color" content="">
    <meta name="google-site-verification" content="OQtH8NSdp4OSOpcSZ3SKEWMBASggPv6GkHFC4bTmx1g" />

    <!-- Google Tag Manager -->
    <script>(function(w,d,s,l,i){w[l]=w[l]||[];w[l].push({'gtm.start':
    new Date().getTime(),event:'gtm.js'});var f=d.getElementsByTagName(s)[0],
    j=d.createElement(s),dl=l!='dataLayer'?'&l='+l:'';j.async=true;j.src=
    'https://www.googletagmanager.com/gtm.js?id='+i+dl;f.parentNode.insertBefore(j,f);
    })(window,document,'script','dataLayer','GTM-MD9RV9GH');</script>
    <!-- End Google Tag Manager -->

    <script>  

  
  (function() {
      class Ultimate_Shopify_DataLayer {
        constructor() {
          window.dataLayer = window.dataLayer || []; 
          
          // use a prefix of events name
          this.eventPrefix = '';

          //Keep the value false to get non-formatted product ID
          this.formattedItemId = true; 

          // data schema
          this.dataSchema = {
            ecommerce: {
                show: true
            },
            dynamicRemarketing: {
                show: false,
                business_vertical: 'retail'
            }
          }

          // add to wishlist selectors
          this.addToWishListSelectors = {
            'addWishListIcon': '',
            'gridItemSelector': '',
            'productLinkSelector': 'a[href*="/products/"]'
          }

          // quick view selectors
          this.quickViewSelector = {
            'quickViewElement': '',
            'gridItemSelector': '',
            'productLinkSelector': 'a[href*="/products/"]'
          }

          // mini cart button selector
          this.miniCartButton = [
            'a[href="/cart"]', 
          ];
          this.miniCartAppersOn = 'click';


          // begin checkout buttons/links selectors
          this.beginCheckoutButtons = [
            'input[name="checkout"]',
            'button[name="checkout"]',
            'a[href="/checkout"]',
            '.additional-checkout-buttons',
          ];

          // direct checkout button selector
          this.shopifyDirectCheckoutButton = [
            '.shopify-payment-button'
          ]

          //Keep the value true if Add to Cart redirects to the cart page
          this.isAddToCartRedirect = false;
          
          // keep the value false if cart items increment/decrement/remove refresh page 
          this.isAjaxCartIncrementDecrement = false;
          

          // Caution: Do not modify anything below this line, as it may result in it not functioning correctly.
          this.cart = {"note":null,"attributes":{},"original_total_price":0,"total_price":0,"total_discount":0,"total_weight":0.0,"item_count":0,"items":[],"requires_shipping":false,"currency":"USD","items_subtotal_price":0,"cart_level_discount_applications":[],"checkout_charge_amount":0}
          this.countryCode = "US";
          this.collectData();  
          this.storeURL = "https://www.healthygoods.com";
        }

        updateCart() {
          fetch("/cart.js")
          .then((response) => response.json())
          .then((data) => {
            this.cart = data;
          });
        }

       debounce(delay) {         
          let timeoutId;
          return function(func) {
            const context = this;
            const args = arguments;
            
            clearTimeout(timeoutId);
            
            timeoutId = setTimeout(function() {
              func.apply(context, args);
            }, delay);
          };
        }

        collectData() { 
            this.customerData();
            this.ajaxRequestData();
            this.searchPageData();
            this.miniCartData();
            this.beginCheckoutData();
  
            
  
            
  
            
            
            this.addToWishListData();
            this.quickViewData();
            this.formData();
            this.phoneClickData();
            this.emailClickData();
        }        

        //logged in customer data 
        customerData() {
            const currentUser = {};
            

            if (currentUser.email) {
              currentUser.hash_email = "e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855"
            }

            window.dataLayer = window.dataLayer || [];
            dataLayer.push({
              customer: currentUser
            });
        }

        // add_to_cart, remove_from_cart, search
        ajaxRequestData() {
          const self = this;
          
          // handle non-ajax add to cart
          if(this.isAddToCartRedirect) {
            document.addEventListener('submit', function(event) {
              const addToCartForm = event.target.closest('form[action="/cart/add"]');
              if(addToCartForm) {
                event.preventDefault();
                
                const formData = new FormData(addToCartForm);
            
                fetch(window.Shopify.routes.root + 'cart/add.js', {
                  method: 'POST',
                  body: formData
                })
                .then(response => {
                    window.location.href = "/cart";
                })
                .catch((error) => {
                  console.error('Error:', error);
                });
              }
            });
          }
          
          // fetch
          let originalFetch = window.fetch;
          let debounce = this.debounce(800);
          
          window.fetch = function () {
            return originalFetch.apply(this, arguments).then((response) => {
              if (response.ok) {
                let cloneResponse = response.clone();
                let requestURL = arguments[0];
                
                if(/.*\/search\/?.*\?.*q=.+/.test(requestURL) && !requestURL.includes('&requestFrom=uldt')) {   
                  const queryString = requestURL.split('?')[1];
                  const urlParams = new URLSearchParams(queryString);
                  const search_term = urlParams.get("q");

                  debounce(function() {
                    fetch(`${self.storeURL}/search/suggest.json?q=${search_term}&resources[type]=product&requestFrom=uldt`)
                      .then(res => res.json())
                      .then(function(data) {
                            const products = data.resources.results.products;
                            if(products.length) {
                              const fetchRequests = products.map(product =>
                                fetch(`${self.storeURL}/${product.url.split('?')[0]}.js`)
                                  .then(response => response.json())
                                  .catch(error => console.error('Error fetching:', error))
                              );

                              Promise.all(fetchRequests)
                                .then(products => {
                                    const items = products.map((product) => {
                                      return {
                                        product_id: product.id,
                                        product_title: product.title,
                                        variant_id: product.variants[0].id,
                                        variant_title: product.variants[0].title,
                                        vendor: product.vendor,
                                        total_discount: 0,
                                        final_price: product.price_min,
                                        product_type: product.type, 
                                        quantity: 1
                                      }
                                    });

                                    self.ecommerceDataLayer('search', {search_term, items});
                                })
                            }else {
                              self.ecommerceDataLayer('search', {search_term, items: []});
                            }
                      });
                  });
                }
                else if (requestURL.includes("/cart/add")) {
                  cloneResponse.text().then((text) => {
                    let data = JSON.parse(text);

                    if(data.items && Array.isArray(data.items)) {
                      data.items.forEach(function(item) {
                         self.ecommerceDataLayer('add_to_cart', {items: [item]});
                      })
                    } else {
                      self.ecommerceDataLayer('add_to_cart', {items: [data]});
                    }
                    self.updateCart();
                  });
                }else if(requestURL.includes("/cart/change") || requestURL.includes("/cart/update")) {
                  
                   cloneResponse.text().then((text) => {
                     
                    let newCart = JSON.parse(text);
                    let newCartItems = newCart.items;
                    let oldCartItems = self.cart.items;

                    for(let i = 0; i < oldCartItems.length; i++) {
                      let item = oldCartItems[i];
                      let newItem = newCartItems.find(newItems => newItems.id === item.id);


                      if(newItem) {

                        if(newItem.quantity > item.quantity) {
                          // cart item increment
                          let quantity = (newItem.quantity - item.quantity);
                          let updatedItem = {...item, quantity}
                          self.ecommerceDataLayer('add_to_cart', {items: [updatedItem]});
                          self.updateCart(); 

                        }else if(newItem.quantity < item.quantity) {
                          // cart item decrement
                          let quantity = (item.quantity - newItem.quantity);
                          let updatedItem = {...item, quantity}
                          self.ecommerceDataLayer('remove_from_cart', {items: [updatedItem]});
                          self.updateCart(); 
                        }
                        

                      }else {
                        self.ecommerceDataLayer('remove_from_cart', {items: [item]});
                        self.updateCart(); 
                      }
                    }
                     
                  });
                }
              }
              return response;
            });
          }
          // end fetch 


          //xhr
          var origXMLHttpRequest = XMLHttpRequest;
          XMLHttpRequest = function() {
            var requestURL;
    
            var xhr = new origXMLHttpRequest();
            var origOpen = xhr.open;
            var origSend = xhr.send;
            
            // Override the `open` function.
            xhr.open = function(method, url) {
                requestURL = url;
                return origOpen.apply(this, arguments);
            };
    
    
            xhr.send = function() {
    
                // Only proceed if the request URL matches what we're looking for.
                if (requestURL.includes("/cart/add") || requestURL.includes("/cart/change") || /.*\/search\/?.*\?.*q=.+/.test(requestURL)) {
        
                    xhr.addEventListener('load', function() {
                        if (xhr.readyState === 4) {
                            if (xhr.status >= 200 && xhr.status < 400) { 

                              if(/.*\/search\/?.*\?.*q=.+/.test(requestURL) && !requestURL.inclides('&requestFrom=uldt')) {
                                const queryString = requestURL.split('?')[1];
                                const urlParams = new URLSearchParams(queryString);
                                const search_term = urlParams.get("q");

                                debounce(function() {
                                    fetch(`${self.storeURL}/search/suggest.json?q=${search_term}&resources[type]=product&requestFrom=uldt`)
                                      .then(res => res.json())
                                      .then(function(data) {
                                            const products = data.resources.results.products;
                                            if(products.length) {
                                              const fetchRequests = products.map(product =>
                                                fetch(`${self.storeURL}/${product.url.split('?')[0]}.js`)
                                                  .then(response => response.json())
                                                  .catch(error => console.error('Error fetching:', error))
                                              );
                
                                              Promise.all(fetchRequests)
                                                .then(products => {
                                                    const items = products.map((product) => {
                                                      return {
                                                        product_id: product.id,
                                                        product_title: product.title,
                                                        variant_id: product.variants[0].id,
                                                        variant_title: product.variants[0].title,
                                                        vendor: product.vendor,
                                                        total_discount: 0,
                                                        final_price: product.price_min,
                                                        product_type: product.type, 
                                                        quantity: 1
                                                      }
                                                    });
                
                                                    self.ecommerceDataLayer('search', {search_term, items});
                                                })
                                            }else {
                                              self.ecommerceDataLayer('search', {search_term, items: []});
                                            }
                                      });
                                  });

                              }

                              else if(requestURL.includes("/cart/add")) {
                                 
                                   const item = JSON.parse(xhr.responseText);
                                   self.ecommerceDataLayer('add_to_cart', {items: [item]});
                                   self.updateCart();
                                 
                               }else if(requestURL.includes("/cart/change")) {
                                 
                                  const newCart = JSON.parse(xhr.responseText);
                                  const newCartItems = newCart.items;
                                  let oldCartItems = self.cart.items;
              
                                  for(let i = 0; i < oldCartItems.length; i++) {
                                    let item = oldCartItems[i];
                                    let newItem = newCartItems.find(newItems => newItems.id === item.id);
              
              
                                    if(newItem) {
                                      if(newItem.quantity > item.quantity) {
                                        // cart item increment
                                        let quantity = (newItem.quantity - item.quantity);
                                        let updatedItem = {...item, quantity}
                                        self.ecommerceDataLayer('add_to_cart', {items: [updatedItem]});
                                        self.updateCart(); 
              
                                      }else if(newItem.quantity < item.quantity) {
                                        // cart item decrement
                                        let quantity = (item.quantity - newItem.quantity);
                                        let updatedItem = {...item, quantity}
                                        self.ecommerceDataLayer('remove_from_cart', {items: [updatedItem]});
                                        self.updateCart(); 
                                      }
                                      
              
                                    }else {
                                      self.ecommerceDataLayer('remove_from_cart', {items: [item]});
                                      self.updateCart(); 
                                    }
                                  }
                               }          
                            }
                        }
                    });
                }
    
                return origSend.apply(this, arguments);
            };
    
            return xhr;
          }; 
          //end xhr
        }

        // search event from search page
        searchPageData() {
          const self = this;
          let pageUrl = window.location.href;
          
          if(/.+\/search\?.*\&?q=.+/.test(pageUrl)) {   
            const queryString = pageUrl.split('?')[1];
            const urlParams = new URLSearchParams(queryString);
            const search_term = urlParams.get("q");
                
            fetch(`https://www.healthygoods.com/search/suggest.json?q=${search_term}&resources[type]=product&requestFrom=uldt`)
            .then(res => res.json())
            .then(function(data) {
                  const products = data.resources.results.products;
                  if(products.length) {
                    const fetchRequests = products.map(product =>
                      fetch(`${self.storeURL}/${product.url.split('?')[0]}.js`)
                        .then(response => response.json())
                        .catch(error => console.error('Error fetching:', error))
                    );
                    Promise.all(fetchRequests)
                    .then(products => {
                        const items = products.map((product) => {
                            return {
                            product_id: product.id,
                            product_title: product.title,
                            variant_id: product.variants[0].id,
                            variant_title: product.variants[0].title,
                            vendor: product.vendor,
                            total_discount: 0,
                            final_price: product.price_min,
                            product_type: product.type, 
                            quantity: 1
                            }
                        });

                        self.ecommerceDataLayer('search', {search_term, items});
                    });
                  }else {
                    self.ecommerceDataLayer('search', {search_term, items: []});
                  }
            });
          }
        }

        // view_cart
        miniCartData() {
          if(this.miniCartButton.length) {
            let self = this;
            if(this.miniCartAppersOn === 'hover') {
              this.miniCartAppersOn = 'mouseenter';
            }
            this.miniCartButton.forEach((selector) => {
            let miniCartButton = document.querySelector(selector);

              if(miniCartButton) {
                miniCartButton.addEventListener(self.miniCartAppersOn, () => {
                  self.ecommerceDataLayer('view_cart', self.cart);
                });
              }
            });
          }
        }

        // begin_checkout
        beginCheckoutData() {
          let self = this;
          document.addEventListener('pointerdown', () => {
            let targetElement = event.target.closest(self.beginCheckoutButtons.join(', '));
            if(targetElement) {
              self.ecommerceDataLayer('begin_checkout', self.cart);
            }
          });
        }

        // view_cart, add_to_cart, remove_from_cart
        viewCartPageData() {
          
          this.ecommerceDataLayer('view_cart', this.cart);

          //if cart quantity chagne reload page 
          if(!this.isAjaxCartIncrementDecrement) {
            const self = this;
            document.addEventListener('pointerdown', (event) => {
              const target = event.target.closest('a[href*="/cart/change?"]');
              if(target) {
                const linkUrl = target.getAttribute('href');
                const queryString = linkUrl.split("?")[1];
                const urlParams = new URLSearchParams(queryString);
                const newQuantity = urlParams.get("quantity");
                const line = urlParams.get("line");
                const cart_id = urlParams.get("id");
        
                
                if(newQuantity && (line || cart_id)) {
                  let item = line ? {...self.cart.items[line - 1]} : self.cart.items.find(item => item.key === cart_id);
        
                  let event = 'add_to_cart';
                  if(newQuantity < item.quantity) {
                    event = 'remove_from_cart';
                  }
        
                  let quantity = Math.abs(newQuantity - item.quantity);
                  item['quantity'] = quantity;
        
                  self.ecommerceDataLayer(event, {items: [item]});
                }
              }
            });
          }
        }

        productSinglePage() {
        
        }

        collectionsPageData() {
          var ecommerce = {
            'items': [
              
              ]
          };

          ecommerce['item_list_id'] = null
          ecommerce['item_list_name'] = null

          this.ecommerceDataLayer('view_item_list', ecommerce);
        }
        
        
        // add to wishlist
        addToWishListData() {
          if(this.addToWishListSelectors && this.addToWishListSelectors.addWishListIcon) {
            const self = this;
            document.addEventListener('pointerdown', (event) => {
              let target = event.target;
              
              if(target.closest(self.addToWishListSelectors.addWishListIcon)) {
                let pageULR = window.location.href.replace(/\?.+/, '');
                let requestURL = undefined;
          
                if(/\/products\/[^/]+$/.test(pageULR)) {
                  requestURL = pageULR;
                } else if(self.addToWishListSelectors.gridItemSelector && self.addToWishListSelectors.productLinkSelector) {
                  let itemElement = target.closest(self.addToWishListSelectors.gridItemSelector);
                  if(itemElement) {
                    let linkElement = itemElement.querySelector(self.addToWishListSelectors.productLinkSelector); 
                    if(linkElement) {
                      let link = linkElement.getAttribute('href').replace(/\?.+/g, '');
                      if(link && /\/products\/[^/]+$/.test(link)) {
                        requestURL = link;
                      }
                    }
                  }
                }

                if(requestURL) {
                  fetch(requestURL + '.json')
                    .then(res => res.json())
                    .then(result => {
                      let data = result.product;                    
                      if(data) {
                        let dataLayerData = {
                          product_id: data.id,
                            variant_id: data.variants[0].id,
                            product_title: data.title,
                          quantity: 1,
                          final_price: parseFloat(data.variants[0].price) * 100,
                          total_discount: 0,
                          product_type: data.product_type,
                          vendor: data.vendor,
                          variant_title: (data.variants[0].title !== 'Default Title') ? data.variants[0].title : undefined,
                          sku: data.variants[0].sku,
                        }

                        self.ecommerceDataLayer('add_to_wishlist', {items: [dataLayerData]});
                      }
                    });
                }
              }
            });
          }
        }

        quickViewData() {
          if(this.quickViewSelector.quickViewElement && this.quickViewSelector.gridItemSelector && this.quickViewSelector.productLinkSelector) {
            const self = this;
            document.addEventListener('pointerdown', (event) => {
              let target = event.target;
              if(target.closest(self.quickViewSelector.quickViewElement)) {
                let requestURL = undefined;
                let itemElement = target.closest(this.quickViewSelector.gridItemSelector );
                
                if(itemElement) {
                  let linkElement = itemElement.querySelector(self.quickViewSelector.productLinkSelector); 
                  if(linkElement) {
                    let link = linkElement.getAttribute('href').replace(/\?.+/g, '');
                    if(link && /\/products\/[^/]+$/.test(link)) {
                      requestURL = link;
                    }
                  }
                }   
                
                if(requestURL) {
                    fetch(requestURL + '.json')
                      .then(res => res.json())
                      .then(result => {
                        let data = result.product;                    
                        if(data) {
                          let dataLayerData = {
                            product_id: data.id,
                            variant_id: data.variants[0].id,
                            product_title: data.title,
                            quantity: 1,
                            final_price: parseFloat(data.variants[0].price) * 100,
                            total_discount: 0,
                            product_type: data.product_type,
                            vendor: data.vendor,
                            variant_title: (data.variants[0].title !== 'Default Title') ? data.variants[0].title : undefined,
                            sku: data.variants[0].sku,
                          }
  
                          self.ecommerceDataLayer('view_item', {items: [dataLayerData]});
                          self.quickViewVariants = data.variants;
                          self.quickViewedItem = dataLayerData;
                        }
                      });
                  }
              }
            });

            
              if(this.shopifyDirectCheckoutButton.length) {
                let self = this;
                document.addEventListener('pointerdown', (event) => {
                  let target = event.target;
                  let checkoutButton = event.target.closest(this.shopifyDirectCheckoutButton.join(', '));
                  
                  if(self.quickViewVariants && self.quickViewedItem && self.quickViewVariants.length && checkoutButton) {

                    let checkoutForm = checkoutButton.closest('form[action*="/cart/add"]');
                    if(checkoutForm) {
                        let quantity = 1;
                        let varientInput = checkoutForm.querySelector('input[name="id"]');
                        let quantitySelector = checkoutForm.getAttribute('id');

                        if(quantitySelector) {
                          let quentityInput = document.querySelector('input[name="quantity"][form="'+quantitySelector+'"]');
                          if(quentityInput) {
                              quantity = +quentityInput.value;
                          }
                        }

                        if(varientInput) {
                            let variant_id = parseInt(varientInput.value);

                            if(variant_id) {
                                const variant = self.quickViewVariants.find(item => item.id === +variant_id);
                                if(variant && self.quickViewedItem) {
                                    self.quickViewedItem['variant_id'] = variant_id;
                                    self.quickViewedItem['variant_title'] = variant.title;
                                    self.quickViewedItem['final_price'] = parseFloat(variant.price) * 100;
                                    self.quickViewedItem['quantity'] = quantity; 
    
                                    self.ecommerceDataLayer('add_to_cart', {items: [self.quickViewedItem]});
                                    self.ecommerceDataLayer('begin_checkout', {items: [self.quickViewedItem]});
                                }
                            }
                        }
                    }

                  }
                }); 
            }
            
          }
        }

        // all ecommerce events
        ecommerceDataLayer(event, data) {
          const self = this;
          dataLayer.push({ 'ecommerce': null });
          const dataLayerData = {
            "event": this.eventPrefix + event,
            'ecommerce': {
               'currency': this.cart.currency,
               'items': data.items.map((item, index) => {
                 const dataLayerItem = {
                    'index': index,
                    'item_id': this.formattedItemId  ? `shopify_${this.countryCode}_${item.product_id}_${item.variant_id}` : item.product_id.toString(),
                    'product_id': item.product_id.toString(),
                    'variant_id': item.variant_id.toString(),
                    'item_name': item.product_title,
                    'quantity': item.quantity,
                    'price': +((item.final_price / 100).toFixed(2)),
                    'discount': item.total_discount ? +((item.total_discount / 100).toFixed(2)) : 0 
                }

                if(item.product_type) {
                  dataLayerItem['item_category'] = item.product_type;
                }
                
                if(item.vendor) {
                  dataLayerItem['item_brand'] = item.vendor;
                }
               
                if(item.variant_title && item.variant_title !== 'Default Title') {
                  dataLayerItem['item_variant'] = item.variant_title;
                }
              
                if(item.sku) {
                  dataLayerItem['sku'] = item.sku;
                }

                if(item.item_list_name) {
                  dataLayerItem['item_list_name'] = item.item_list_name;
                }

                if(item.item_list_id) {
                  dataLayerItem['item_list_id'] = item.item_list_id.toString()
                }

                return dataLayerItem;
              })
            }
          }

          if(data.total_price !== undefined) {
            dataLayerData['ecommerce']['value'] =  +((data.total_price / 100).toFixed(2));
          } else {
            dataLayerData['ecommerce']['value'] = +(dataLayerData['ecommerce']['items'].reduce((total, item) => total + item.price, 0)).toFixed(2);
          }
          
          if(data.item_list_id) {
            dataLayerData['ecommerce']['item_list_id'] = data.item_list_id;
          }
          
          if(data.item_list_name) {
            dataLayerData['ecommerce']['item_list_name'] = data.item_list_name;
          }

          if(data.search_term) {
            dataLayerData['search_term'] = data.search_term;
          }

          if(self.dataSchema.dynamicRemarketing && self.dataSchema.dynamicRemarketing.show) {
            dataLayer.push({ 'dynamicRemarketing': null });
            dataLayerData['dynamicRemarketing'] = {
                value: dataLayerData.ecommerce.value,
                items: dataLayerData.ecommerce.items.map(item => ({id: item.item_id, google_business_vertical: self.dataSchema.dynamicRemarketing.business_vertical}))
            }
          }

          if(!self.dataSchema.ecommerce ||  !self.dataSchema.ecommerce.show) {
            delete dataLayerData['ecommerce'];
          }

          dataLayer.push(dataLayerData);
        }

        
        // contact form submit & newsletters signup
        formData() {
          const self = this;
          document.addEventListener('submit', function(event) {

            let targetForm = event.target.closest('form[action^="/contact"]');


            if(targetForm) {
              const formData = {
                form_location: window.location.href,
                form_id: targetForm.getAttribute('id'),
                form_classes: targetForm.getAttribute('class')
              };
                            
              let formType = targetForm.querySelector('input[name="form_type"]');
              let inputs = targetForm.querySelectorAll("input:not([type=hidden]):not([type=submit]), textarea, select");
              
              inputs.forEach(function(input) {
                var inputName = input.name;
                var inputValue = input.value;
                
                if (inputName && inputValue) {
                  var matches = inputName.match(/\[(.*?)\]/);
                  if (matches && matches.length > 1) {
                     var fieldName = matches[1];
                     formData[fieldName] = input.value;
                  }
                }
              });
              
              if(formType && formType.value === 'customer') {
                dataLayer.push({ event: self.eventPrefix + 'newsletter_signup', ...formData});
              } else if(formType && formType.value === 'contact') {
                dataLayer.push({ event: self.eventPrefix + 'contact_form_submit', ...formData});
              }
            }
          });

        }

        // phone_number_click event
        phoneClickData() {
          const self = this; 
          document.addEventListener('click', function(event) {
            let target = event.target.closest('a[href^="tel:"]');
            if(target) {
              let phone_number = target.getAttribute('href').replace('tel:', '');
              dataLayer.push({
                event: self.eventPrefix + 'phone_number_click',
                page_location: window.location.href,
                link_classes: target.getAttribute('class'),
                link_id: target.getAttribute('id'),
                phone_number
              })
            }
          });
        }
  
        // email_click event
        emailClickData() {
          const self = this; 
          document.addEventListener('click', function(event) {
            let target = event.target.closest('a[href^="mailto:"]');
            if(target) {
              let email_address = target.getAttribute('href').replace('mailto:', '');
              dataLayer.push({
                event: self.eventPrefix + 'email_click',
                page_location: window.location.href,
                link_classes: target.getAttribute('class'),
                link_id: target.getAttribute('id'),
                email_address
              })
            }
          });
        }
      } 
      // end Ultimate_Shopify_DataLayer

      document.addEventListener('DOMContentLoaded', function() {
        try{
          new Ultimate_Shopify_DataLayer();
        }catch(error) {
          console.log(error);
        }
      });
    
  })();
</script>


    
    <title>
      Healthy Goods Supplements | Optimal Health is Our Passion
    </title><meta name="description" content="Healthy Goods is a trusted leader in the production of nutritional supplements. At Healthy Goods, we have a passion for healthy living. Our mission has always been to find the highest quality, naturopathic, herbal, and whole-food supplements that support the body&#39;s innate wisdom to heal."><link rel="canonical" href="https://www.healthygoods.com/"><link rel="shortcut icon" href="//www.healthygoods.com/cdn/shop/files/favicon-healthy-goods-01_96x.png?v=1690825302" type="image/png"><meta property="og:type" content="website">
  <meta property="og:title" content="Healthy Goods Supplements | Optimal Health is Our Passion"><meta property="og:description" content="Healthy Goods is a trusted leader in the production of nutritional supplements. At Healthy Goods, we have a passion for healthy living. Our mission has always been to find the highest quality, naturopathic, herbal, and whole-food supplements that support the body&#39;s innate wisdom to heal."><meta property="og:url" content="https://www.healthygoods.com/">
<meta property="og:site_name" content="Healthy Goods"><meta name="twitter:card" content="summary"><meta name="twitter:title" content="Healthy Goods Supplements | Optimal Health is Our Passion">
  <meta name="twitter:description" content="Healthy Goods is a trusted leader in the production of nutritional supplements. At Healthy Goods, we have a passion for healthy living. Our mission has always been to find the highest quality, naturopathic, herbal, and whole-food supplements that support the body&#39;s innate wisdom to heal.">
    <style>
  @font-face {
  font-family: Poppins;
  font-weight: 400;
  font-style: normal;
  font-display: fallback;
  src: url("//www.healthygoods.com/cdn/fonts/poppins/poppins_n4.0ba78fa5af9b0e1a374041b3ceaadf0a43b41362.woff2") format("woff2"),
       url("//www.healthygoods.com/cdn/fonts/poppins/poppins_n4.214741a72ff2596839fc9760ee7a770386cf16ca.woff") format("woff");
}

  @font-face {
  font-family: "DM Sans";
  font-weight: 400;
  font-style: normal;
  font-display: fallback;
  src: url("//www.healthygoods.com/cdn/fonts/dm_sans/dmsans_n4.ec80bd4dd7e1a334c969c265873491ae56018d72.woff2") format("woff2"),
       url("//www.healthygoods.com/cdn/fonts/dm_sans/dmsans_n4.87bdd914d8a61247b911147ae68e754d695c58a6.woff") format("woff");
}


  @font-face {
  font-family: "DM Sans";
  font-weight: 700;
  font-style: normal;
  font-display: fallback;
  src: url("//www.healthygoods.com/cdn/fonts/dm_sans/dmsans_n7.97e21d81502002291ea1de8aefb79170c6946ce5.woff2") format("woff2"),
       url("//www.healthygoods.com/cdn/fonts/dm_sans/dmsans_n7.af5c214f5116410ca1d53a2090665620e78e2e1b.woff") format("woff");
}

  @font-face {
  font-family: "DM Sans";
  font-weight: 400;
  font-style: italic;
  font-display: fallback;
  src: url("//www.healthygoods.com/cdn/fonts/dm_sans/dmsans_i4.b8fe05e69ee95d5a53155c346957d8cbf5081c1a.woff2") format("woff2"),
       url("//www.healthygoods.com/cdn/fonts/dm_sans/dmsans_i4.403fe28ee2ea63e142575c0aa47684d65f8c23a0.woff") format("woff");
}

  @font-face {
  font-family: "DM Sans";
  font-weight: 700;
  font-style: italic;
  font-display: fallback;
  src: url("//www.healthygoods.com/cdn/fonts/dm_sans/dmsans_i7.52b57f7d7342eb7255084623d98ab83fd96e7f9b.woff2") format("woff2"),
       url("//www.healthygoods.com/cdn/fonts/dm_sans/dmsans_i7.d5e14ef18a1d4a8ce78a4187580b4eb1759c2eda.woff") format("woff");
}


  :root {
    --heading-font-family : Poppins, sans-serif;
    --heading-font-weight : 400;
    --heading-font-style  : normal;

    --text-font-family : "DM Sans", sans-serif;
    --text-font-weight : 400;
    --text-font-style  : normal;

    --base-text-font-size   : 15px;
    --default-text-font-size: 14px;--background          : #faf9f7;
    --background-rgb      : 250, 249, 247;
    --light-background    : #faf9f7;
    --light-background-rgb: 250, 249, 247;
    --heading-color       : #000000;
    --text-color          : #303030;
    --text-color-rgb      : 48, 48, 48;
    --text-color-light    : #595959;
    --text-color-light-rgb: 89, 89, 89;
    --link-color          : #000000;
    --link-color-rgb      : 0, 0, 0;
    --border-color        : #dcdbd9;
    --border-color-rgb    : 220, 219, 217;

    --button-background    : #7a3407;
    --button-background-rgb: 122, 52, 7;
    --button-text-color    : #faf9f7;

    --header-background       : #faf9f7;
    --header-heading-color    : #303030;
    --header-light-text-color : #595959;
    --header-border-color     : #dcdbd9;

    --footer-background    : #faf9f7;
    --footer-text-color    : #595959;
    --footer-heading-color : #303030;
    --footer-border-color  : #e2e1df;

    --navigation-background      : #ffffff;
    --navigation-background-rgb  : 255, 255, 255;
    --navigation-text-color      : #303030;
    --navigation-text-color-light: rgba(48, 48, 48, 0.5);
    --navigation-border-color    : rgba(48, 48, 48, 0.25);

    --newsletter-popup-background     : #ffffff;
    --newsletter-popup-text-color     : #303030;
    --newsletter-popup-text-color-rgb : 48, 48, 48;

    --secondary-elements-background       : #1f3321;
    --secondary-elements-background-rgb   : 31, 51, 33;
    --secondary-elements-text-color       : #faf9f7;
    --secondary-elements-text-color-light : rgba(250, 249, 247, 0.5);
    --secondary-elements-border-color     : rgba(250, 249, 247, 0.25);

    --product-sale-price-color    : #7a3407;
    --product-sale-price-color-rgb: 122, 52, 7;
    --product-star-rating: #e0a372;

    /* Shopify related variables */
    --payment-terms-background-color: #faf9f7;

    /* Products */

    --horizontal-spacing-four-products-per-row: 60px;
        --horizontal-spacing-two-products-per-row : 60px;

    --vertical-spacing-four-products-per-row: 60px;
        --vertical-spacing-two-products-per-row : 75px;

    /* Animation */
    --drawer-transition-timing: cubic-bezier(0.645, 0.045, 0.355, 1);
    --header-base-height: 80px; /* We set a default for browsers that do not support CSS variables */

    /* Cursors */
    --cursor-zoom-in-svg    : url(//www.healthygoods.com/cdn/shop/t/5/assets/cursor-zoom-in.svg?v=98754722820178484821726679225);
    --cursor-zoom-in-2x-svg : url(//www.healthygoods.com/cdn/shop/t/5/assets/cursor-zoom-in-2x.svg?v=38823280659576851171726679225);
  }
</style>

<script>
  // IE11 does not have support for CSS variables, so we have to polyfill them
  if (!(((window || {}).CSS || {}).supports && window.CSS.supports('(--a: 0)'))) {
    const script = document.createElement('script');
    script.type = 'text/javascript';
    script.src = 'https://cdn.jsdelivr.net/npm/css-vars-ponyfill@2';
    script.onload = function() {
      cssVars({});
    };

    document.getElementsByTagName('head')[0].appendChild(script);
  }
</script>

    <script>window.performance && window.performance.mark && window.performance.mark('shopify.content_for_header.start');</script><meta name="google-site-verification" content="Ys0OThUJMFzASNbUxYrm3gCL2q-BiBddrO5gwhhg370">
<meta name="facebook-domain-verification" content="izfbnccgw9a7gobdmzor57nzdn0xgv">
<meta id="shopify-digital-wallet" name="shopify-digital-wallet" content="/56341135447/digital_wallets/dialog">
<meta name="shopify-checkout-api-token" content="f05635081444709f3c1a9db2c18cd5c5">
<meta id="in-context-paypal-metadata" data-shop-id="56341135447" data-venmo-supported="true" data-environment="production" data-locale="en_US" data-paypal-v4="true" data-currency="USD">
<script async="async" src="/checkouts/internal/preloads.js?locale=en-US"></script>
<script id="shopify-features" type="application/json">{"accessToken":"f05635081444709f3c1a9db2c18cd5c5","betas":["rich-media-storefront-analytics"],"domain":"www.healthygoods.com","predictiveSearch":true,"shopId":56341135447,"locale":"en"}</script>
<script>var Shopify = Shopify || {};
Shopify.shop = "healthygoodsllc.myshopify.com";
Shopify.locale = "en";
Shopify.currency = {"active":"USD","rate":"1.0"};
Shopify.country = "US";
Shopify.theme = {"name":"Prestige Backup 07-28-2004","id":128795377751,"schema_name":"Prestige","schema_version":"6.0.0","theme_store_id":855,"role":"main"};
Shopify.theme.handle = "null";
Shopify.theme.style = {"id":null,"handle":null};
Shopify.cdnHost = "www.healthygoods.com/cdn";
Shopify.routes = Shopify.routes || {};
Shopify.routes.root = "/";
Shopify.shopJsCdnBaseUrl = "https://cdn.shopify.com/shopifycloud/shop-js";</script>
<script type="module">!function(o){(o.Shopify=o.Shopify||{}).modules=!0}(window);</script>
<script>!function(o){function n(){var o=[];function n(){o.push(Array.prototype.slice.apply(arguments))}return n.q=o,n}var t=o.Shopify=o.Shopify||{};t.loadFeatures=n(),t.autoloadFeatures=n()}(window);</script>
<script id="shop-js-analytics" type="application/json">{"pageType":"index"}</script>
<script defer="defer" async type="module" src="//www.healthygoods.com/cdn/shopifycloud/shop-js/modules/v2/loader.init-shop-cart-sync.en.esm.js"></script>
<script type="module">
  await import("//www.healthygoods.com/cdn/shopifycloud/shop-js/modules/v2/loader.init-shop-cart-sync.en.esm.js");

  window.Shopify.SignInWithShop?.initShopCartSync?.({"fedCMEnabled":true,"windoidEnabled":true});

</script>
<script>
  window.Shopify = window.Shopify || {};
  if (!window.Shopify.featureAssets) window.Shopify.featureAssets = {};
  window.Shopify.featureAssets['shop-js'] = {"shop-toast-manager":["modules/v2/loader.shop-toast-manager.en.esm.js"],"init-shop-email-lookup-coordinator":["modules/v2/loader.init-shop-email-lookup-coordinator.en.esm.js"],"init-fed-cm":["modules/v2/loader.init-fed-cm.en.esm.js"],"init-windoid":["modules/v2/loader.init-windoid.en.esm.js"],"shop-button":["modules/v2/loader.shop-button.en.esm.js"],"avatar":["modules/v2/loader.avatar.en.esm.js"],"init-shop-cart-sync":["modules/v2/loader.init-shop-cart-sync.en.esm.js"],"shop-cash-offers":["modules/v2/loader.shop-cash-offers.en.esm.js"],"init-customer-accounts-sign-up":["modules/v2/loader.init-customer-accounts-sign-up.en.esm.js"],"init-customer-accounts":["modules/v2/loader.init-customer-accounts.en.esm.js"],"lead-capture":["modules/v2/loader.lead-capture.en.esm.js"],"shop-login":["modules/v2/loader.shop-login.en.esm.js"],"shop-cart-sync":["modules/v2/loader.shop-cart-sync.en.esm.js"],"init-shop-for-new-customer-accounts":["modules/v2/loader.init-shop-for-new-customer-accounts.en.esm.js"],"checkout-modal":["modules/v2/loader.checkout-modal.en.esm.js"],"shop-login-button":["modules/v2/loader.shop-login-button.en.esm.js"],"pay-button":["modules/v2/loader.pay-button.en.esm.js"],"shop-follow-button":["modules/v2/loader.shop-follow-button.en.esm.js"],"payment-terms":["modules/v2/loader.payment-terms.en.esm.js"]};
</script>
<script>(function() {
  var isLoaded = false;
  function asyncLoad() {
    if (isLoaded) return;
    isLoaded = true;
    var urls = ["\/\/cdn.shopify.com\/proxy\/56b250f5dac7534222f4a734b1233dd537602865fc5fecb671d823c9f0e706a5\/shopify.livechatinc.com\/api\/v2\/script\/ad4be8dc-7988-4af5-9b60-01aacc766ad1\/widget.js?shop=healthygoodsllc.myshopify.com\u0026sp-cache-control=cHVibGljLCBtYXgtYWdlPTkwMA","https:\/\/cdn.shopify.com\/s\/files\/1\/0563\/4113\/5447\/t\/2\/assets\/clever_adwords_global_tag.js?shop=healthygoodsllc.myshopify.com","https:\/\/cdn-app.sealsubscriptions.com\/shopify\/public\/js\/sealsubscriptions.js?shop=healthygoodsllc.myshopify.com","https:\/\/cdn.s3.pop-convert.com\/pcjs.production.min.js?unique_id=healthygoodsllc.myshopify.com\u0026shop=healthygoodsllc.myshopify.com","https:\/\/script.pop-convert.com\/new-micro\/production.pc.min.js?unique_id=healthygoodsllc.myshopify.com\u0026shop=healthygoodsllc.myshopify.com","https:\/\/cdn.shopify.com\/s\/files\/1\/0563\/4113\/5447\/t\/5\/assets\/loy_56341135447.js?v=1753283969\u0026shop=healthygoodsllc.myshopify.com","https:\/\/tools.luckyorange.com\/core\/lo.js?site-id=76c3979b\u0026shop=healthygoodsllc.myshopify.com","https:\/\/cdn-bundler.nice-team.net\/app\/js\/bundler.js?shop=healthygoodsllc.myshopify.com","https:\/\/pc-quiz.s3.us-east-2.amazonaws.com\/current\/quiz-loader.min.js?shop=healthygoodsllc.myshopify.com","https:\/\/my.fpcdn.me\/embed\/shopify\/healthygoodsllc.myshopify.com\/firepush-embed.js?v=1771189279\u0026shop=healthygoodsllc.myshopify.com"];
    for (var i = 0; i < urls.length; i++) {
      var s = document.createElement('script');
      s.type = 'text/javascript';
      s.async = true;
      s.src = urls[i];
      var x = document.getElementsByTagName('script')[0];
      x.parentNode.insertBefore(s, x);
    }
  };
  if(window.attachEvent) {
    window.attachEvent('onload', asyncLoad);
  } else {
    window.addEventListener('load', asyncLoad, false);
  }
})();</script>
<script id="__st">var __st={"a":56341135447,"offset":-14400,"reqid":"8af44073-30f0-4f9a-a81c-310d6747e7df-1775876503","pageurl":"www.healthygoods.com\/","u":"61d5cd383e32","p":"home"};</script>
<script>window.ShopifyPaypalV4VisibilityTracking = true;</script>
<script id="captcha-bootstrap">!function(){'use strict';const t='contact',e='account',n='new_comment',o=[[t,t],['blogs',n],['comments',n],[t,'customer']],c=[[e,'customer_login'],[e,'guest_login'],[e,'recover_customer_password'],[e,'create_customer']],r=t=>t.map((([t,e])=>`form[action*='/${t}']:not([data-nocaptcha='true']) input[name='form_type'][value='${e}']`)).join(','),a=t=>()=>t?[...document.querySelectorAll(t)].map((t=>t.form)):[];function s(){const t=[...o],e=r(t);return a(e)}const i='password',u='form_key',d=['recaptcha-v3-token','g-recaptcha-response','h-captcha-response',i],f=()=>{try{return window.sessionStorage}catch{return}},m='__shopify_v',_=t=>t.elements[u];function p(t,e,n=!1){try{const o=window.sessionStorage,c=JSON.parse(o.getItem(e)),{data:r}=function(t){const{data:e,action:n}=t;return t[m]||n?{data:e,action:n}:{data:t,action:n}}(c);for(const[e,n]of Object.entries(r))t.elements[e]&&(t.elements[e].value=n);n&&o.removeItem(e)}catch(o){console.error('form repopulation failed',{error:o})}}const l='form_type',E='cptcha';function T(t){t.dataset[E]=!0}const w=window,h=w.document,L='Shopify',v='ce_forms',y='captcha';let A=!1;((t,e)=>{const n=(g='f06e6c50-85a8-45c8-87d0-21a2b65856fe',I='https://cdn.shopify.com/shopifycloud/storefront-forms-hcaptcha/ce_storefront_forms_captcha_hcaptcha.v1.5.2.iife.js',D={infoText:'Protected by hCaptcha',privacyText:'Privacy',termsText:'Terms'},(t,e,n)=>{const o=w[L][v],c=o.bindForm;if(c)return c(t,g,e,D).then(n);var r;o.q.push([[t,g,e,D],n]),r=I,A||(h.body.append(Object.assign(h.createElement('script'),{id:'captcha-provider',async:!0,src:r})),A=!0)});var g,I,D;w[L]=w[L]||{},w[L][v]=w[L][v]||{},w[L][v].q=[],w[L][y]=w[L][y]||{},w[L][y].protect=function(t,e){n(t,void 0,e),T(t)},Object.freeze(w[L][y]),function(t,e,n,w,h,L){const[v,y,A,g]=function(t,e,n){const i=e?o:[],u=t?c:[],d=[...i,...u],f=r(d),m=r(i),_=r(d.filter((([t,e])=>n.includes(e))));return[a(f),a(m),a(_),s()]}(w,h,L),I=t=>{const e=t.target;return e instanceof HTMLFormElement?e:e&&e.form},D=t=>v().includes(t);t.addEventListener('submit',(t=>{const e=I(t);if(!e)return;const n=D(e)&&!e.dataset.hcaptchaBound&&!e.dataset.recaptchaBound,o=_(e),c=g().includes(e)&&(!o||!o.value);(n||c)&&t.preventDefault(),c&&!n&&(function(t){try{if(!f())return;!function(t){const e=f();if(!e)return;const n=_(t);if(!n)return;const o=n.value;o&&e.removeItem(o)}(t);const e=Array.from(Array(32),(()=>Math.random().toString(36)[2])).join('');!function(t,e){_(t)||t.append(Object.assign(document.createElement('input'),{type:'hidden',name:u})),t.elements[u].value=e}(t,e),function(t,e){const n=f();if(!n)return;const o=[...t.querySelectorAll(`input[type='${i}']`)].map((({name:t})=>t)),c=[...d,...o],r={};for(const[a,s]of new FormData(t).entries())c.includes(a)||(r[a]=s);n.setItem(e,JSON.stringify({[m]:1,action:t.action,data:r}))}(t,e)}catch(e){console.error('failed to persist form',e)}}(e),e.submit())}));const S=(t,e)=>{t&&!t.dataset[E]&&(n(t,e.some((e=>e===t))),T(t))};for(const o of['focusin','change'])t.addEventListener(o,(t=>{const e=I(t);D(e)&&S(e,y())}));const B=e.get('form_key'),M=e.get(l),P=B&&M;t.addEventListener('DOMContentLoaded',(()=>{const t=y();if(P)for(const e of t)e.elements[l].value===M&&p(e,B);[...new Set([...A(),...v().filter((t=>'true'===t.dataset.shopifyCaptcha))])].forEach((e=>S(e,t)))}))}(h,new URLSearchParams(w.location.search),n,t,e,['guest_login'])})(!0,!0)}();</script>
<script integrity="sha256-Rd0I1U3I5BUKM/ZklNQ9ssBhyhvFP+5roZEEsW2MGUw=" data-source-attribution="shopify.loadfeatures" defer="defer" src="//www.healthygoods.com/cdn/shopifycloud/storefront/assets/storefront/load_feature-496de5fe.js" crossorigin="anonymous"></script>
<script data-source-attribution="shopify.dynamic_checkout.dynamic.init">var Shopify=Shopify||{};Shopify.PaymentButton=Shopify.PaymentButton||{isStorefrontPortableWallets:!0,init:function(){window.Shopify.PaymentButton.init=function(){};var t=document.createElement("script");t.src="https://www.healthygoods.com/cdn/shopifycloud/portable-wallets/latest/portable-wallets.en.js",t.type="module",document.head.appendChild(t)}};
</script>
<script data-source-attribution="shopify.dynamic_checkout.buyer_consent">
  function portableWalletsHideBuyerConsent(e){var t=document.getElementById("shopify-buyer-consent"),n=document.getElementById("shopify-subscription-policy-button");t&&n&&(t.classList.add("hidden"),t.setAttribute("aria-hidden","true"),n.removeEventListener("click",e))}function portableWalletsShowBuyerConsent(e){var t=document.getElementById("shopify-buyer-consent"),n=document.getElementById("shopify-subscription-policy-button");t&&n&&(t.classList.remove("hidden"),t.removeAttribute("aria-hidden"),n.addEventListener("click",e))}window.Shopify?.PaymentButton&&(window.Shopify.PaymentButton.hideBuyerConsent=portableWalletsHideBuyerConsent,window.Shopify.PaymentButton.showBuyerConsent=portableWalletsShowBuyerConsent);
</script>
<script>
  function portableWalletsCleanup(e){e&&e.src&&console.error("Failed to load portable wallets script "+e.src);var t=document.querySelectorAll("shopify-accelerated-checkout .shopify-payment-button__skeleton, shopify-accelerated-checkout-cart .wallet-cart-button__skeleton"),e=document.getElementById("shopify-buyer-consent");for(let e=0;e<t.length;e++)t[e].remove();e&&e.remove()}function portableWalletsNotLoadedAsModule(e){e instanceof ErrorEvent&&"string"==typeof e.message&&e.message.includes("import.meta")&&"string"==typeof e.filename&&e.filename.includes("portable-wallets")&&(window.removeEventListener("error",portableWalletsNotLoadedAsModule),window.Shopify.PaymentButton.failedToLoad=e,"loading"===document.readyState?document.addEventListener("DOMContentLoaded",window.Shopify.PaymentButton.init):window.Shopify.PaymentButton.init())}window.addEventListener("error",portableWalletsNotLoadedAsModule);
</script>

<script type="module" src="https://www.healthygoods.com/cdn/shopifycloud/portable-wallets/latest/portable-wallets.en.js" onError="portableWalletsCleanup(this)" crossorigin="anonymous"></script>
<script nomodule>
  document.addEventListener("DOMContentLoaded", portableWalletsCleanup);
</script>

<link id="shopify-accelerated-checkout-styles" rel="stylesheet" media="screen" href="https://www.healthygoods.com/cdn/shopifycloud/portable-wallets/latest/accelerated-checkout-backwards-compat.css" crossorigin="anonymous">
<style id="shopify-accelerated-checkout-cart">
        #shopify-buyer-consent {
  margin-top: 1em;
  display: inline-block;
  width: 100%;
}

#shopify-buyer-consent.hidden {
  display: none;
}

#shopify-subscription-policy-button {
  background: none;
  border: none;
  padding: 0;
  text-decoration: underline;
  font-size: inherit;
  cursor: pointer;
}

#shopify-subscription-policy-button::before {
  box-shadow: none;
}

      </style>

<script>window.performance && window.performance.mark && window.performance.mark('shopify.content_for_header.end');</script>

    <link rel="stylesheet" href="//www.healthygoods.com/cdn/shop/t/5/assets/theme.css?v=80830432922543882351750690070">

    <script>window.theme = {
        pageType: "index",
        moneyFormat: "${{amount}}",
        moneyWithCurrencyFormat: "${{amount}} USD",
        currencyCodeEnabled: false,
        productImageSize: "natural",
        searchMode: "product,article",
        showPageTransition: true,
        showElementStaggering: true,
        showImageZooming: true
      };

      window.routes = {
        rootUrl: "\/",
        rootUrlWithoutSlash: '',
        cartUrl: "\/cart",
        cartAddUrl: "\/cart\/add",
        cartChangeUrl: "\/cart\/change",
        searchUrl: "\/search",
        productRecommendationsUrl: "\/recommendations\/products"
      };

      window.languages = {
        cartAddNote: "Add Order Note",
        cartEditNote: "Edit Order Note",
        productImageLoadingError: "This image could not be loaded. Please try to reload the page.",
        productFormAddToCart: "Add to cart",
        productFormUnavailable: "Unavailable",
        productFormSoldOut: "Sold Out",
        shippingEstimatorOneResult: "1 option available:",
        shippingEstimatorMoreResults: "{{count}} options available:",
        shippingEstimatorNoResults: "No shipping could be found"
      };

      window.lazySizesConfig = {
        loadHidden: false,
        hFac: 0.5,
        expFactor: 2,
        ricTimeout: 150,
        lazyClass: 'Image--lazyLoad',
        loadingClass: 'Image--lazyLoading',
        loadedClass: 'Image--lazyLoaded'
      };

      document.documentElement.className = document.documentElement.className.replace('no-js', 'js');
      document.documentElement.style.setProperty('--window-height', window.innerHeight + 'px');

      (function() {
        document.documentElement.className += ((window.CSS && window.CSS.supports('(position: sticky) or (position: -webkit-sticky)')) ? ' supports-sticky' : ' no-supports-sticky');
        document.documentElement.className += (window.matchMedia('(-moz-touch-enabled: 1), (hover: none)')).matches ? ' no-supports-hover' : ' supports-hover';
      }());

      
    </script>

    <script src="//www.healthygoods.com/cdn/shop/t/5/assets/lazysizes.min.js?v=174358363404432586981721955396" async></script><script src="//www.healthygoods.com/cdn/shop/t/5/assets/libs.min.js?v=26178543184394469741721955396" defer></script>
    <script src="//www.healthygoods.com/cdn/shop/t/5/assets/theme.js?v=24122939957690793171721955396" defer></script>
    <script src="//www.healthygoods.com/cdn/shop/t/5/assets/custom.js?v=183944157590872491501721955396" defer></script>

    <script>
      (function () {
        window.onpageshow = function() {
          if (window.theme.showPageTransition) {
            var pageTransition = document.querySelector('.PageTransition');
            if (pageTransition) {
              pageTransition.style.visibility = 'visible';
              pageTransition.style.opacity = '0';
            }
          }
          document.documentElement.dispatchEvent(new CustomEvent('cart:refresh', {
            bubbles: true
          }));
        };
      })();
    </script>

    


  <script type="application/ld+json">
  {
    "@context": "http://schema.org",
    "@type": "BreadcrumbList",
  "itemListElement": [{
      "@type": "ListItem",
      "position": 1,
      "name": "Home",
      "item": "https://www.healthygoods.com"
    }]
  }
  </script>

    <!-- "snippets/shogun-head.liquid" was not rendered, the associated app was uninstalled -->
    
  

<!-- BEGIN app block: shopify://apps/bundler/blocks/bundler-script-append/7a6ae1b8-3b16-449b-8429-8bb89a62c664 --><script defer="defer">
	/**	Bundler script loader, version number: 2.0 */
	(function(){
		var loadScript=function(a,b){var c=document.createElement("script");c.type="text/javascript",c.readyState?c.onreadystatechange=function(){("loaded"==c.readyState||"complete"==c.readyState)&&(c.onreadystatechange=null,b())}:c.onload=function(){b()},c.src=a,document.getElementsByTagName("head")[0].appendChild(c)};
		appendScriptUrl('healthygoodsllc.myshopify.com');

		// get script url and append timestamp of last change
		function appendScriptUrl(shop) {

			var timeStamp = Math.floor(Date.now() / (1000*1*1));
			var timestampUrl = 'https://bundler.nice-team.net/app/shop/status/'+shop+'.js?'+timeStamp;

			loadScript(timestampUrl, function() {
				// append app script
				if (typeof bundler_settings_updated == 'undefined') {
					console.log('settings are undefined');
					bundler_settings_updated = 'default-by-script';
				}
				var scriptUrl = "https://cdn-bundler.nice-team.net/app/js/bundler-script.js?shop="+shop+"&"+bundler_settings_updated;
				loadScript(scriptUrl, function(){});
			});
		}
	})();

	var BndlrScriptAppended = true;
	
</script>

<!-- END app block --><!-- BEGIN app block: shopify://apps/triplewhale/blocks/triple_pixel_snippet/483d496b-3f1a-4609-aea7-8eee3b6b7a2a --><link rel='preconnect dns-prefetch' href='https://api.config-security.com/' crossorigin />
<link rel='preconnect dns-prefetch' href='https://conf.config-security.com/' crossorigin />
<script>
/* >> TriplePixel :: start*/
window.TriplePixelData={TripleName:"healthygoodsllc.myshopify.com",ver:"2.16",plat:"SHOPIFY",isHeadless:false,src:'SHOPIFY_EXT',product:{id:"",name:``,price:"",variant:""},search:"",collection:"",cart:"drawer",template:"index",curr:"USD" || "USD"},function(W,H,A,L,E,_,B,N){function O(U,T,P,H,R){void 0===R&&(R=!1),H=new XMLHttpRequest,P?(H.open("POST",U,!0),H.setRequestHeader("Content-Type","text/plain")):H.open("GET",U,!0),H.send(JSON.stringify(P||{})),H.onreadystatechange=function(){4===H.readyState&&200===H.status?(R=H.responseText,U.includes("/first")?eval(R):P||(N[B]=R)):(299<H.status||H.status<200)&&T&&!R&&(R=!0,O(U,T-1,P))}}if(N=window,!N[H+"sn"]){N[H+"sn"]=1,L=function(){return Date.now().toString(36)+"_"+Math.random().toString(36)};try{A.setItem(H,1+(0|A.getItem(H)||0)),(E=JSON.parse(A.getItem(H+"U")||"[]")).push({u:location.href,r:document.referrer,t:Date.now(),id:L()}),A.setItem(H+"U",JSON.stringify(E))}catch(e){}var i,m,p;A.getItem('"!nC`')||(_=A,A=N,A[H]||(E=A[H]=function(t,e,i){return void 0===i&&(i=[]),"State"==t?E.s:(W=L(),(E._q=E._q||[]).push([W,t,e].concat(i)),W)},E.s="Installed",E._q=[],E.ch=W,B="configSecurityConfModel",N[B]=1,O("https://conf.config-security.com/model",5),i=L(),m=A[atob("c2NyZWVu")],_.setItem("di_pmt_wt",i),p={id:i,action:"profile",avatar:_.getItem("auth-security_rand_salt_"),time:m[atob("d2lkdGg=")]+":"+m[atob("aGVpZ2h0")],host:A.TriplePixelData.TripleName,plat:A.TriplePixelData.plat,url:window.location.href.slice(0,500),ref:document.referrer,ver:A.TriplePixelData.ver},O("https://api.config-security.com/event",5,p),O("https://api.config-security.com/first?host=".concat(p.host,"&plat=").concat(p.plat),5)))}}("","TriplePixel",localStorage);
/* << TriplePixel :: end*/
</script>



<!-- END app block --><!-- BEGIN app block: shopify://apps/klaviyo-email-marketing-sms/blocks/klaviyo-onsite-embed/2632fe16-c075-4321-a88b-50b567f42507 -->












  <script async src="https://static.klaviyo.com/onsite/js/PDqjrP/klaviyo.js?company_id=PDqjrP"></script>
  <script>!function(){if(!window.klaviyo){window._klOnsite=window._klOnsite||[];try{window.klaviyo=new Proxy({},{get:function(n,i){return"push"===i?function(){var n;(n=window._klOnsite).push.apply(n,arguments)}:function(){for(var n=arguments.length,o=new Array(n),w=0;w<n;w++)o[w]=arguments[w];var t="function"==typeof o[o.length-1]?o.pop():void 0,e=new Promise((function(n){window._klOnsite.push([i].concat(o,[function(i){t&&t(i),n(i)}]))}));return e}}})}catch(n){window.klaviyo=window.klaviyo||[],window.klaviyo.push=function(){var n;(n=window._klOnsite).push.apply(n,arguments)}}}}();</script>

  




  <script>
    window.klaviyoReviewsProductDesignMode = false
  </script>









<!-- END app block --><!-- BEGIN app block: shopify://apps/yotpo-product-reviews/blocks/settings/eb7dfd7d-db44-4334-bc49-c893b51b36cf -->


  <script type="text/javascript" src="https://cdn-widgetsrepository.yotpo.com/v1/loader/CHYIIyNNFRU6VclhToGsS0CvHlRLXWWC0RB30Efp?languageCode=en" async></script>



  
<!-- END app block --><!-- BEGIN app block: shopify://apps/gempages-builder/blocks/embed-gp-script-head/20b379d4-1b20-474c-a6ca-665c331919f3 -->














<!-- END app block --><!-- BEGIN app block: shopify://apps/pagefly-page-builder/blocks/app-embed/83e179f7-59a0-4589-8c66-c0dddf959200 -->

<!-- BEGIN app snippet: pagefly-cro-ab-testing-main -->







<script>
  ;(function () {
    const url = new URL(window.location)
    const viewParam = url.searchParams.get('view')
    if (viewParam && viewParam.includes('variant-pf-')) {
      url.searchParams.set('pf_v', viewParam)
      url.searchParams.delete('view')
      window.history.replaceState({}, '', url)
    }
  })()
</script>



<script type='module'>
  
  window.PAGEFLY_CRO = window.PAGEFLY_CRO || {}

  window.PAGEFLY_CRO['data_debug'] = {
    original_template_suffix: "home",
    allow_ab_test: false,
    ab_test_start_time: 0,
    ab_test_end_time: 0,
    today_date_time: 1775876503000,
  }
  window.PAGEFLY_CRO['GA4'] = { enabled: false}
</script>

<!-- END app snippet -->










  <script src='https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-helper.js' defer='defer'></script>

  <script src='https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-general-helper.js' defer='defer'></script>

  <script src='https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-snap-slider.js' defer='defer'></script>

  <script src='https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-slideshow-v3.js' defer='defer'></script>

  <script src='https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-slideshow-v4.js' defer='defer'></script>

  <script src='https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-glider.js' defer='defer'></script>

  <script src='https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-slideshow-v1-v2.js' defer='defer'></script>

  <script src='https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-product-media.js' defer='defer'></script>

  <script src='https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-product.js' defer='defer'></script>


<script id='pagefly-helper-data' type='application/json'>
  {
    "page_optimization": {
      "assets_prefetching": false
    },
    "elements_asset_mapper": {
      "Accordion": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-accordion.js",
      "Accordion3": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-accordion3.js",
      "CountDown": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-countdown.js",
      "GMap1": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-gmap.js",
      "GMap2": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-gmap.js",
      "GMapBasicV2": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-gmap.js",
      "GMapAdvancedV2": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-gmap.js",
      "HTML.Video": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-htmlvideo.js",
      "HTML.Video2": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-htmlvideo2.js",
      "HTML.Video3": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-htmlvideo2.js",
      "BackgroundVideo": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-htmlvideo2.js",
      "Instagram": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-instagram.js",
      "Instagram2": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-instagram.js",
      "Insta3": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-instagram3.js",
      "Tabs": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-tab.js",
      "Tabs3": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-tab3.js",
      "ProductBox": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-cart.js",
      "FBPageBox2": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-facebook.js",
      "FBLikeButton2": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-facebook.js",
      "TwitterFeed2": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-twitter.js",
      "Paragraph4": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-paragraph4.js",

      "AliReviews": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-3rd-elements.js",
      "BackInStock": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-3rd-elements.js",
      "GloboBackInStock": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-3rd-elements.js",
      "GrowaveWishlist": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-3rd-elements.js",
      "InfiniteOptionsShopPad": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-3rd-elements.js",
      "InkybayProductPersonalizer": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-3rd-elements.js",
      "LimeSpot": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-3rd-elements.js",
      "Loox": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-3rd-elements.js",
      "Opinew": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-3rd-elements.js",
      "Powr": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-3rd-elements.js",
      "ProductReviews": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-3rd-elements.js",
      "PushOwl": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-3rd-elements.js",
      "ReCharge": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-3rd-elements.js",
      "Rivyo": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-3rd-elements.js",
      "TrackingMore": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-3rd-elements.js",
      "Vitals": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-3rd-elements.js",
      "Wiser": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-3rd-elements.js"
    },
    "custom_elements_mapper": {
      "pf-click-action-element": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-click-action-element.js",
      "pf-dialog-element": "https://cdn.shopify.com/extensions/019d6ab1-87f7-778b-bb00-1fb2fa7b9805/pagefly-page-builder-247/assets/pagefly-dialog-element.js"
    }
  }
</script>


<!-- END app block --><!-- BEGIN app block: shopify://apps/warnify-pro-warnings/blocks/main/b82106ea-6172-4ab0-814f-17df1cb2b18a --><!-- BEGIN app snippet: cart -->
<script>    var Elspw = {        params: {            money_format: "${{amount}}",            cart: {                "total_price" : 0,                "attributes": {},                "items" : [                ]            }        }    };</script>
<!-- END app snippet --><!-- BEGIN app snippet: settings -->
  <script>    (function(){      Elspw.loadScript=function(a,b){var c=document.createElement("script");c.type="text/javascript",c.readyState?c.onreadystatechange=function(){"loaded"!=c.readyState&&"complete"!=c.readyState||(c.onreadystatechange=null,b())}:c.onload=function(){b()},c.src=a,document.getElementsByTagName("head")[0].appendChild(c)};      Elspw.config= {"enabled":true,"grid_enabled":1,"button":"form[action*=\"/cart/add\"] [type=submit], form[action*=\"/cart/add\"] .add_to_cart, form[action*=\"/cart/add\"] .shopify-payment-button__button, form[action*=\"/cart/add\"] .shopify-payment-button__more-options","css":"","tag":"Els PW","alerts":[],"cdn":"https://s3.amazonaws.com/els-apps/product-warnings/","theme_app_extensions_enabled":1} ;    })(Elspw)  </script>  <script defer src="https://cdn.shopify.com/extensions/019d6413-f10f-703a-b1bc-4b9bcd3a1f51/cli-25/assets/app.js"></script>

<script>
  Elspw.params.elsGeoScriptPath = "https://cdn.shopify.com/extensions/019d6413-f10f-703a-b1bc-4b9bcd3a1f51/cli-25/assets/els.geo.js";
  Elspw.params.remodalScriptPath = "https://cdn.shopify.com/extensions/019d6413-f10f-703a-b1bc-4b9bcd3a1f51/cli-25/assets/remodal.js";
  Elspw.config = {
    ...(Elspw.config || {}),
    currentDate: "2026\/04\/10 23:01",
    currentWeekday: +"5",
  }
  Elspw.params.cssPath = "https://cdn.shopify.com/extensions/019d6413-f10f-703a-b1bc-4b9bcd3a1f51/cli-25/assets/app.css";
</script><!-- END app snippet --><!-- BEGIN app snippet: elspw-jsons -->





<!-- END app snippet -->


<!-- END app block --><!-- BEGIN app block: shopify://apps/eg-auto-add-to-cart/blocks/app-embed/0f7d4f74-1e89-4820-aec4-6564d7e535d2 -->











  
    <script
      async
      type="text/javascript"
      src="https://cdn.506.io/eg/script.js?shop=healthygoodsllc.myshopify.com&v=9"
    ></script>
  



  <meta id="easygift-shop" itemid="c2hvcF8kXzE3NzU4NzY1MDM=" content="{&quot;isInstalled&quot;:true,&quot;installedOn&quot;:&quot;2023-09-08T17:49:36.368Z&quot;,&quot;appVersion&quot;:&quot;3.0&quot;,&quot;subscriptionName&quot;:&quot;Unlimited&quot;,&quot;cartAnalytics&quot;:true,&quot;freeTrialEndsOn&quot;:null,&quot;settings&quot;:{&quot;reminderBannerStyle&quot;:{&quot;position&quot;:{&quot;horizontal&quot;:&quot;right&quot;,&quot;vertical&quot;:&quot;bottom&quot;},&quot;imageUrl&quot;:null,&quot;closingMode&quot;:&quot;doNotAutoClose&quot;,&quot;cssStyles&quot;:&quot;&quot;,&quot;displayAfter&quot;:5,&quot;headerText&quot;:&quot;&quot;,&quot;primaryColor&quot;:&quot;#000000&quot;,&quot;reshowBannerAfter&quot;:&quot;everyNewSession&quot;,&quot;selfcloseAfter&quot;:5,&quot;showImage&quot;:false,&quot;subHeaderText&quot;:&quot;&quot;},&quot;addedItemIdentifier&quot;:&quot;_Gifted&quot;,&quot;ignoreOtherAppLineItems&quot;:null,&quot;customVariantsInfoLifetimeMins&quot;:1440,&quot;redirectPath&quot;:null,&quot;ignoreNonStandardCartRequests&quot;:false,&quot;bannerStyle&quot;:{&quot;position&quot;:{&quot;horizontal&quot;:&quot;right&quot;,&quot;vertical&quot;:&quot;bottom&quot;},&quot;cssStyles&quot;:null,&quot;primaryColor&quot;:&quot;#000000&quot;},&quot;themePresetId&quot;:null,&quot;notificationStyle&quot;:{&quot;position&quot;:{&quot;horizontal&quot;:null,&quot;vertical&quot;:null},&quot;cssStyles&quot;:null,&quot;duration&quot;:null,&quot;hasCustomizations&quot;:false,&quot;primaryColor&quot;:null},&quot;fetchCartData&quot;:false,&quot;useLocalStorage&quot;:{&quot;enabled&quot;:false,&quot;expiryMinutes&quot;:null},&quot;popupStyle&quot;:{&quot;closeModalOutsideClick&quot;:true,&quot;priceShowZeroDecimals&quot;:true,&quot;addButtonText&quot;:null,&quot;cssStyles&quot;:null,&quot;dismissButtonText&quot;:null,&quot;hasCustomizations&quot;:false,&quot;imageUrl&quot;:null,&quot;outOfStockButtonText&quot;:null,&quot;primaryColor&quot;:null,&quot;secondaryColor&quot;:null,&quot;showProductLink&quot;:false,&quot;subscriptionLabel&quot;:&quot;Subscription Plan&quot;},&quot;refreshAfterBannerClick&quot;:false,&quot;disableReapplyRules&quot;:false,&quot;disableReloadOnFailedAddition&quot;:false,&quot;autoReloadCartPage&quot;:false,&quot;ajaxRedirectPath&quot;:null,&quot;allowSimultaneousRequests&quot;:false,&quot;applyRulesOnCheckout&quot;:false,&quot;enableCartCtrlOverrides&quot;:true,&quot;customRedirectFromCart&quot;:null,&quot;scriptSettings&quot;:{&quot;branding&quot;:{&quot;show&quot;:false,&quot;removalRequestSent&quot;:null},&quot;productPageRedirection&quot;:{&quot;enabled&quot;:false,&quot;products&quot;:[],&quot;redirectionURL&quot;:&quot;\/&quot;},&quot;debugging&quot;:{&quot;enabled&quot;:false,&quot;enabledOn&quot;:null,&quot;stringifyObj&quot;:false},&quot;customCSS&quot;:null,&quot;delayUpdates&quot;:2000,&quot;decodePayload&quot;:false,&quot;hideAlertsOnFrontend&quot;:false,&quot;removeEGPropertyFromSplitActionLineItems&quot;:false,&quot;fetchProductInfoFromSavedDomain&quot;:false,&quot;enableBuyNowInterceptions&quot;:false,&quot;removeProductsAddedFromExpiredRules&quot;:false,&quot;useFinalPrice&quot;:false,&quot;useFinalPriceGetEntireCart&quot;:false,&quot;hideGiftedPropertyText&quot;:false,&quot;fetchCartDataBeforeRequest&quot;:false},&quot;accessToEnterprise&quot;:false},&quot;translations&quot;:null,&quot;defaultLocale&quot;:&quot;en&quot;,&quot;shopDomain&quot;:&quot;www.healthygoods.com&quot;}">


<script defer>
  (async function() {
    try {

      const blockVersion = "v3"
      if (blockVersion != "v3") {
        return
      }

      let metaErrorFlag = false;
      if (metaErrorFlag) {
        return
      }

      // Parse metafields as JSON
      const metafields = {};

      // Process metafields in JavaScript
      let savedRulesArray = [];
      for (const [key, value] of Object.entries(metafields)) {
        if (value) {
          for (const prop in value) {
            // avoiding Object.Keys for performance gain -- no need to make an array of keys.
            savedRulesArray.push(value);
            break;
          }
        }
      }

      const metaTag = document.createElement('meta');
      metaTag.id = 'easygift-rules';
      metaTag.content = JSON.stringify(savedRulesArray);
      metaTag.setAttribute('itemid', 'cnVsZXNfJF8xNzc1ODc2NTAz');

      document.head.appendChild(metaTag);
      } catch (err) {
        
      }
  })();
</script>


  <script
    type="text/javascript"
    defer
  >

    (function () {
      try {
        window.EG_INFO = window.EG_INFO || {};
        var shopInfo = {"isInstalled":true,"installedOn":"2023-09-08T17:49:36.368Z","appVersion":"3.0","subscriptionName":"Unlimited","cartAnalytics":true,"freeTrialEndsOn":null,"settings":{"reminderBannerStyle":{"position":{"horizontal":"right","vertical":"bottom"},"imageUrl":null,"closingMode":"doNotAutoClose","cssStyles":"","displayAfter":5,"headerText":"","primaryColor":"#000000","reshowBannerAfter":"everyNewSession","selfcloseAfter":5,"showImage":false,"subHeaderText":""},"addedItemIdentifier":"_Gifted","ignoreOtherAppLineItems":null,"customVariantsInfoLifetimeMins":1440,"redirectPath":null,"ignoreNonStandardCartRequests":false,"bannerStyle":{"position":{"horizontal":"right","vertical":"bottom"},"cssStyles":null,"primaryColor":"#000000"},"themePresetId":null,"notificationStyle":{"position":{"horizontal":null,"vertical":null},"cssStyles":null,"duration":null,"hasCustomizations":false,"primaryColor":null},"fetchCartData":false,"useLocalStorage":{"enabled":false,"expiryMinutes":null},"popupStyle":{"closeModalOutsideClick":true,"priceShowZeroDecimals":true,"addButtonText":null,"cssStyles":null,"dismissButtonText":null,"hasCustomizations":false,"imageUrl":null,"outOfStockButtonText":null,"primaryColor":null,"secondaryColor":null,"showProductLink":false,"subscriptionLabel":"Subscription Plan"},"refreshAfterBannerClick":false,"disableReapplyRules":false,"disableReloadOnFailedAddition":false,"autoReloadCartPage":false,"ajaxRedirectPath":null,"allowSimultaneousRequests":false,"applyRulesOnCheckout":false,"enableCartCtrlOverrides":true,"customRedirectFromCart":null,"scriptSettings":{"branding":{"show":false,"removalRequestSent":null},"productPageRedirection":{"enabled":false,"products":[],"redirectionURL":"\/"},"debugging":{"enabled":false,"enabledOn":null,"stringifyObj":false},"customCSS":null,"delayUpdates":2000,"decodePayload":false,"hideAlertsOnFrontend":false,"removeEGPropertyFromSplitActionLineItems":false,"fetchProductInfoFromSavedDomain":false,"enableBuyNowInterceptions":false,"removeProductsAddedFromExpiredRules":false,"useFinalPrice":false,"useFinalPriceGetEntireCart":false,"hideGiftedPropertyText":false,"fetchCartDataBeforeRequest":false},"accessToEnterprise":false},"translations":null,"defaultLocale":"en","shopDomain":"www.healthygoods.com"};
        var productRedirectionEnabled = shopInfo.settings.scriptSettings.productPageRedirection.enabled;
        if (["Unlimited", "Enterprise"].includes(shopInfo.subscriptionName) && productRedirectionEnabled) {
          var products = shopInfo.settings.scriptSettings.productPageRedirection.products;
          if (products.length > 0) {
            var productIds = products.map(function(prod) {
              var productGid = prod.id;
              var productIdNumber = parseInt(productGid.split('/').pop());
              return productIdNumber;
            });
            var productInfo = null;
            var isProductInList = productIds.includes(productInfo.id);
            if (isProductInList) {
              var redirectionURL = shopInfo.settings.scriptSettings.productPageRedirection.redirectionURL;
              if (redirectionURL) {
                window.location = redirectionURL;
              }
            }
          }
        }

        
      } catch(err) {
      return
    }})()
  </script>



<!-- END app block --><!-- BEGIN app block: shopify://apps/yotpo-product-reviews/blocks/reviews_tab/eb7dfd7d-db44-4334-bc49-c893b51b36cf -->



<!-- END app block --><link href="https://cdn.shopify.com/extensions/019d1fd6-4f13-7903-90ac-15abcbd59a65/sbisa-shopify-app-142/assets/app-embed-block.css" rel="stylesheet" type="text/css" media="all">
<meta property="og:image" content="https://cdn.shopify.com/s/files/1/0563/4113/5447/files/healthy-goods-supplements-7_9ffa574f-3a39-4c68-bbe1-62641b5adbba.jpg?v=1689885577" />
<meta property="og:image:secure_url" content="https://cdn.shopify.com/s/files/1/0563/4113/5447/files/healthy-goods-supplements-7_9ffa574f-3a39-4c68-bbe1-62641b5adbba.jpg?v=1689885577" />
<meta property="og:image:width" content="2048" />
<meta property="og:image:height" content="1632" />
<link href="https://monorail-edge.shopifysvc.com" rel="dns-prefetch">
<script>(function(){if ("sendBeacon" in navigator && "performance" in window) {try {var session_token_from_headers = performance.getEntriesByType('navigation')[0].serverTiming.find(x => x.name == '_s').description;} catch {var session_token_from_headers = undefined;}var session_cookie_matches = document.cookie.match(/_shopify_s=([^;]*)/);var session_token_from_cookie = session_cookie_matches && session_cookie_matches.length === 2 ? session_cookie_matches[1] : "";var session_token = session_token_from_headers || session_token_from_cookie || "";function handle_abandonment_event(e) {var entries = performance.getEntries().filter(function(entry) {return /monorail-edge.shopifysvc.com/.test(entry.name);});if (!window.abandonment_tracked && entries.length === 0) {window.abandonment_tracked = true;var currentMs = Date.now();var navigation_start = performance.timing.navigationStart;var payload = {shop_id: 56341135447,url: window.location.href,navigation_start,duration: currentMs - navigation_start,session_token,page_type: "index"};window.navigator.sendBeacon("https://monorail-edge.shopifysvc.com/v1/produce", JSON.stringify({schema_id: "online_store_buyer_site_abandonment/1.1",payload: payload,metadata: {event_created_at_ms: currentMs,event_sent_at_ms: currentMs}}));}}window.addEventListener('pagehide', handle_abandonment_event);}}());</script>
<script>
  window.__TREKKIE_SHIM_QUEUE = window.__TREKKIE_SHIM_QUEUE || [];
</script>
<script id="web-pixels-manager-setup">(function e(e,d,r,n,o){if(void 0===o&&(o={}),!Boolean(null===(a=null===(i=window.Shopify)||void 0===i?void 0:i.analytics)||void 0===a?void 0:a.replayQueue)){var i,a;window.Shopify=window.Shopify||{};var t=window.Shopify;t.analytics=t.analytics||{};var s=t.analytics;s.replayQueue=[],s.publish=function(e,d,r){return s.replayQueue.push([e,d,r]),!0};try{self.performance.mark("wpm:start")}catch(e){}var l=function(){var e={modern:/Edge?\/(1{2}[4-9]|1[2-9]\d|[2-9]\d{2}|\d{4,})\.\d+(\.\d+|)|Firefox\/(1{2}[4-9]|1[2-9]\d|[2-9]\d{2}|\d{4,})\.\d+(\.\d+|)|Chrom(ium|e)\/(9{2}|\d{3,})\.\d+(\.\d+|)|(Maci|X1{2}).+ Version\/(15\.\d+|(1[6-9]|[2-9]\d|\d{3,})\.\d+)([,.]\d+|)( \(\w+\)|)( Mobile\/\w+|) Safari\/|Chrome.+OPR\/(9{2}|\d{3,})\.\d+\.\d+|(CPU[ +]OS|iPhone[ +]OS|CPU[ +]iPhone|CPU IPhone OS|CPU iPad OS)[ +]+(15[._]\d+|(1[6-9]|[2-9]\d|\d{3,})[._]\d+)([._]\d+|)|Android:?[ /-](13[3-9]|1[4-9]\d|[2-9]\d{2}|\d{4,})(\.\d+|)(\.\d+|)|Android.+Firefox\/(13[5-9]|1[4-9]\d|[2-9]\d{2}|\d{4,})\.\d+(\.\d+|)|Android.+Chrom(ium|e)\/(13[3-9]|1[4-9]\d|[2-9]\d{2}|\d{4,})\.\d+(\.\d+|)|SamsungBrowser\/([2-9]\d|\d{3,})\.\d+/,legacy:/Edge?\/(1[6-9]|[2-9]\d|\d{3,})\.\d+(\.\d+|)|Firefox\/(5[4-9]|[6-9]\d|\d{3,})\.\d+(\.\d+|)|Chrom(ium|e)\/(5[1-9]|[6-9]\d|\d{3,})\.\d+(\.\d+|)([\d.]+$|.*Safari\/(?![\d.]+ Edge\/[\d.]+$))|(Maci|X1{2}).+ Version\/(10\.\d+|(1[1-9]|[2-9]\d|\d{3,})\.\d+)([,.]\d+|)( \(\w+\)|)( Mobile\/\w+|) Safari\/|Chrome.+OPR\/(3[89]|[4-9]\d|\d{3,})\.\d+\.\d+|(CPU[ +]OS|iPhone[ +]OS|CPU[ +]iPhone|CPU IPhone OS|CPU iPad OS)[ +]+(10[._]\d+|(1[1-9]|[2-9]\d|\d{3,})[._]\d+)([._]\d+|)|Android:?[ /-](13[3-9]|1[4-9]\d|[2-9]\d{2}|\d{4,})(\.\d+|)(\.\d+|)|Mobile Safari.+OPR\/([89]\d|\d{3,})\.\d+\.\d+|Android.+Firefox\/(13[5-9]|1[4-9]\d|[2-9]\d{2}|\d{4,})\.\d+(\.\d+|)|Android.+Chrom(ium|e)\/(13[3-9]|1[4-9]\d|[2-9]\d{2}|\d{4,})\.\d+(\.\d+|)|Android.+(UC? ?Browser|UCWEB|U3)[ /]?(15\.([5-9]|\d{2,})|(1[6-9]|[2-9]\d|\d{3,})\.\d+)\.\d+|SamsungBrowser\/(5\.\d+|([6-9]|\d{2,})\.\d+)|Android.+MQ{2}Browser\/(14(\.(9|\d{2,})|)|(1[5-9]|[2-9]\d|\d{3,})(\.\d+|))(\.\d+|)|K[Aa][Ii]OS\/(3\.\d+|([4-9]|\d{2,})\.\d+)(\.\d+|)/},d=e.modern,r=e.legacy,n=navigator.userAgent;return n.match(d)?"modern":n.match(r)?"legacy":"unknown"}(),u="modern"===l?"modern":"legacy",c=(null!=n?n:{modern:"",legacy:""})[u],f=function(e){return[e.baseUrl,"/wpm","/b",e.hashVersion,"modern"===e.buildTarget?"m":"l",".js"].join("")}({baseUrl:d,hashVersion:r,buildTarget:u}),m=function(e){var d=e.version,r=e.bundleTarget,n=e.surface,o=e.pageUrl,i=e.monorailEndpoint;return{emit:function(e){var a=e.status,t=e.errorMsg,s=(new Date).getTime(),l=JSON.stringify({metadata:{event_sent_at_ms:s},events:[{schema_id:"web_pixels_manager_load/3.1",payload:{version:d,bundle_target:r,page_url:o,status:a,surface:n,error_msg:t},metadata:{event_created_at_ms:s}}]});if(!i)return console&&console.warn&&console.warn("[Web Pixels Manager] No Monorail endpoint provided, skipping logging."),!1;try{return self.navigator.sendBeacon.bind(self.navigator)(i,l)}catch(e){}var u=new XMLHttpRequest;try{return u.open("POST",i,!0),u.setRequestHeader("Content-Type","text/plain"),u.send(l),!0}catch(e){return console&&console.warn&&console.warn("[Web Pixels Manager] Got an unhandled error while logging to Monorail."),!1}}}}({version:r,bundleTarget:l,surface:e.surface,pageUrl:self.location.href,monorailEndpoint:e.monorailEndpoint});try{o.browserTarget=l,function(e){var d=e.src,r=e.async,n=void 0===r||r,o=e.onload,i=e.onerror,a=e.sri,t=e.scriptDataAttributes,s=void 0===t?{}:t,l=document.createElement("script"),u=document.querySelector("head"),c=document.querySelector("body");if(l.async=n,l.src=d,a&&(l.integrity=a,l.crossOrigin="anonymous"),s)for(var f in s)if(Object.prototype.hasOwnProperty.call(s,f))try{l.dataset[f]=s[f]}catch(e){}if(o&&l.addEventListener("load",o),i&&l.addEventListener("error",i),u)u.appendChild(l);else{if(!c)throw new Error("Did not find a head or body element to append the script");c.appendChild(l)}}({src:f,async:!0,onload:function(){if(!function(){var e,d;return Boolean(null===(d=null===(e=window.Shopify)||void 0===e?void 0:e.analytics)||void 0===d?void 0:d.initialized)}()){var d=window.webPixelsManager.init(e)||void 0;if(d){var r=window.Shopify.analytics;r.replayQueue.forEach((function(e){var r=e[0],n=e[1],o=e[2];d.publishCustomEvent(r,n,o)})),r.replayQueue=[],r.publish=d.publishCustomEvent,r.visitor=d.visitor,r.initialized=!0}}},onerror:function(){return m.emit({status:"failed",errorMsg:"".concat(f," has failed to load")})},sri:function(e){var d=/^sha384-[A-Za-z0-9+/=]+$/;return"string"==typeof e&&d.test(e)}(c)?c:"",scriptDataAttributes:o}),m.emit({status:"loading"})}catch(e){m.emit({status:"failed",errorMsg:(null==e?void 0:e.message)||"Unknown error"})}}})({shopId: 56341135447,storefrontBaseUrl: "https://www.healthygoods.com",extensionsBaseUrl: "https://extensions.shopifycdn.com/cdn/shopifycloud/web-pixels-manager",monorailEndpoint: "https://monorail-edge.shopifysvc.com/unstable/produce_batch",surface: "storefront-renderer",enabledBetaFlags: ["2dca8a86","d5bdd5d0","5476ea20","ed8389fc"],webPixelsConfigList: [{"id":"1333624919","configuration":"{\"pixel_id\":\"2237114026696428\",\"pixel_type\":\"facebook_pixel\"}","eventPayloadVersion":"v1","runtimeContext":"OPEN","scriptVersion":"ca16bc87fe92b6042fbaa3acc2fbdaa6","type":"APP","apiClientId":2329312,"privacyPurposes":["ANALYTICS","MARKETING","SALE_OF_DATA"],"dataSharingAdjustments":{"protectedCustomerApprovalScopes":["read_customer_address","read_customer_email","read_customer_name","read_customer_personal_data","read_customer_phone"],"dataSharingControls":["share_all_events"]},"dataSharingState":"optimized","enabledFlags":["9a3ed68a","3b5414a6"]},{"id":"1299284055","configuration":"{\n        \"accountID\":\"healthygoodsllc.myshopify.com\",\n        \"environment\":\"production\",\n        \"apiURL\":\"https:\/\/api.quizkitapp.com\"\n        }","eventPayloadVersion":"v1","runtimeContext":"STRICT","scriptVersion":"6c5c4302e85d78045439a4ff4f16ba5e","type":"APP","apiClientId":4291957,"privacyPurposes":["ANALYTICS","MARKETING","SALE_OF_DATA"],"dataSharingAdjustments":{"protectedCustomerApprovalScopes":["read_customer_email","read_customer_personal_data"],"dataSharingControls":["share_all_events"]},"dataSharingState":"optimized","enabledFlags":["3b5414a6"]},{"id":"1247117399","configuration":"{\"accountID\":\"PDqjrP\",\"webPixelConfig\":\"eyJlbmFibGVBZGRlZFRvQ2FydEV2ZW50cyI6IHRydWV9\"}","eventPayloadVersion":"v1","runtimeContext":"STRICT","scriptVersion":"524f6c1ee37bacdca7657a665bdca589","type":"APP","apiClientId":123074,"privacyPurposes":["ANALYTICS","MARKETING"],"dataSharingAdjustments":{"protectedCustomerApprovalScopes":["read_customer_address","read_customer_email","read_customer_name","read_customer_personal_data","read_customer_phone"],"dataSharingControls":["share_all_events"]},"dataSharingState":"optimized","enabledFlags":["9a3ed68a","3b5414a6"]},{"id":"891125847","configuration":"{\"storeUuid\":\"ad4be8dc-7988-4af5-9b60-01aacc766ad1\"}","eventPayloadVersion":"v1","runtimeContext":"STRICT","scriptVersion":"2aec70e60dfec3094e3f478b61731238","type":"APP","apiClientId":1806141,"privacyPurposes":["ANALYTICS","MARKETING","SALE_OF_DATA"],"dataSharingAdjustments":{"protectedCustomerApprovalScopes":["read_customer_address","read_customer_email","read_customer_name","read_customer_personal_data","read_customer_phone"],"dataSharingControls":["share_all_events"]},"dataSharingState":"optimized","enabledFlags":["3b5414a6"]},{"id":"889094231","configuration":"{\"siteId\":\"76c3979b\",\"environment\":\"production\",\"isPlusUser\":\"true\"}","eventPayloadVersion":"v1","runtimeContext":"STRICT","scriptVersion":"a99dc94f98dfb8fbf0d40b538b69212d","type":"APP","apiClientId":187969,"privacyPurposes":["ANALYTICS","MARKETING"],"capabilities":["advanced_dom_events"],"dataSharingAdjustments":{"protectedCustomerApprovalScopes":["read_customer_email","read_customer_name","read_customer_personal_data","read_customer_phone"],"dataSharingControls":["share_all_events"]},"dataSharingState":"optimized","enabledFlags":["3b5414a6"]},{"id":"697892951","configuration":"{\"octaneDomain\":\"https:\\\/\\\/app.octaneai.com\",\"botID\":\"g2ny60eegd28k9z1\"}","eventPayloadVersion":"v1","runtimeContext":"STRICT","scriptVersion":"49b8555a9c72ff0c429a1efda96504ee","type":"APP","apiClientId":2012438,"privacyPurposes":["ANALYTICS","MARKETING","SALE_OF_DATA"],"dataSharingAdjustments":{"protectedCustomerApprovalScopes":["read_customer_personal_data"],"dataSharingControls":["share_all_events"]},"dataSharingState":"optimized","enabledFlags":["3b5414a6"]},{"id":"335970391","configuration":"{\"shopId\":\"healthygoodsllc.myshopify.com\"}","eventPayloadVersion":"v1","runtimeContext":"STRICT","scriptVersion":"9735d291f34c37bb980cad11123d15e3","type":"APP","apiClientId":2753413,"privacyPurposes":["ANALYTICS","MARKETING","SALE_OF_DATA"],"dataSharingAdjustments":{"protectedCustomerApprovalScopes":["read_customer_address","read_customer_email","read_customer_name","read_customer_personal_data","read_customer_phone"],"dataSharingControls":["share_all_events"]},"dataSharingState":"optimized","enabledFlags":["3b5414a6"]},{"id":"326762583","configuration":"{\"pixelCode\":\"CR8C68JC77UF32IN2SIG\"}","eventPayloadVersion":"v1","runtimeContext":"STRICT","scriptVersion":"22e92c2ad45662f435e4801458fb78cc","type":"APP","apiClientId":4383523,"privacyPurposes":["ANALYTICS","MARKETING","SALE_OF_DATA"],"dataSharingAdjustments":{"protectedCustomerApprovalScopes":["read_customer_address","read_customer_email","read_customer_name","read_customer_personal_data","read_customer_phone"],"dataSharingControls":["share_all_events"]},"dataSharingState":"optimized","enabledFlags":["3b5414a6"]},{"id":"14680151","eventPayloadVersion":"1","runtimeContext":"LAX","scriptVersion":"3","type":"CUSTOM","privacyPurposes":["ANALYTICS","MARKETING","SALE_OF_DATA"],"name":"GTM"},{"id":"shopify-app-pixel","configuration":"{}","eventPayloadVersion":"v1","runtimeContext":"STRICT","scriptVersion":"0450","apiClientId":"shopify-pixel","type":"APP","privacyPurposes":["ANALYTICS","MARKETING"]},{"id":"shopify-custom-pixel","eventPayloadVersion":"v1","runtimeContext":"LAX","scriptVersion":"0450","apiClientId":"shopify-pixel","type":"CUSTOM","privacyPurposes":["ANALYTICS","MARKETING"]}],isMerchantRequest: false,initData: {"shop":{"name":"Healthy Goods","paymentSettings":{"currencyCode":"USD"},"myshopifyDomain":"healthygoodsllc.myshopify.com","countryCode":"US","storefrontUrl":"https:\/\/www.healthygoods.com"},"customer":null,"cart":null,"checkout":null,"productVariants":[],"purchasingCompany":null},},"https://www.healthygoods.com/cdn","5bfe654aw9a31df99pb879ff13m3bd6cd49",{"modern":"","legacy":""},{"trekkieShim":true,"shopId":"56341135447","storefrontBaseUrl":"https:\/\/www.healthygoods.com","extensionBaseUrl":"https:\/\/extensions.shopifycdn.com\/cdn\/shopifycloud\/web-pixels-manager","surface":"storefront-renderer","enabledBetaFlags":"[\"2dca8a86\", \"d5bdd5d0\", \"5476ea20\", \"ed8389fc\"]","isMerchantRequest":"false","hashVersion":"5bfe654aw9a31df99pb879ff13m3bd6cd49","publish":"custom","events":"[[\"page_viewed\",{}]]"});</script><script>
  window.ShopifyAnalytics = window.ShopifyAnalytics || {};
  window.ShopifyAnalytics.meta = window.ShopifyAnalytics.meta || {};
  window.ShopifyAnalytics.meta.currency = 'USD';
  var meta = {"page":{"pageType":"home","requestId":"8af44073-30f0-4f9a-a81c-310d6747e7df-1775876503"}};
  for (var attr in meta) {
    window.ShopifyAnalytics.meta[attr] = meta[attr];
  }
</script>
<script class="analytics">
  (function () {
    var customDocumentWrite = function(content) {
      var jquery = null;

      if (window.jQuery) {
        jquery = window.jQuery;
      } else if (window.Checkout && window.Checkout.$) {
        jquery = window.Checkout.$;
      }

      if (jquery) {
        jquery('body').append(content);
      }
    };

    var hasLoggedConversion = function(token) {
      if (token) {
        return document.cookie.indexOf('loggedConversion=' + token) !== -1;
      }
      return false;
    }

    var setCookieIfConversion = function(token) {
      if (token) {
        var twoMonthsFromNow = new Date(Date.now());
        twoMonthsFromNow.setMonth(twoMonthsFromNow.getMonth() + 2);

        document.cookie = 'loggedConversion=' + token + '; expires=' + twoMonthsFromNow;
      }
    }

    var trekkie = window.ShopifyAnalytics.lib = window.trekkie = window.trekkie || [];
    window.ShopifyAnalytics.lib.trekkie = window.trekkie;
    if (trekkie.integrations) {
      return;
    }
    trekkie.methods = [
      'identify',
      'page',
      'ready',
      'track',
      'trackForm',
      'trackLink'
    ];
    trekkie.factory = function(method) {
      return function() {
        var args = Array.prototype.slice.call(arguments);
        args.unshift(method);
        trekkie.push(args);
        if (window.__TREKKIE_SHIM_QUEUE && (method == 'track' || method == 'page')) {
          try {
            window.__TREKKIE_SHIM_QUEUE.push({
              from: 'trekkie-stub',
              method: method,
              args: args.slice(1)
            });
          } catch (e) {
            // no-op
          }
        }
        return trekkie;
      };
    };
    for (var i = 0; i < trekkie.methods.length; i++) {
      var key = trekkie.methods[i];
      trekkie[key] = trekkie.factory(key);
    }
    trekkie.load = function(config) {
      trekkie.config = config || {};
      trekkie.config.initialDocumentCookie = document.cookie;
      var first = document.getElementsByTagName('script')[0];
var script = document.createElement('script');
script.type = 'text/javascript';
script.onerror = function(e) {
  var scriptFallback = document.createElement('script');
  scriptFallback.type = 'text/javascript';
  scriptFallback.onerror = function(error) {
          var Monorail = {
      produce: function produce(monorailDomain, schemaId, payload) {
        var currentMs = new Date().getTime();
        var event = {
          schema_id: schemaId,
          payload: payload,
          metadata: {
            event_created_at_ms: currentMs,
            event_sent_at_ms: currentMs
          }
        };
        return Monorail.sendRequest("https://" + monorailDomain + "/v1/produce", JSON.stringify(event));
      },
      sendRequest: function sendRequest(endpointUrl, payload) {
        // Try the sendBeacon API
        if (window && window.navigator && typeof window.navigator.sendBeacon === 'function' && typeof window.Blob === 'function' && !Monorail.isIos12()) {
          var blobData = new window.Blob([payload], {
            type: 'text/plain'
          });

          if (window.navigator.sendBeacon(endpointUrl, blobData)) {
            return true;
          } // sendBeacon was not successful

        } // XHR beacon

        var xhr = new XMLHttpRequest();

        try {
          xhr.open('POST', endpointUrl);
          xhr.setRequestHeader('Content-Type', 'text/plain');
          xhr.send(payload);
        } catch (e) {
          console.log(e);
        }

        return false;
      },
      isIos12: function isIos12() {
        return window.navigator.userAgent.lastIndexOf('iPhone; CPU iPhone OS 12_') !== -1 || window.navigator.userAgent.lastIndexOf('iPad; CPU OS 12_') !== -1;
      }
    };
    Monorail.produce('monorail-edge.shopifysvc.com',
      'trekkie_storefront_load_errors/1.1',
      {shop_id: 56341135447,
      theme_id: 128795377751,
      app_name: "storefront",
      context_url: window.location.href,
      source_url: "//www.healthygoods.com/cdn/s/trekkie.storefront.8aba195e1f0d50eb4ee5422e0104eb204e686edd.min.js"});

  };
  scriptFallback.async = true;
  scriptFallback.src = '//www.healthygoods.com/cdn/s/trekkie.storefront.8aba195e1f0d50eb4ee5422e0104eb204e686edd.min.js';
  first.parentNode.insertBefore(scriptFallback, first);
};
script.async = true;
script.src = '//www.healthygoods.com/cdn/s/trekkie.storefront.8aba195e1f0d50eb4ee5422e0104eb204e686edd.min.js';
first.parentNode.insertBefore(script, first);

    };
    trekkie.load(
      {"Trekkie":{"appName":"storefront","development":false,"defaultAttributes":{"shopId":56341135447,"isMerchantRequest":null,"themeId":128795377751,"themeCityHash":"14630203676096251559","contentLanguage":"en","currency":"USD","eventMetadataId":"669231b0-8754-4ff5-b675-56b7385a528f"},"isServerSideCookieWritingEnabled":true,"monorailRegion":"shop_domain","enabledBetaFlags":["b5387b81","d5bdd5d0"]},"Session Attribution":{},"S2S":{"facebookCapiEnabled":true,"source":"trekkie-storefront-renderer","apiClientId":580111}}
    );

    var loaded = false;
    trekkie.ready(function() {
      if (loaded) return;
      loaded = true;

      window.ShopifyAnalytics.lib = window.trekkie;

      var originalDocumentWrite = document.write;
      document.write = customDocumentWrite;
      try { window.ShopifyAnalytics.merchantGoogleAnalytics.call(this); } catch(error) {};
      document.write = originalDocumentWrite;

      window.ShopifyAnalytics.lib.page(null,{"pageType":"home","requestId":"8af44073-30f0-4f9a-a81c-310d6747e7df-1775876503","shopifyEmitted":true});

      var match = window.location.pathname.match(/checkouts\/(.+)\/(thank_you|post_purchase)/)
      var token = match? match[1]: undefined;
      if (!hasLoggedConversion(token)) {
        setCookieIfConversion(token);
        
      }
    });

    var eventsListenerScript = document.createElement('script');
    eventsListenerScript.async = true;
    eventsListenerScript.src = "//www.healthygoods.com/cdn/shopifycloud/storefront/assets/shop_events_listener-3da45d37.js";
    document.getElementsByTagName('head')[0].appendChild(eventsListenerScript);
})();</script>
<script
  defer
  src="https://www.healthygoods.com/cdn/shopifycloud/perf-kit/shopify-perf-kit-3.3.1.min.js"
  data-application="storefront-renderer"
  data-shop-id="56341135447"
  data-render-region="gcp-us-central1"
  data-page-type="index"
  data-theme-instance-id="128795377751"
  data-theme-name="Prestige"
  data-theme-version="6.0.0"
  data-monorail-region="shop_domain"
  data-resource-timing-sampling-rate="10"
  data-shs="true"
  data-shs-beacon="true"
  data-shs-export-with-fetch="true"
  data-shs-logs-sample-rate="1"
  data-shs-beacon-endpoint="https://www.healthygoods.com/api/collect"
></script>
</head><script async src="https://app.octaneai.com/js/embed.js"></script>
  <body class="prestige--v4 features--heading-large features--show-price-on-hover features--show-page-transition features--show-image-zooming features--show-element-staggering  template-index">
    <svg class="u-visually-hidden">
      <linearGradient id="rating-star-gradient-half">
        <stop offset="50%" stop-color="var(--product-star-rating)" />
        <stop offset="50%" stop-color="var(--text-color-light)" />
      </linearGradient>
    </svg>

    <!-- Google Tag Manager (noscript) -->
    <noscript><iframe src="https://www.googletagmanager.com/ns.html?id=GTM-MD9RV9GH"
    height="0" width="0" style="display:none;visibility:hidden"></iframe></noscript>
    <!-- End Google Tag Manager (noscript) -->

    <a class="PageSkipLink u-visually-hidden" href="#main">Skip to content</a>
    <span class="LoadingBar"></span>
    <div class="PageOverlay"></div><div class="PageTransition"></div><div id="shopify-section-popup" class="shopify-section"></div>
    <div id="shopify-section-sidebar-menu" class="shopify-section"><section id="sidebar-menu" class="SidebarMenu Drawer Drawer--small Drawer--fromLeft" aria-hidden="true" data-section-id="sidebar-menu" data-section-type="sidebar-menu">
    <header class="Drawer__Header" data-drawer-animated-left>
      <button class="Drawer__Close Icon-Wrapper--clickable" data-action="close-drawer" data-drawer-id="sidebar-menu" aria-label="Close navigation"><svg class="Icon Icon--close " role="presentation" viewBox="0 0 16 14">
      <path d="M15 0L1 14m14 0L1 0" stroke="currentColor" fill="none" fill-rule="evenodd"></path>
    </svg></button>
    </header>

    <div class="Drawer__Content">
      <div class="Drawer__Main" data-drawer-animated-left data-scrollable>
        <div class="Drawer__Container">
          <nav class="SidebarMenu__Nav SidebarMenu__Nav--primary" aria-label="Sidebar navigation"><div class="Collapsible"><button class="Collapsible__Button Heading u-h6" data-action="toggle-collapsible" aria-expanded="false">Shop<span class="Collapsible__Plus"></span>
                  </button>

                  <div class="Collapsible__Inner">
                    <div class="Collapsible__Content"><div class="Collapsible"><button class="Collapsible__Button Heading Text--subdued Link--primary u-h7" data-action="toggle-collapsible" aria-expanded="false">COLLECTIONS<span class="Collapsible__Plus"></span>
                            </button>

                            <div class="Collapsible__Inner">
                              <div class="Collapsible__Content">
                                <ul class="Linklist Linklist--bordered Linklist--spacingLoose"><li class="Linklist__Item">
                                      <a href="/collections" class="Text--subdued Link Link--primary">All Collections</a>
                                    </li><li class="Linklist__Item">
                                      <a href="/collections/adrenal-thyroid" class="Text--subdued Link Link--primary">Adrenal &amp; Thyroid</a>
                                    </li><li class="Linklist__Item">
                                      <a href="/collections/amino-acids" class="Text--subdued Link Link--primary">Amino Acids</a>
                                    </li><li class="Linklist__Item">
                                      <a href="/collections/blood-sugar-support" class="Text--subdued Link Link--primary">Blood Sugar</a>
                                    </li><li class="Linklist__Item">
                                      <a href="/collections/bone-and-joint" class="Text--subdued Link Link--primary">Bone and Joint</a>
                                    </li><li class="Linklist__Item">
                                      <a href="/collections/brain-nerve" class="Text--subdued Link Link--primary">Brain &amp; Nerve</a>
                                    </li><li class="Linklist__Item">
                                      <a href="/collections/cardiovascular" class="Text--subdued Link Link--primary">Cardiovascular</a>
                                    </li><li class="Linklist__Item">
                                      <a href="/collections/detoxification" class="Text--subdued Link Link--primary">Detoxification</a>
                                    </li><li class="Linklist__Item">
                                      <a href="/collections/energy" class="Text--subdued Link Link--primary">Energy</a>
                                    </li><li class="Linklist__Item">
                                      <a href="/collections/eyes" class="Text--subdued Link Link--primary">Eye Health</a>
                                    </li></ul>
                              </div>
                            </div></div><div class="Collapsible"><button class="Collapsible__Button Heading Text--subdued Link--primary u-h7" data-action="toggle-collapsible" aria-expanded="false">COLLECTIONS<span class="Collapsible__Plus"></span>
                            </button>

                            <div class="Collapsible__Inner">
                              <div class="Collapsible__Content">
                                <ul class="Linklist Linklist--bordered Linklist--spacingLoose"><li class="Linklist__Item">
                                      <a href="/collections/gut-health" class="Text--subdued Link Link--primary">Gut Health</a>
                                    </li><li class="Linklist__Item">
                                      <a href="/collections/hair" class="Text--subdued Link Link--primary">Hair Mineral Analysis</a>
                                    </li><li class="Linklist__Item">
                                      <a href="/collections/immune" class="Text--subdued Link Link--primary">Immune</a>
                                    </li><li class="Linklist__Item">
                                      <a href="/collections/sleep" class="Text--subdued Link Link--primary">Sleep</a>
                                    </li><li class="Linklist__Item">
                                      <a href="/collections/sports-performance" class="Text--subdued Link Link--primary">Sports Performance</a>
                                    </li><li class="Linklist__Item">
                                      <a href="/collections/stress" class="Text--subdued Link Link--primary">Stress</a>
                                    </li><li class="Linklist__Item">
                                      <a href="/collections/50-off-supplement-steals" class="Text--subdued Link Link--primary">Supplement Steals </a>
                                    </li><li class="Linklist__Item">
                                      <a href="/collections/vitamins-minerals" class="Text--subdued Link Link--primary">Vitamins &amp; Minerals</a>
                                    </li></ul>
                              </div>
                            </div></div></div>
                  </div></div><div class="Collapsible"><a href="/blogs/news" class="Collapsible__Button Heading Link Link--primary u-h6">Learn</a></div><div class="Collapsible"><button class="Collapsible__Button Heading u-h6" data-action="toggle-collapsible" aria-expanded="false">About<span class="Collapsible__Plus"></span>
                  </button>

                  <div class="Collapsible__Inner">
                    <div class="Collapsible__Content"><div class="Collapsible"><button class="Collapsible__Button Heading Text--subdued Link--primary u-h7" data-action="toggle-collapsible" aria-expanded="false">DISCOVER<span class="Collapsible__Plus"></span>
                            </button>

                            <div class="Collapsible__Inner">
                              <div class="Collapsible__Content">
                                <ul class="Linklist Linklist--bordered Linklist--spacingLoose"><li class="Linklist__Item">
                                      <a href="/pages/about" class="Text--subdued Link Link--primary">Who We Are</a>
                                    </li><li class="Linklist__Item">
                                      <a href="/pages/contact" class="Text--subdued Link Link--primary">Contact Us</a>
                                    </li></ul>
                              </div>
                            </div></div></div>
                  </div></div></nav><nav class="SidebarMenu__Nav SidebarMenu__Nav--secondary">
            <ul class="Linklist Linklist--spacingLoose"><li class="Linklist__Item">
                  <a href="/account" class="Text--subdued Link Link--primary">Account</a>
                </li></ul>
          </nav>
        </div>
      </div><aside class="Drawer__Footer" data-drawer-animated-bottom><ul class="SidebarMenu__Social HorizontalList HorizontalList--spacingFill">
    <li class="HorizontalList__Item">
      <a href="https://www.instagram.com/healthy.goods/" class="Link Link--primary" target="_blank" rel="noopener" aria-label="Instagram">
        <span class="Icon-Wrapper--clickable"><svg class="Icon Icon--instagram " role="presentation" viewBox="0 0 32 32">
      <path d="M15.994 2.886c4.273 0 4.775.019 6.464.095 1.562.07 2.406.33 2.971.552.749.292 1.283.635 1.841 1.194s.908 1.092 1.194 1.841c.216.565.483 1.41.552 2.971.076 1.689.095 2.19.095 6.464s-.019 4.775-.095 6.464c-.07 1.562-.33 2.406-.552 2.971-.292.749-.635 1.283-1.194 1.841s-1.092.908-1.841 1.194c-.565.216-1.41.483-2.971.552-1.689.076-2.19.095-6.464.095s-4.775-.019-6.464-.095c-1.562-.07-2.406-.33-2.971-.552-.749-.292-1.283-.635-1.841-1.194s-.908-1.092-1.194-1.841c-.216-.565-.483-1.41-.552-2.971-.076-1.689-.095-2.19-.095-6.464s.019-4.775.095-6.464c.07-1.562.33-2.406.552-2.971.292-.749.635-1.283 1.194-1.841s1.092-.908 1.841-1.194c.565-.216 1.41-.483 2.971-.552 1.689-.083 2.19-.095 6.464-.095zm0-2.883c-4.343 0-4.889.019-6.597.095-1.702.076-2.864.349-3.879.743-1.054.406-1.943.959-2.832 1.848S1.251 4.473.838 5.521C.444 6.537.171 7.699.095 9.407.019 11.109 0 11.655 0 15.997s.019 4.889.095 6.597c.076 1.702.349 2.864.743 3.886.406 1.054.959 1.943 1.848 2.832s1.784 1.435 2.832 1.848c1.016.394 2.178.667 3.886.743s2.248.095 6.597.095 4.889-.019 6.597-.095c1.702-.076 2.864-.349 3.886-.743 1.054-.406 1.943-.959 2.832-1.848s1.435-1.784 1.848-2.832c.394-1.016.667-2.178.743-3.886s.095-2.248.095-6.597-.019-4.889-.095-6.597c-.076-1.702-.349-2.864-.743-3.886-.406-1.054-.959-1.943-1.848-2.832S27.532 1.247 26.484.834C25.468.44 24.306.167 22.598.091c-1.714-.07-2.26-.089-6.603-.089zm0 7.778c-4.533 0-8.216 3.676-8.216 8.216s3.683 8.216 8.216 8.216 8.216-3.683 8.216-8.216-3.683-8.216-8.216-8.216zm0 13.549c-2.946 0-5.333-2.387-5.333-5.333s2.387-5.333 5.333-5.333 5.333 2.387 5.333 5.333-2.387 5.333-5.333 5.333zM26.451 7.457c0 1.059-.858 1.917-1.917 1.917s-1.917-.858-1.917-1.917c0-1.059.858-1.917 1.917-1.917s1.917.858 1.917 1.917z"></path>
    </svg></span>
      </a>
    </li>

    

  </ul>

</aside></div>
</section>

</div>
<div id="sidebar-cart" class="Drawer Drawer--fromRight" aria-hidden="true" data-section-id="cart" data-section-type="cart" data-section-settings='{
  "type": "drawer",
  "itemCount": 0,
  "drawer": true,
  "hasShippingEstimator": false
}'>
  <div class="Drawer__Header Drawer__Header--bordered Drawer__Container">
      <span class="Drawer__Title Heading u-h4">Cart</span>

      <button class="Drawer__Close Icon-Wrapper--clickable" data-action="close-drawer" data-drawer-id="sidebar-cart" aria-label="Close cart"><svg class="Icon Icon--close " role="presentation" viewBox="0 0 16 14">
      <path d="M15 0L1 14m14 0L1 0" stroke="currentColor" fill="none" fill-rule="evenodd"></path>
    </svg></button>
  </div>

  <form class="Cart Drawer__Content" action="/cart" method="POST" novalidate>
    <div class="Drawer__Main" data-scrollable><div class="Cart__ShippingNotice Text--subdued">
          <div class="Drawer__Container"><p>Spend <span>$50.00</span> more and get free shipping!</p></div>
        </div><p class="Cart__Empty Heading u-h5">Your cart is empty</p></div></form>
</div>
<div class="PageContainer">
      <div id="shopify-section-announcement" class="shopify-section"><section id="section-announcement" data-section-id="announcement" data-section-type="announcement-bar">
      <div class="AnnouncementBar">
        <div class="AnnouncementBar__Wrapper">
          <p class="AnnouncementBar__Content Heading"><a href="/collections/all">Free Shipping On All Orders Over $49.</a></p>
        </div>
      </div>
    </section>

    <style>
      #section-announcement {
        background: #1f3321;
        color: #ffffff;
      }
    </style>

    <script>
      document.documentElement.style.setProperty('--announcement-bar-height', document.getElementById('shopify-section-announcement').offsetHeight + 'px');
    </script></div>
      <div id="shopify-section-header" class="shopify-section shopify-section--header"><div id="Search" class="Search" aria-hidden="true">
  <div class="Search__Inner">
    <div class="Search__SearchBar">
      <form action="/search" name="GET" role="search" class="Search__Form">
        <div class="Search__InputIconWrapper">
          <span class="hidden-tablet-and-up"><svg class="Icon Icon--search " role="presentation" viewBox="0 0 18 17">
      <g transform="translate(1 1)" stroke="currentColor" fill="none" fill-rule="evenodd" stroke-linecap="square">
        <path d="M16 16l-5.0752-5.0752"></path>
        <circle cx="6.4" cy="6.4" r="6.4"></circle>
      </g>
    </svg></span>
          <span class="hidden-phone"><svg class="Icon Icon--search-desktop " role="presentation" viewBox="0 0 21 21">
      <g transform="translate(1 1)" stroke="currentColor" stroke-width="2" fill="none" fill-rule="evenodd" stroke-linecap="square">
        <path d="M18 18l-5.7096-5.7096"></path>
        <circle cx="7.2" cy="7.2" r="7.2"></circle>
      </g>
    </svg></span>
        </div>

        <input type="search" class="Search__Input Heading" name="q" autocomplete="off" autocorrect="off" autocapitalize="off" aria-label="Search..." placeholder="Search..." autofocus>
        <input type="hidden" name="type" value="product">
        <input type="hidden" name="options[prefix]" value="last">
      </form>

      <button class="Search__Close Link Link--primary" data-action="close-search" aria-label="Close search"><svg class="Icon Icon--close " role="presentation" viewBox="0 0 16 14">
      <path d="M15 0L1 14m14 0L1 0" stroke="currentColor" fill="none" fill-rule="evenodd"></path>
    </svg></button>
    </div>

    <div class="Search__Results" aria-hidden="true"><div class="PageLayout PageLayout--breakLap">
          <div class="PageLayout__Section"></div>
          <div class="PageLayout__Section PageLayout__Section--secondary"></div>
        </div></div>
  </div>
</div><header id="section-header"
        class="Header Header--logoLeft  Header--transparent Header--withIcons"
        data-section-id="header"
        data-section-type="header"
        data-section-settings='{
  "navigationStyle": "logoLeft",
  "hasTransparentHeader": true,
  "isSticky": true
}'
        role="banner">
  <div class="Header__Wrapper">
    <div class="Header__FlexItem Header__FlexItem--fill">
      <button class="Header__Icon Icon-Wrapper Icon-Wrapper--clickable hidden-desk" aria-expanded="false" data-action="open-drawer" data-drawer-id="sidebar-menu" aria-label="Open navigation">
        <span class="hidden-tablet-and-up"><svg class="Icon Icon--nav " role="presentation" viewBox="0 0 20 14">
      <path d="M0 14v-1h20v1H0zm0-7.5h20v1H0v-1zM0 0h20v1H0V0z" fill="currentColor"></path>
    </svg></span>
        <span class="hidden-phone"><svg class="Icon Icon--nav-desktop " role="presentation" viewBox="0 0 24 16">
      <path d="M0 15.985v-2h24v2H0zm0-9h24v2H0v-2zm0-7h24v2H0v-2z" fill="currentColor"></path>
    </svg></span>
      </button><nav class="Header__MainNav hidden-pocket hidden-lap" aria-label="Main navigation">
          <ul class="HorizontalList HorizontalList--spacingExtraLoose"><li class="HorizontalList__Item " aria-haspopup="true">
                <a href="/collections/all" class="Heading u-h6">Shop<span class="Header__LinkSpacer">Shop</span></a><div class="MegaMenu  " aria-hidden="true" >
                      <div class="MegaMenu__Inner"><div class="MegaMenu__Item MegaMenu__Item--fit">
                            <a href="/collections" class="MegaMenu__Title Heading Text--subdued u-h7">COLLECTIONS</a><ul class="Linklist"><li class="Linklist__Item">
                                    <a href="/collections" class="Link Link--secondary">All Collections</a>
                                  </li><li class="Linklist__Item">
                                    <a href="/collections/adrenal-thyroid" class="Link Link--secondary">Adrenal &amp; Thyroid</a>
                                  </li><li class="Linklist__Item">
                                    <a href="/collections/amino-acids" class="Link Link--secondary">Amino Acids</a>
                                  </li><li class="Linklist__Item">
                                    <a href="/collections/blood-sugar-support" class="Link Link--secondary">Blood Sugar</a>
                                  </li><li class="Linklist__Item">
                                    <a href="/collections/bone-and-joint" class="Link Link--secondary">Bone and Joint</a>
                                  </li><li class="Linklist__Item">
                                    <a href="/collections/brain-nerve" class="Link Link--secondary">Brain &amp; Nerve</a>
                                  </li><li class="Linklist__Item">
                                    <a href="/collections/cardiovascular" class="Link Link--secondary">Cardiovascular</a>
                                  </li><li class="Linklist__Item">
                                    <a href="/collections/detoxification" class="Link Link--secondary">Detoxification</a>
                                  </li><li class="Linklist__Item">
                                    <a href="/collections/energy" class="Link Link--secondary">Energy</a>
                                  </li><li class="Linklist__Item">
                                    <a href="/collections/eyes" class="Link Link--secondary">Eye Health</a>
                                  </li></ul></div><div class="MegaMenu__Item MegaMenu__Item--fit">
                            <a href="/collections" class="MegaMenu__Title Heading Text--subdued u-h7">COLLECTIONS</a><ul class="Linklist"><li class="Linklist__Item">
                                    <a href="/collections/gut-health" class="Link Link--secondary">Gut Health</a>
                                  </li><li class="Linklist__Item">
                                    <a href="/collections/hair" class="Link Link--secondary">Hair Mineral Analysis</a>
                                  </li><li class="Linklist__Item">
                                    <a href="/collections/immune" class="Link Link--secondary">Immune</a>
                                  </li><li class="Linklist__Item">
                                    <a href="/collections/sleep" class="Link Link--secondary">Sleep</a>
                                  </li><li class="Linklist__Item">
                                    <a href="/collections/sports-performance" class="Link Link--secondary">Sports Performance</a>
                                  </li><li class="Linklist__Item">
                                    <a href="/collections/stress" class="Link Link--secondary">Stress</a>
                                  </li><li class="Linklist__Item">
                                    <a href="/collections/50-off-supplement-steals" class="Link Link--secondary">Supplement Steals </a>
                                  </li><li class="Linklist__Item">
                                    <a href="/collections/vitamins-minerals" class="Link Link--secondary">Vitamins &amp; Minerals</a>
                                  </li></ul></div><div class="MegaMenu__Item" style="width: 660px; min-width: 425px;"><div class="MegaMenu__Push MegaMenu__Push--shrink"><a class="MegaMenu__PushLink" href="/products/physio-flex-maxx"><div class="MegaMenu__PushImageWrapper AspectRatio" style="background: url(//www.healthygoods.com/cdn/shop/files/healthy-goods-physio-flex-maxx_1x1.jpg?v=1762641419); max-width: 370px; --aspect-ratio: 1.0204081632653061">
                                  <img class="Image--lazyLoad Image--fadeIn"
                                       data-src="//www.healthygoods.com/cdn/shop/files/healthy-goods-physio-flex-maxx_370x230@2x.jpg?v=1762641419"
                                       alt="">

                                  <span class="Image__Loader"></span>
                                </div><p class="MegaMenu__PushHeading Heading u-h6">Physio-Flexx Maxx</p><p class="MegaMenu__PushSubHeading Heading Text--subdued u-h7">BEST SELLER</p></a></div><div class="MegaMenu__Push MegaMenu__Push--shrink"><a class="MegaMenu__PushLink" href="/products/glycophagen-gi-wellness"><div class="MegaMenu__PushImageWrapper AspectRatio" style="background: url(//www.healthygoods.com/cdn/shop/files/healthy-goods-glycophage-gi-wellness_1x1.jpg?v=1689607653); max-width: 370px; --aspect-ratio: 1.0204081632653061">
                                  <img class="Image--lazyLoad Image--fadeIn"
                                       data-src="//www.healthygoods.com/cdn/shop/files/healthy-goods-glycophage-gi-wellness_370x230@2x.jpg?v=1689607653"
                                       alt="">

                                  <span class="Image__Loader"></span>
                                </div><p class="MegaMenu__PushHeading Heading u-h6">Glycophagen GI Wellness</p><p class="MegaMenu__PushSubHeading Heading Text--subdued u-h7">BEST-SELLER</p></a></div></div></div>
                    </div></li><li class="HorizontalList__Item " >
                <a href="/blogs/news" class="Heading u-h6">Learn<span class="Header__LinkSpacer">Learn</span></a></li><li class="HorizontalList__Item " aria-haspopup="true">
                <a href="/pages/about" class="Heading u-h6">About<span class="Header__LinkSpacer">About</span></a><div class="MegaMenu MegaMenu--spacingEvenly " aria-hidden="true" >
                      <div class="MegaMenu__Inner"><div class="MegaMenu__Item MegaMenu__Item--fit">
                            <a href="/pages/about" class="MegaMenu__Title Heading Text--subdued u-h7">DISCOVER</a><ul class="Linklist"><li class="Linklist__Item">
                                    <a href="/pages/about" class="Link Link--secondary">Who We Are</a>
                                  </li><li class="Linklist__Item">
                                    <a href="/pages/contact" class="Link Link--secondary">Contact Us</a>
                                  </li></ul></div><div class="MegaMenu__Item" style="width: 370px; min-width: 250px;"><div class="MegaMenu__Push "><div class="MegaMenu__PushImageWrapper AspectRatio" style="background: url(//www.healthygoods.com/cdn/shop/files/IMG_0345_1x1.jpg?v=1689873993); max-width: 370px; --aspect-ratio: 1.5003663003663004">
                                  <img class="Image--lazyLoad Image--fadeIn"
                                       data-src="//www.healthygoods.com/cdn/shop/files/IMG_0345_370x230@2x.jpg?v=1689873993"
                                       alt="">

                                  <span class="Image__Loader"></span>
                                </div></div></div></div>
                    </div></li></ul>
        </nav></div><div class="Header__FlexItem Header__FlexItem--logo"><h1 class="Header__Logo"><a href="/" class="Header__LogoLink"><img class="Header__LogoImage Header__LogoImage--primary"
               src="//www.healthygoods.com/cdn/shop/files/hgvectorlogo_225x.png?v=1721845670"
               srcset="//www.healthygoods.com/cdn/shop/files/hgvectorlogo_225x.png?v=1721845670 1x, //www.healthygoods.com/cdn/shop/files/hgvectorlogo_225x@2x.png?v=1721845670 2x"
               width="1239"
               height="581"
               alt="Healthy Goods"><img class="Header__LogoImage Header__LogoImage--transparent"
                 src="//www.healthygoods.com/cdn/shop/files/HealthyGoods_Logo_website_2023-02_bb71650e-86a8-430d-b2cd-bdc64be16824_225x.png?v=1689801421"
                 srcset="//www.healthygoods.com/cdn/shop/files/HealthyGoods_Logo_website_2023-02_bb71650e-86a8-430d-b2cd-bdc64be16824_225x.png?v=1689801421 1x, //www.healthygoods.com/cdn/shop/files/HealthyGoods_Logo_website_2023-02_bb71650e-86a8-430d-b2cd-bdc64be16824_225x@2x.png?v=1689801421 2x"
                 width="1239"
                 height="581"
                 alt="Healthy Goods"></a></h1></div>

    <div class="Header__FlexItem Header__FlexItem--fill"><a href="/account" class="Header__Icon Icon-Wrapper Icon-Wrapper--clickable hidden-phone"><svg class="Icon Icon--account " role="presentation" viewBox="0 0 20 20">
      <g transform="translate(1 1)" stroke="currentColor" stroke-width="2" fill="none" fill-rule="evenodd" stroke-linecap="square">
        <path d="M0 18c0-4.5188182 3.663-8.18181818 8.18181818-8.18181818h1.63636364C14.337 9.81818182 18 13.4811818 18 18"></path>
        <circle cx="9" cy="4.90909091" r="4.90909091"></circle>
      </g>
    </svg></a><a href="/search" class="Header__Icon Icon-Wrapper Icon-Wrapper--clickable " data-action="toggle-search" aria-label="Search">
        <span class="hidden-tablet-and-up"><svg class="Icon Icon--search " role="presentation" viewBox="0 0 18 17">
      <g transform="translate(1 1)" stroke="currentColor" fill="none" fill-rule="evenodd" stroke-linecap="square">
        <path d="M16 16l-5.0752-5.0752"></path>
        <circle cx="6.4" cy="6.4" r="6.4"></circle>
      </g>
    </svg></span>
        <span class="hidden-phone"><svg class="Icon Icon--search-desktop " role="presentation" viewBox="0 0 21 21">
      <g transform="translate(1 1)" stroke="currentColor" stroke-width="2" fill="none" fill-rule="evenodd" stroke-linecap="square">
        <path d="M18 18l-5.7096-5.7096"></path>
        <circle cx="7.2" cy="7.2" r="7.2"></circle>
      </g>
    </svg></span>
      </a>

      <a href="/cart" class="Header__Icon Icon-Wrapper Icon-Wrapper--clickable " data-action="open-drawer" data-drawer-id="sidebar-cart" aria-expanded="false" aria-label="Open cart">
        <span class="hidden-tablet-and-up"><svg class="Icon Icon--cart " role="presentation" viewBox="0 0 17 20">
      <path d="M0 20V4.995l1 .006v.015l4-.002V4c0-2.484 1.274-4 3.5-4C10.518 0 12 1.48 12 4v1.012l5-.003v.985H1V19h15V6.005h1V20H0zM11 4.49C11 2.267 10.507 1 8.5 1 6.5 1 6 2.27 6 4.49V5l5-.002V4.49z" fill="currentColor"></path>
    </svg></span>
        <span class="hidden-phone"><svg class="Icon Icon--cart-desktop " role="presentation" viewBox="0 0 19 23">
      <path d="M0 22.985V5.995L2 6v.03l17-.014v16.968H0zm17-15H2v13h15v-13zm-5-2.882c0-2.04-.493-3.203-2.5-3.203-2 0-2.5 1.164-2.5 3.203v.912H5V4.647C5 1.19 7.274 0 9.5 0 11.517 0 14 1.354 14 4.647v1.368h-2v-.912z" fill="currentColor"></path>
    </svg></span>
        <span class="Header__CartDot "></span>
      </a>
    </div>
  </div>


</header>

<style>:root {
      --use-sticky-header: 1;
      --use-unsticky-header: 0;
    }

    .shopify-section--header {
      position: -webkit-sticky;
      position: sticky;
    }.Header__LogoImage {
      max-width: 225px;
    }

    @media screen and (max-width: 640px) {
      .Header__LogoImage {
        max-width: 90px;
      }
    }:root {
      --header-is-not-transparent: 0;
      --header-is-transparent: 1;
    }

    .shopify-section--header {
      margin-bottom: calc(-1 * var(--header-height));
    }

    .supports-sticky .Search[aria-hidden="true"] + .Header--transparent {box-shadow: none;color: #ffffff;
    }</style>

<script>
  document.documentElement.style.setProperty('--header-height', document.getElementById('shopify-section-header').offsetHeight + 'px');
</script>

</div>

      <main id="main" role="main">
        <div id="shopify-section-template--15882701701207__1754940542e2191f4a" class="shopify-section">

</div><div id="shopify-section-template--15882701701207__slideshow" class="shopify-section shopify-section--slideshow"><section id="section-template--15882701701207__slideshow" data-section-id="template--15882701701207__slideshow" data-section-type="slideshow">
  <div class="Slideshow Slideshow--fullscreen">
    <div class="Slideshow__Carousel  Carousel Carousel--fadeIn Carousel--fixed Carousel--insideDots"
         data-flickity-config='{
  "prevNextButtons": false,
  "setGallerySize": false,
  "adaptiveHeight": false,
  "wrapAround": true,
  "dragThreshold": 15,
  "pauseAutoPlayOnHover": false,
  "autoPlay": 5000,
  "pageDots": false
}'><div id="Slideb8a1de6b-a7f7-4518-93f6-9fb02cfcec3e" class="Slideshow__Slide Carousel__Cell is-selected" style="visibility: visible" data-slide-index="0" ><div class="Slideshow__ImageContainer Image--contrast  hidden-tablet-and-up"
                 style=" background-image: url(//www.healthygoods.com/cdn/shop/files/hgds-2026-herov4_025b856a-f2f4-4052-bb2c-2e8dcc2e1904_1x1.jpg?v=1774550628)">
                <img class="Slideshow__Image Image--lazyLoad"
                     src="//www.healthygoods.com/cdn/shop/files/hgds-2026-herov4_025b856a-f2f4-4052-bb2c-2e8dcc2e1904_1x1.jpg?v=1774550628"
                     data-src="//www.healthygoods.com/cdn/shop/files/hgds-2026-herov4_025b856a-f2f4-4052-bb2c-2e8dcc2e1904_x800.jpg?v=1774550628"
                     alt="">

                <noscript>
                  <img class="Slideshow__Image" src="//www.healthygoods.com/cdn/shop/files/hgds-2026-herov4_025b856a-f2f4-4052-bb2c-2e8dcc2e1904_x800.jpg?v=1774550628" alt="">
                </noscript>
            </div><div class="Slideshow__ImageContainer Image--contrast  hidden-phone"
                 style=" background-image: url(//www.healthygoods.com/cdn/shop/files/hgds-2026-herov4_025b856a-f2f4-4052-bb2c-2e8dcc2e1904_1x1.jpg?v=1774550628)">
              

              <img class="Slideshow__Image Image--lazyLoad hide-no-js"
                   data-src="//www.healthygoods.com/cdn/shop/files/hgds-2026-herov4_025b856a-f2f4-4052-bb2c-2e8dcc2e1904_{width}x.jpg?v=1774550628"
                   data-optimumx="1.2"
                   data-widths="[400, 600, 800, 1000, 1200, 1400, 1600, 1800, 2000, 2200]"
                   data-sizes="auto"
                   alt="">

              <noscript>
                <img class="Slideshow__Image" src="//www.healthygoods.com/cdn/shop/files/hgds-2026-herov4_025b856a-f2f4-4052-bb2c-2e8dcc2e1904_1000x.jpg?v=1774550628" alt="">
              </noscript>
            </div><div class="Slideshow__Content Slideshow__Content--middleRight">
              <header class="SectionHeader">
                <h3 class="SectionHeader__SubHeading Heading u-h6">Root-cause support</h3><h2 class="SectionHeader__Heading SectionHeader__Heading--emphasize Heading u-h1">Feel Good Again. On Your Terms.</h2><div class="SectionHeader__ButtonWrapper">
                <div class="ButtonGroup ButtonGroup--spacingSmall "><a href="/collections" class="ButtonGroup__Item Button">Find your formula</a></div>
              </div>
              </header>
            </div></div></div></div>

  <span id="section-template--15882701701207__slideshow-end" class="Anchor"></span>
</section>

<style>
  #section-template--15882701701207__slideshow .Heading,
   #section-template--15882701701207__slideshow .flickity-page-dots {
    color: #ffffff;
  }

  #section-template--15882701701207__slideshow .Button {
    color: #363636;
    border-color: #ffffff;
  }

  #section-template--15882701701207__slideshow .Button::before {
    background-color: #ffffff;
  }</style>

</div><div id="shopify-section-template--15882701701207__slideshow_A8cBbV" class="shopify-section shopify-section--slideshow"><section id="section-template--15882701701207__slideshow_A8cBbV" data-section-id="template--15882701701207__slideshow_A8cBbV" data-section-type="slideshow">
  <div class="Slideshow ">
    <div class="Slideshow__Carousel  Carousel Carousel--fadeIn  Carousel--insideDots"
         data-flickity-config='{
  "prevNextButtons": false,
  "setGallerySize": true,
  "adaptiveHeight": true,
  "wrapAround": true,
  "dragThreshold": 15,
  "pauseAutoPlayOnHover": false,
  "autoPlay": false,
  "pageDots": false
}'></div></div>

  <span id="section-template--15882701701207__slideshow_A8cBbV-end" class="Anchor"></span>
</section>

<style>
  #section-template--15882701701207__slideshow_A8cBbV .Heading,
   #section-template--15882701701207__slideshow_A8cBbV .flickity-page-dots {
    color: #ffffff;
  }

  #section-template--15882701701207__slideshow_A8cBbV .Button {
    color: #ffffff;
    border-color: #7a3407;
  }

  #section-template--15882701701207__slideshow_A8cBbV .Button::before {
    background-color: #7a3407;
  }</style>

</div><div id="shopify-section-template--15882701701207__custom_liquid_mj3geK" class="shopify-section shopify-section--bordered"><section class="Section Section--spacingNormal" id="section-template--15882701701207__custom_liquid_mj3geK">
  <div class="Container"><div class="Liquid">
      <section class="quiz-banner"> <div class="quiz-content"> <div class="quiz-text"> <div class="quiz-icon">✓</div> <h2>Personalized Recommendations</h2> <p> Take our short quiz to find your unique health focus and discover the ideal supplements for your wellness goals. </p> </div> <!-- CTA BUTTON → QUIZ PAGE --> <a href="/pages/personalized-quiz-recommendations" class="quiz-button"> TAKE QUIZ </a> </div> </section> <style> .quiz-banner { background: #1c120f; padding: 60px 40px; } .quiz-content { max-width: 1200px; margin: auto; display: flex; justify-content: space-between; align-items: center; gap: 40px; } .quiz-text h2 { color: #fff; font-size: 36px; margin-bottom: 12px; } .quiz-text p { color: #d6d1cc; max-width: 520px; font-size: 18px; } .quiz-button { background: #ffffff; color: #0a3b2e; border: none; padding: 16px 36px; font-size: 16px; font-weight: 600; letter-spacing: 1px; cursor: pointer; text-decoration: none; display: inline-block; } .quiz-button:hover { opacity: 0.9; } @media (max-width: 768px) { .quiz-content { flex-direction: column; text-align: center; } } </style>
    </div>
  </div>
</section>

</div><div id="shopify-section-template--15882701701207__featured-collections" class="shopify-section shopify-section--bordered"><section class="Section Section--spacingNormal" data-section-id="template--15882701701207__featured-collections" data-section-type="featured-collections" data-settings='{
  "layout": "carousel"
}'>
  <header class="SectionHeader SectionHeader--center">
    <div class="Container"><h3 class="SectionHeader__SubHeading Heading u-h6">Shop our best-selling collections</h3><div class="SectionHeader__TabList TabList" role="tablist"><button class="Heading u-h1 TabList__Item is-active" data-action="toggle-tab" aria-controls="block-featured-collection-0" aria-selected="true" role="tab">GUT HEALTH</button><button class="Heading u-h1 TabList__Item " data-action="toggle-tab" aria-controls="block-d84af6fc-45bc-4438-bb92-9ee8e047eff5" aria-selected="false" role="tab">IMMUNE</button></div></div>
  </header><div class="TabPanel" id="block-featured-collection-0" aria-hidden="false" role="tabpanel" >
      <div class="ProductListWrapper"><div class="ProductList ProductList--carousel Carousel" data-flickity-config='{
    "prevNextButtons": true,
    "pageDots": false,
    "wrapAround": false,
    "contain": true,
    "cellAlign": "center",
    "watchCSS": true,
    "dragThreshold": 8,
    "groupCells": true,
    "arrowShape": {"x0": 20, "x1": 60, "y1": 40, "x2": 60, "y2": 35, "x3": 25}
  }'><div class="Carousel__Cell"><div class="ProductItem ">
  <div class="ProductItem__Wrapper"><a href="/products/oligo-supreme" class="ProductItem__ImageWrapper "><div class="AspectRatio AspectRatio--withFallback" style="max-width: 4000px; padding-bottom: 100.0%; --aspect-ratio: 1.0"><img class="ProductItem__Image Image--lazyLoad Image--fadeIn" data-src="//www.healthygoods.com/cdn/shop/files/hgds_2026_oligo_supreme_{width}x.png?v=1774546487" data-widths="[200,400,600,700,800,900,1000,1200]" data-sizes="auto" alt="Oligo-Supreme: Potent Prebiotic + Probiotic Formula" data-media-id="26692881743959">
        <span class="Image__Loader"></span>

        <noscript>
          <img class="ProductItem__Image ProductItem__Image--alternate" src="//www.healthygoods.com/cdn/shop/files/healthy-goods-oligo-supreme-supp-facts_600x.jpg?v=1774546487" alt="healthy-goods-oligo-supreme-supp-facts">
          <img class="ProductItem__Image" src="//www.healthygoods.com/cdn/shop/files/hgds_2026_oligo_supreme_600x.png?v=1774546487" alt="Oligo-Supreme: Potent Prebiotic + Probiotic Formula">
        </noscript>
      </div>
    </a><div class="ProductItem__Info ProductItem__Info--center"><h2 class="ProductItem__Title Heading">
          <a href="/products/oligo-supreme">Oligo-Supreme: Potent Prebiotic + Probiotic Formula</a>
        </h2><div class="ProductItem__PriceList ProductItem__PriceList--showOnHover Heading"><span class="ProductItem__Price Price Text--subdued">$24.95</span></div></div></div></div></div><div class="Carousel__Cell"><div class="ProductItem ">
  <div class="ProductItem__Wrapper"><a href="/products/glycophagen-gi-wellness" class="ProductItem__ImageWrapper "><div class="AspectRatio AspectRatio--withFallback" style="max-width: 4000px; padding-bottom: 100.0%; --aspect-ratio: 1.0"><img class="ProductItem__Image Image--lazyLoad Image--fadeIn" data-src="//www.healthygoods.com/cdn/shop/files/hgds_2026_glycophagen_{width}x.png?v=1774472305" data-widths="[200,400,600,700,800,900,1000,1200]" data-sizes="auto" alt="Glycophagen GI Wellness: Powerful Gut &amp; Immune Formula" data-media-id="26691338436695">
        <span class="Image__Loader"></span>

        <noscript>
          <img class="ProductItem__Image ProductItem__Image--alternate" src="//www.healthygoods.com/cdn/shop/files/healthy-goods-glycophage-gi-wellness-supp-facts_600x.png?v=1774472305" alt="Glycophagen GI Wellness: Powerful Gut &amp; Immune Formula">
          <img class="ProductItem__Image" src="//www.healthygoods.com/cdn/shop/files/hgds_2026_glycophagen_600x.png?v=1774472305" alt="Glycophagen GI Wellness: Powerful Gut &amp; Immune Formula">
        </noscript>
      </div>
    </a><div class="ProductItem__Info ProductItem__Info--center"><h2 class="ProductItem__Title Heading">
          <a href="/products/glycophagen-gi-wellness">Glycophagen GI Wellness: Powerful Gut & Immune Formula</a>
        </h2><div class="ProductItem__PriceList ProductItem__PriceList--showOnHover Heading"><span class="ProductItem__Price Price Text--subdued">$79.95</span></div></div></div></div></div><div class="Carousel__Cell"><div class="ProductItem ">
  <div class="ProductItem__Wrapper"><a href="/products/nutri-flow" class="ProductItem__ImageWrapper "><div class="AspectRatio AspectRatio--withFallback" style="max-width: 4000px; padding-bottom: 100.0%; --aspect-ratio: 1.0"><img class="ProductItem__Image Image--lazyLoad Image--fadeIn" data-src="//www.healthygoods.com/cdn/shop/files/hgds_2026_nutri_flow_{width}x.png?v=1774546294" data-widths="[200,400,600,700,800,900,1000,1200]" data-sizes="auto" alt="Nutri-Flow: Ultimate Cardiovascular Support Formula" data-media-id="26692878270551">
        <span class="Image__Loader"></span>

        <noscript>
          <img class="ProductItem__Image ProductItem__Image--alternate" src="//www.healthygoods.com/cdn/shop/files/healthy-goods-nutri-flow-supp-facts_600x.jpg?v=1774546294" alt="healthy-goods-nutri-flow-supp-facts">
          <img class="ProductItem__Image" src="//www.healthygoods.com/cdn/shop/files/hgds_2026_nutri_flow_600x.png?v=1774546294" alt="Nutri-Flow: Ultimate Cardiovascular Support Formula">
        </noscript>
      </div>
    </a><div class="ProductItem__LabelList">
          <span class="ProductItem__Label ProductItem__Label--soldOut Heading Text--subdued">Sold out</span>
        </div><div class="ProductItem__Info ProductItem__Info--center"><h2 class="ProductItem__Title Heading">
          <a href="/products/nutri-flow">Nutri-Flow: Ultimate Cardiovascular Support Formula</a>
        </h2><div class="ProductItem__PriceList ProductItem__PriceList--showOnHover Heading"><span class="ProductItem__Price Price Price--highlight Text--subdued">$29.95</span>
                <span class="ProductItem__Price Price Price--compareAt Text--subdued">$64.95</span></div></div></div></div></div><div class="Carousel__Cell"><div class="ProductItem ">
  <div class="ProductItem__Wrapper"><a href="/products/l-glutamine" class="ProductItem__ImageWrapper "><div class="AspectRatio AspectRatio--withFallback" style="max-width: 4000px; padding-bottom: 100.0%; --aspect-ratio: 1.0"><img class="ProductItem__Image Image--lazyLoad Image--fadeIn" data-src="//www.healthygoods.com/cdn/shop/files/hgds_2026_glutamine_{width}x.png?v=1774543032" data-widths="[200,400,600,700,800,900,1000,1200]" data-sizes="auto" alt="L-Glutamine: Powerful Support for the Gut, Brain, and Muscles" data-media-id="26692791894103">
        <span class="Image__Loader"></span>

        <noscript>
          <img class="ProductItem__Image ProductItem__Image--alternate" src="//www.healthygoods.com/cdn/shop/files/uckl-2024-HG-l-glutamine_600x.png?v=1774543032" alt="L-Glutamine: Powerful Support for the Gut, Brain, and Muscles">
          <img class="ProductItem__Image" src="//www.healthygoods.com/cdn/shop/files/hgds_2026_glutamine_600x.png?v=1774543032" alt="L-Glutamine: Powerful Support for the Gut, Brain, and Muscles">
        </noscript>
      </div>
    </a><div class="ProductItem__Info ProductItem__Info--center"><h2 class="ProductItem__Title Heading">
          <a href="/products/l-glutamine">L-Glutamine: Powerful Support for the Gut, Brain, and Muscles</a>
        </h2><div class="ProductItem__PriceList ProductItem__PriceList--showOnHover Heading"><span class="ProductItem__Price Price Text--subdued">$19.95</span></div></div></div></div></div></div></div><div class="Container">
          <div class="SectionFooter">
            <a href="/collections/gut-health" class="Button Button--primary">View all products</a>
          </div>
        </div></div><div class="TabPanel" id="block-d84af6fc-45bc-4438-bb92-9ee8e047eff5" aria-hidden="true" role="tabpanel" >
      <div class="ProductListWrapper"><div class="ProductList ProductList--carousel Carousel" data-flickity-config='{
    "prevNextButtons": true,
    "pageDots": false,
    "wrapAround": false,
    "contain": true,
    "cellAlign": "center",
    "watchCSS": true,
    "dragThreshold": 8,
    "groupCells": true,
    "arrowShape": {"x0": 20, "x1": 60, "y1": 40, "x2": 60, "y2": 35, "x3": 25}
  }'><div class="Carousel__Cell"><div class="ProductItem ">
  <div class="ProductItem__Wrapper"><a href="/products/d3-k2-180" class="ProductItem__ImageWrapper "><div class="AspectRatio AspectRatio--withFallback" style="max-width: 4000px; padding-bottom: 100.0%; --aspect-ratio: 1.0"><img class="ProductItem__Image Image--lazyLoad Image--fadeIn" data-src="//www.healthygoods.com/cdn/shop/files/hgds_2026_d3k2_60ct_{width}x.png?v=1774470142" data-widths="[200,400,600,700,800,900,1000,1200]" data-sizes="auto" alt="D3 + K2" data-media-id="26691033694295">
        <span class="Image__Loader"></span>

        <noscript>
          <img class="ProductItem__Image ProductItem__Image--alternate" src="//www.healthygoods.com/cdn/shop/files/healthy-goods-d3k2-180ct-supp-facts_600x.jpg?v=1774470142" alt="D3 + K2">
          <img class="ProductItem__Image" src="//www.healthygoods.com/cdn/shop/files/hgds_2026_d3k2_60ct_600x.png?v=1774470142" alt="D3 + K2">
        </noscript>
      </div>
    </a><div class="ProductItem__Info ProductItem__Info--center"><h2 class="ProductItem__Title Heading">
          <a href="/products/d3-k2-180">D3 + K2</a>
        </h2><div class="ProductItem__PriceList ProductItem__PriceList--showOnHover Heading"><span class="ProductItem__Price Price Text--subdued">From $10.95</span></div></div></div></div></div><div class="Carousel__Cell"><div class="ProductItem ">
  <div class="ProductItem__Wrapper"><a href="/products/immuno-zinc" class="ProductItem__ImageWrapper "><div class="AspectRatio AspectRatio--withFallback" style="max-width: 4000px; padding-bottom: 100.0%; --aspect-ratio: 1.0"><img class="ProductItem__Image Image--lazyLoad Image--fadeIn" data-src="//www.healthygoods.com/cdn/shop/files/hgds_2026_immuno_zinc_{width}x.png?v=1774965805" data-widths="[200,400,600,700,800,900,1000,1200]" data-sizes="auto" alt="ImmunoZinc with Quercetin: Synergetic Immune Formula" data-media-id="26692776296535">
        <span class="Image__Loader"></span>

        <noscript>
          <img class="ProductItem__Image ProductItem__Image--alternate" src="//www.healthygoods.com/cdn/shop/files/healthy-goods-immunozinc-supp-facts_600x.jpg?v=1774542488" alt="healthy-goods-immunozinc-supp-facts">
          <img class="ProductItem__Image" src="//www.healthygoods.com/cdn/shop/files/hgds_2026_immuno_zinc_600x.png?v=1774965805" alt="ImmunoZinc with Quercetin: Synergetic Immune Formula">
        </noscript>
      </div>
    </a><div class="ProductItem__LabelList">
          <span class="ProductItem__Label ProductItem__Label--onSale Heading Text--subdued">On sale</span>
        </div><div class="ProductItem__Info ProductItem__Info--center"><h2 class="ProductItem__Title Heading">
          <a href="/products/immuno-zinc">ImmunoZinc with Quercetin: Synergetic Immune Formula</a>
        </h2><div class="ProductItem__PriceList ProductItem__PriceList--showOnHover Heading"><span class="ProductItem__Price Price Price--highlight Text--subdued">$29.95</span>
                <span class="ProductItem__Price Price Price--compareAt Text--subdued">$34.95</span></div></div></div></div></div><div class="Carousel__Cell"><div class="ProductItem ">
  <div class="ProductItem__Wrapper"><a href="/products/glycophagen-gi-wellness" class="ProductItem__ImageWrapper "><div class="AspectRatio AspectRatio--withFallback" style="max-width: 4000px; padding-bottom: 100.0%; --aspect-ratio: 1.0"><img class="ProductItem__Image Image--lazyLoad Image--fadeIn" data-src="//www.healthygoods.com/cdn/shop/files/hgds_2026_glycophagen_{width}x.png?v=1774472305" data-widths="[200,400,600,700,800,900,1000,1200]" data-sizes="auto" alt="Glycophagen GI Wellness: Powerful Gut &amp; Immune Formula" data-media-id="26691338436695">
        <span class="Image__Loader"></span>

        <noscript>
          <img class="ProductItem__Image ProductItem__Image--alternate" src="//www.healthygoods.com/cdn/shop/files/healthy-goods-glycophage-gi-wellness-supp-facts_600x.png?v=1774472305" alt="Glycophagen GI Wellness: Powerful Gut &amp; Immune Formula">
          <img class="ProductItem__Image" src="//www.healthygoods.com/cdn/shop/files/hgds_2026_glycophagen_600x.png?v=1774472305" alt="Glycophagen GI Wellness: Powerful Gut &amp; Immune Formula">
        </noscript>
      </div>
    </a><div class="ProductItem__Info ProductItem__Info--center"><h2 class="ProductItem__Title Heading">
          <a href="/products/glycophagen-gi-wellness">Glycophagen GI Wellness: Powerful Gut & Immune Formula</a>
        </h2><div class="ProductItem__PriceList ProductItem__PriceList--showOnHover Heading"><span class="ProductItem__Price Price Text--subdued">$79.95</span></div></div></div></div></div><div class="Carousel__Cell"><div class="ProductItem ">
  <div class="ProductItem__Wrapper"><a href="/products/whey-protein-berrylean" class="ProductItem__ImageWrapper "><div class="AspectRatio AspectRatio--withFallback" style="max-width: 1000px; padding-bottom: 102.1%; --aspect-ratio: 0.9794319294809011"><img class="ProductItem__Image Image--lazyLoad Image--fadeIn" data-src="//www.healthygoods.com/cdn/shop/files/healthy-goods-berry-lean_{width}x.jpg?v=1762660191" data-widths="[200,400,600,700,800,900,1000]" data-sizes="auto" alt="Whey Protein BerryLean" data-media-id="22911209472087">
        <span class="Image__Loader"></span>

        <noscript>
          <img class="ProductItem__Image ProductItem__Image--alternate" src="//www.healthygoods.com/cdn/shop/files/healthy-goods-berry-lean-supp-facts_600x.png?v=1689607911" alt="Whey Protein BerryLean">
          <img class="ProductItem__Image" src="//www.healthygoods.com/cdn/shop/files/healthy-goods-berry-lean_600x.jpg?v=1762660191" alt="Whey Protein BerryLean">
        </noscript>
      </div>
    </a><div class="ProductItem__Info ProductItem__Info--center"><h2 class="ProductItem__Title Heading">
          <a href="/products/whey-protein-berrylean">Whey Protein BerryLean</a>
        </h2><div class="ProductItem__PriceList ProductItem__PriceList--showOnHover Heading"><span class="ProductItem__Price Price Text--subdued">$42.95</span></div></div></div></div></div></div></div><div class="Container">
          <div class="SectionFooter">
            <a href="/collections/immune" class="Button Button--primary">View all products</a>
          </div>
        </div></div></section></div><div id="shopify-section-template--15882701701207__collection-list" class="shopify-section"><section id="section-template--15882701701207__collection-list" data-section-id="template--15882701701207__collection-list" data-section-type="collection-list"><div class="CollectionList CollectionList--grid ">
      <a href="/collections/immune"  class="CollectionItem CollectionItem--expand Carousel__Cell " data-slide-index=""><div class="CollectionItem__Wrapper CollectionItem__Wrapper--small" style="background-image: url(//www.healthygoods.com/cdn/shop/files/healthy-goods-supplements-6_1x1.jpg?v=1688999025)">
    <div class="CollectionItem__ImageWrapper">
      <div class="CollectionItem__Image Image--contrast Image--lazyLoad Image--zoomOut hide-no-js"
           style="background-position: center center"
           data-optimumx="1.4"
           data-expand="-150"
           data-bgset="//www.healthygoods.com/cdn/shop/files/healthy-goods-supplements-6_750x960_crop_center.jpg?v=1688999025 750w, //www.healthygoods.com/cdn/shop/files/healthy-goods-supplements-6_1000x.jpg?v=1688999025 1000w, //www.healthygoods.com/cdn/shop/files/healthy-goods-supplements-6_1500x.jpg?v=1688999025 1500w"></div><noscript>
          <div class="CollectionItem__Image Image--contrast" style="background-position: center center; background-image: url(//www.healthygoods.com/cdn/shop/files/healthy-goods-supplements-6_1000x.jpg?v=1688999025)"></div>
        </noscript></div>

    <div class="CollectionItem__Content CollectionItem__Content--bottomLeft">
      <header class="SectionHeader"><h2 class="SectionHeader__Heading SectionHeader__Heading--emphasize Heading u-h1">IMMUNE</h2>

        <div class="SectionHeader__ButtonWrapper"><span class="CollectionItem__Link Button">SHOP</span></div>
      </header>
    </div>
  </div>
</a><a href="/collections/vitamins-minerals"  class="CollectionItem CollectionItem--expand Carousel__Cell " data-slide-index=""><div class="CollectionItem__Wrapper CollectionItem__Wrapper--small" style="background-image: url(//www.healthygoods.com/cdn/shop/files/27e3d9d1-f0e8-4a4c-b33e-75dc467e8014_1x1.png?v=1761059257)">
    <div class="CollectionItem__ImageWrapper">
      <div class="CollectionItem__Image Image--contrast Image--lazyLoad Image--zoomOut hide-no-js"
           style="background-position: top left"
           data-optimumx="1.4"
           data-expand="-150"
           data-bgset="//www.healthygoods.com/cdn/shop/files/27e3d9d1-f0e8-4a4c-b33e-75dc467e8014_750x960_crop_left.png?v=1761059257 750w, //www.healthygoods.com/cdn/shop/files/27e3d9d1-f0e8-4a4c-b33e-75dc467e8014_1000x.png?v=1761059257 1000w, //www.healthygoods.com/cdn/shop/files/27e3d9d1-f0e8-4a4c-b33e-75dc467e8014_1500x.png?v=1761059257 1500w"></div><noscript>
          <div class="CollectionItem__Image Image--contrast" style="background-position: top left; background-image: url(//www.healthygoods.com/cdn/shop/files/27e3d9d1-f0e8-4a4c-b33e-75dc467e8014_1000x.png?v=1761059257)"></div>
        </noscript></div>

    <div class="CollectionItem__Content CollectionItem__Content--bottomLeft">
      <header class="SectionHeader"><h2 class="SectionHeader__Heading SectionHeader__Heading--emphasize Heading u-h1">VITAMINS &amp; MINERALS</h2>

        <div class="SectionHeader__ButtonWrapper"><span class="CollectionItem__Link Button">SHOP</span></div>
      </header>
    </div>
  </div>
</a><a href="/collections/gut-health"  class="CollectionItem CollectionItem--expand Carousel__Cell " data-slide-index=""><div class="CollectionItem__Wrapper CollectionItem__Wrapper--small" style="background-image: url(//www.healthygoods.com/cdn/shop/files/healthy-goods-supplements-3_1x1.jpg?v=1688999025)">
    <div class="CollectionItem__ImageWrapper">
      <div class="CollectionItem__Image Image--contrast Image--lazyLoad Image--zoomOut hide-no-js"
           style="background-position: top left"
           data-optimumx="1.4"
           data-expand="-150"
           data-bgset="//www.healthygoods.com/cdn/shop/files/healthy-goods-supplements-3_750x960_crop_left.jpg?v=1688999025 750w, //www.healthygoods.com/cdn/shop/files/healthy-goods-supplements-3_1000x.jpg?v=1688999025 1000w, //www.healthygoods.com/cdn/shop/files/healthy-goods-supplements-3_1500x.jpg?v=1688999025 1500w"></div><noscript>
          <div class="CollectionItem__Image Image--contrast" style="background-position: top left; background-image: url(//www.healthygoods.com/cdn/shop/files/healthy-goods-supplements-3_1000x.jpg?v=1688999025)"></div>
        </noscript></div>

    <div class="CollectionItem__Content CollectionItem__Content--bottomLeft">
      <header class="SectionHeader"><h2 class="SectionHeader__Heading SectionHeader__Heading--emphasize Heading u-h1">GUT HEALTH</h2>

        <div class="SectionHeader__ButtonWrapper"><span class="CollectionItem__Link Button">SHOP</span></div>
      </header>
    </div>
  </div>
</a><a href="/collections/hair"  class="CollectionItem CollectionItem--expand Carousel__Cell " data-slide-index=""><div class="CollectionItem__Wrapper CollectionItem__Wrapper--small" style="background-image: url(//www.healthygoods.com/cdn/shop/files/healthy-goods-supplements-4_1x1.jpg?v=1688999025)">
    <div class="CollectionItem__ImageWrapper">
      <div class="CollectionItem__Image Image--contrast Image--lazyLoad Image--zoomOut hide-no-js"
           style="background-position: center center"
           data-optimumx="1.4"
           data-expand="-150"
           data-bgset="//www.healthygoods.com/cdn/shop/files/healthy-goods-supplements-4_750x960_crop_center.jpg?v=1688999025 750w, //www.healthygoods.com/cdn/shop/files/healthy-goods-supplements-4_1000x.jpg?v=1688999025 1000w, //www.healthygoods.com/cdn/shop/files/healthy-goods-supplements-4_1500x.jpg?v=1688999025 1500w"></div><noscript>
          <div class="CollectionItem__Image Image--contrast" style="background-position: center center; background-image: url(//www.healthygoods.com/cdn/shop/files/healthy-goods-supplements-4_1000x.jpg?v=1688999025)"></div>
        </noscript></div>

    <div class="CollectionItem__Content CollectionItem__Content--bottomLeft">
      <header class="SectionHeader"><h2 class="SectionHeader__Heading SectionHeader__Heading--emphasize Heading u-h1">HAIR MINERAL ANALYSIS</h2>

        <div class="SectionHeader__ButtonWrapper"><span class="CollectionItem__Link Button">SHOP</span></div>
      </header>
    </div>
  </div>
</a>
    </div></section>

<style>
  #section-template--15882701701207__collection-list .CollectionItem .Heading,
  #section-template--15882701701207__collection-list .flickity-page-dots {
    color: #ffffff;
  }

  #section-template--15882701701207__collection-list .CollectionItem__Link {
    color: #363636;
    border-color: #ffffff;
  }

  #section-template--15882701701207__collection-list .CollectionItem__Link::before {
    background-color: #ffffff;
  }</style>

</div><div id="shopify-section-template--15882701701207__text_with_image_iwcigD" class="shopify-section shopify-section--bordered"><section class="Section "><div class="FeatureText FeatureText--withImage FeatureText--imageRight"><div class="FeatureText__ContentWrapper">
      <div class="FeatureText__Content"><header class="SectionHeader"><h3 class="SectionHeader__SubHeading Heading u-h6">Only the Good Stuff</h3><h2 class="SectionHeader__Heading Heading u-h1">No fluff. No fillers. No “close-enoughs” blends.</h2><div class="SectionHeader__Description Rte">
                <p>Just clean, clinical-grade formulas—made with bioavailable ingredients and real practitioner insight<br/><br/>Because your body deserves supplements that meet a higher standard.</p><p>✔ Non-GMO<br/>✔ GMP Compliant<br/>✔ No Artificial Sweeteners or Flavors<br/>✔ Gluten-Free<br/>✔ 100% Vegan<br/>✔ Made in the USA</p>
              </div><a href="/collections" class="Link Link--underline">Shop Smarter Supplements</a></header></div>
    </div><div class="FeatureText__ImageWrapper"><div class="AspectRatio" style="max-width: 6000px; --aspect-ratio: 1.5"><img class="Image--lazyLoad Image--slideRight" data-src="//www.healthygoods.com/cdn/shop/files/gempages_570478576042771680-2f13e8ae-3e01-455f-8175-36c7be1f87ac_{width}x.png?v=1753814740" data-expand="-200" data-widths="[400,600,700,800,900,1000,1200]" data-sizes="auto" alt="">

          <noscript>
            <img src="//www.healthygoods.com/cdn/shop/files/gempages_570478576042771680-2f13e8ae-3e01-455f-8175-36c7be1f87ac_800x.png?v=1753814740" alt="">
          </noscript>
        </div>
      </div></div>
</section>

</div><div id="shopify-section-template--15882701701207__featured_product_VVrtLi" class="shopify-section shopify-section--bordered"><section class="Section Section--spacingNormal" data-section-id="template--15882701701207__featured_product_VVrtLi" data-section-type="featured-product" data-section-settings='{
  "enableHistoryState": false,
  "usePlaceholder": false,
  "templateSuffix": "gp-template-580937955833545646",
  "showInventoryQuantity": false,
  "showSku": false,
  "inventoryQuantityThreshold": 0,
  "showPriceInButton": false,
  "showPaymentButton": true,
  "useAjaxCart": true
}'>
  <div class="Container"><header class="SectionHeader SectionHeader--center "><h3 class="SectionHeader__SubHeading Heading u-h6">Want more Energy during Workouts?</h3><h2 class="SectionHeader__Heading Heading u-h1">Unlock Peak Performance: Ultimate Circulation and Endurance with Nitric MaxFlow!</h2></header><div class="FeaturedProduct "><a href="/products/nitric-maxflow" class="FeaturedProduct__Gallery"><div class="AspectRatio" style="max-width: 2061px; --aspect-ratio: 0.9023642732049036">
              

              <img class="Image--lazyLoad Image--fadeIn" data-src="//www.healthygoods.com/cdn/shop/files/hgds_nitric_max_flow_mockup_v2_{width}x.jpg?v=1755879459" data-widths="[200,300,400,600,700,800,900,1000]" data-sizes="auto" alt="Nitric MaxFlow">
              <span class="Image__Loader"></span>

              <noscript>
                <img src="//www.healthygoods.com/cdn/shop/files/hgds_nitric_max_flow_mockup_v2_600x.jpg?v=1755879459" alt="Nitric MaxFlow">
              </noscript>
            </div>
          </a><div class="FeaturedProduct__Info"><form method="post" action="/cart/add" id="product_form_6996428882007" accept-charset="UTF-8" class="ProductForm" enctype="multipart/form-data"><input type="hidden" name="form_type" value="product" /><input type="hidden" name="utf8" value="✓" />
<script type="application/json" data-product-json>
  {
    "product": {"id":6996428882007,"title":"Nitric MaxFlow","handle":"nitric-maxflow","description":"\u003ch2\u003e\u003cb\u003eOptimal Circulation for Maximum Training Results\u003c\/b\u003e\u003c\/h2\u003e\n\u003cp\u003e\u003cspan\u003e\u003cstrong\u003eRev up your workout, recovery, and circulation with the ultimate nitric oxide formula.\u003c\/strong\u003e\u003c\/span\u003e\u003c\/p\u003e\n\u003cp\u003e\u003cspan\u003eA stimulant- free powerhouse blend of L-Citrulline, Arginine AKG, Beta Alanine, Beet Juice, and Tart Cherry—engineered for peak blood flow, natural energy, faster recovery, and muscle performance. Backed by science, built for results.\u003c\/span\u003e\u003c\/p\u003e","published_at":"2024-04-02T13:03:14-04:00","created_at":"2024-02-12T09:06:22-05:00","vendor":"Healthy Goods","type":"Sports Performance","tags":["Sports Performance"],"price":3995,"price_min":3995,"price_max":3995,"available":true,"price_varies":false,"compare_at_price":null,"compare_at_price_min":0,"compare_at_price_max":0,"compare_at_price_varies":false,"variants":[{"id":40507459862615,"title":"Default Title","option1":"Default Title","option2":null,"option3":null,"sku":"060.000206","requires_shipping":true,"taxable":true,"featured_image":null,"available":true,"name":"Nitric MaxFlow","public_title":null,"options":["Default Title"],"price":3995,"weight":227,"compare_at_price":null,"inventory_management":"shopify","barcode":"","requires_selling_plan":false,"selling_plan_allocations":[{"price_adjustments":[{"position":1,"price":3396}],"price":3396,"compare_at_price":3995,"per_delivery_price":3396,"selling_plan_id":17011343447,"selling_plan_group_id":"7b0cf458bef940eb729210c8935c2269d0c96b21"},{"price_adjustments":[{"position":1,"price":3396}],"price":3396,"compare_at_price":3995,"per_delivery_price":3396,"selling_plan_id":17011507287,"selling_plan_group_id":"7b0cf458bef940eb729210c8935c2269d0c96b21"},{"price_adjustments":[{"position":1,"price":3396}],"price":3396,"compare_at_price":3995,"per_delivery_price":3396,"selling_plan_id":17025237079,"selling_plan_group_id":"7b0cf458bef940eb729210c8935c2269d0c96b21"}],"quantity_rule":{"min":1,"max":null,"increment":1}}],"images":["\/\/www.healthygoods.com\/cdn\/shop\/files\/hgds_nitric_max_flow_mockup_v2.jpg?v=1755879459","\/\/www.healthygoods.com\/cdn\/shop\/files\/hgds_nitric_max_flow_supplement_facts.png?v=1761228753","\/\/www.healthygoods.com\/cdn\/shop\/files\/hgds_2025_evergreen_product_imagery-01_v2_67593fc9-f195-49c8-b158-d97e3f5becba.jpg?v=1761228753","\/\/www.healthygoods.com\/cdn\/shop\/files\/hgds_2025_evergreen_product_imagery-03_859a468b-ea5c-4048-87db-cc91da33fc71.jpg?v=1761228753","\/\/www.healthygoods.com\/cdn\/shop\/files\/hgds_2025_evergreen_product_imagery-04_df76fda3-86ae-4a4d-b303-cf4737d1c76f.png?v=1761228753"],"featured_image":"\/\/www.healthygoods.com\/cdn\/shop\/files\/hgds_nitric_max_flow_mockup_v2.jpg?v=1755879459","options":["Title"],"media":[{"alt":null,"id":25727673040983,"position":1,"preview_image":{"aspect_ratio":0.902,"height":2284,"width":2061,"src":"\/\/www.healthygoods.com\/cdn\/shop\/files\/hgds_nitric_max_flow_mockup_v2.jpg?v=1755879459"},"aspect_ratio":0.902,"height":2284,"media_type":"image","src":"\/\/www.healthygoods.com\/cdn\/shop\/files\/hgds_nitric_max_flow_mockup_v2.jpg?v=1755879459","width":2061},{"alt":null,"id":25990827212887,"position":2,"preview_image":{"aspect_ratio":1.168,"height":531,"width":620,"src":"\/\/www.healthygoods.com\/cdn\/shop\/files\/hgds_nitric_max_flow_supplement_facts.png?v=1761228753"},"aspect_ratio":1.168,"height":531,"media_type":"image","src":"\/\/www.healthygoods.com\/cdn\/shop\/files\/hgds_nitric_max_flow_supplement_facts.png?v=1761228753","width":620},{"alt":null,"id":25990826590295,"position":3,"preview_image":{"aspect_ratio":1.0,"height":2250,"width":2250,"src":"\/\/www.healthygoods.com\/cdn\/shop\/files\/hgds_2025_evergreen_product_imagery-01_v2_67593fc9-f195-49c8-b158-d97e3f5becba.jpg?v=1761228753"},"aspect_ratio":1.0,"height":2250,"media_type":"image","src":"\/\/www.healthygoods.com\/cdn\/shop\/files\/hgds_2025_evergreen_product_imagery-01_v2_67593fc9-f195-49c8-b158-d97e3f5becba.jpg?v=1761228753","width":2250},{"alt":null,"id":25949648912471,"position":4,"preview_image":{"aspect_ratio":1.0,"height":2250,"width":2250,"src":"\/\/www.healthygoods.com\/cdn\/shop\/files\/hgds_2025_evergreen_product_imagery-03_859a468b-ea5c-4048-87db-cc91da33fc71.jpg?v=1761228753"},"aspect_ratio":1.0,"height":2250,"media_type":"image","src":"\/\/www.healthygoods.com\/cdn\/shop\/files\/hgds_2025_evergreen_product_imagery-03_859a468b-ea5c-4048-87db-cc91da33fc71.jpg?v=1761228753","width":2250},{"alt":null,"id":25949648945239,"position":5,"preview_image":{"aspect_ratio":1.0,"height":4500,"width":4500,"src":"\/\/www.healthygoods.com\/cdn\/shop\/files\/hgds_2025_evergreen_product_imagery-04_df76fda3-86ae-4a4d-b303-cf4737d1c76f.png?v=1761228753"},"aspect_ratio":1.0,"height":4500,"media_type":"image","src":"\/\/www.healthygoods.com\/cdn\/shop\/files\/hgds_2025_evergreen_product_imagery-04_df76fda3-86ae-4a4d-b303-cf4737d1c76f.png?v=1761228753","width":4500}],"requires_selling_plan":false,"selling_plan_groups":[{"id":"7b0cf458bef940eb729210c8935c2269d0c96b21","name":"Subscribe","options":[{"name":"Deliver Every","position":1,"values":["30 days","45 days","60 days"]}],"selling_plans":[{"id":17011343447,"name":"Monthly subscription","description":"","options":[{"name":"Deliver Every","position":1,"value":"30 days"}],"recurring_deliveries":true,"price_adjustments":[{"order_count":null,"position":1,"value_type":"percentage","value":15}],"checkout_charge":{"value_type":"percentage","value":100}},{"id":17011507287,"name":"Every 45 Days","description":"","options":[{"name":"Deliver Every","position":1,"value":"45 days"}],"recurring_deliveries":true,"price_adjustments":[{"order_count":null,"position":1,"value_type":"percentage","value":15}],"checkout_charge":{"value_type":"percentage","value":100}},{"id":17025237079,"name":"Every 60 Days","description":"","options":[{"name":"Deliver Every","position":1,"value":"60 days"}],"recurring_deliveries":true,"price_adjustments":[{"order_count":null,"position":1,"value_type":"percentage","value":15}],"checkout_charge":{"value_type":"percentage","value":100}}],"app_id":"Seal Subscriptions"}],"content":"\u003ch2\u003e\u003cb\u003eOptimal Circulation for Maximum Training Results\u003c\/b\u003e\u003c\/h2\u003e\n\u003cp\u003e\u003cspan\u003e\u003cstrong\u003eRev up your workout, recovery, and circulation with the ultimate nitric oxide formula.\u003c\/strong\u003e\u003c\/span\u003e\u003c\/p\u003e\n\u003cp\u003e\u003cspan\u003eA stimulant- free powerhouse blend of L-Citrulline, Arginine AKG, Beta Alanine, Beet Juice, and Tart Cherry—engineered for peak blood flow, natural energy, faster recovery, and muscle performance. Backed by science, built for results.\u003c\/span\u003e\u003c\/p\u003e"},
    "selected_variant_id": 40507459862615
}
</script><div class="ProductMeta" ><h1 class="ProductMeta__Title Heading u-h2"><a href="/products/nitric-maxflow">Nitric MaxFlow</a></h1><div class="ProductMeta__PriceList Heading"><span class="ProductMeta__Price Price Text--subdued u-h4">$39.95</span></div>

    <div class="ProductMeta__UnitPriceMeasurement" style="display:none">
      <div class="UnitPriceMeasurement Heading u-h6 Text--subdued">
        <span class="UnitPriceMeasurement__Price"></span>
        <span class="UnitPriceMeasurement__Separator">/ </span>
        <span class="UnitPriceMeasurement__ReferenceValue" style="display: inline"></span>
        <span class="UnitPriceMeasurement__ReferenceUnit"></span>
      </div>
    </div></div><div class="ProductForm__Variants"><input type="hidden" name="id" data-sku="060.000206" value="40507459862615"></div><div class="Product__OffScreen"></div><div class="ProductForm__BuyButtons" ><button type="submit" data-use-primary-button="true" class="ProductForm__AddToCart Button Button--primary Button--full" data-action="add-to-cart"><span>Add to cart</span></button><div data-shopify="payment-button" class="shopify-payment-button"> <shopify-accelerated-checkout recommended="null" fallback="{&quot;supports_subs&quot;:true,&quot;supports_def_opts&quot;:true,&quot;name&quot;:&quot;buy_it_now&quot;,&quot;wallet_params&quot;:{}}" access-token="f05635081444709f3c1a9db2c18cd5c5" buyer-country="US" buyer-locale="en" buyer-currency="USD" variant-params="[{&quot;id&quot;:40507459862615,&quot;requiresShipping&quot;:true}]" shop-id="56341135447" enabled-flags="[&quot;ce346acf&quot;,&quot;c0874428&quot;]" > <div class="shopify-payment-button__button" role="button" disabled aria-hidden="true" style="background-color: transparent; border: none"> <div class="shopify-payment-button__skeleton">&nbsp;</div> </div> </shopify-accelerated-checkout> <small id="shopify-buyer-consent" class="hidden" aria-hidden="true" data-consent-type="subscription"> This item is a deferred, subscription, or recurring purchase. By continuing, I agree to the <span id="shopify-subscription-policy-button">cancellation policy</span> and authorize you to charge my payment method at the prices, frequency and dates listed on this page until my order is fulfilled or I cancel, if permitted. </small> </div>
</div><input type="hidden" name="product-id" value="6996428882007" /><input type="hidden" name="section-id" value="template--15882701701207__featured_product_VVrtLi" /></form><div class="FeaturedProduct__ViewWrapper">
            <a href="/products/nitric-maxflow" class="Link Link--underline">View product details</a>
          </div>
        </div></div>
  </div></section>

</div><div id="shopify-section-template--15882701701207__16915270546bcd47fa" class="shopify-section"><div class="Container"><div id="shopify-block-AcXBLekxsZmJ3STRBd__yotpo_product_reviews_ugc_reviews_carousel_jhazEf" class="shopify-block shopify-app-block">

<div
    class="yotpo-widget-instance"
    data-yotpo-instance-id="806118"
    data-yotpo-product-id="">
</div>



</div></div>


</div><div id="shopify-section-template--15882701701207__timeline" class="shopify-section shopify-section--bordered shopify-section--timeline"><section id="section-template--15882701701207__timeline" class="Section Section--spacingNormal" data-section-id="template--15882701701207__timeline" data-section-type="timeline">
  <div class="Container">
    <div class="Timeline">
      <div class="Timeline__ListItem"><div  class="Timeline__Item is-selected" data-index="0">
            <div class="Timeline__ImageWrapper Image--contrast" style="background: url(//www.healthygoods.com/cdn/shop/files/healthygoods_lysine_c_1x1.png?v=1774551314)"><div class="Timeline__Image Image--lazyLoad hide-no-js" data-bgset="//www.healthygoods.com/cdn/shop/files/healthygoods_lysine_c_x650.png?v=1774551314 [(max-width: 640px)] | //www.healthygoods.com/cdn/shop/files/healthygoods_lysine_c_1000x.png?v=1774551314"></div>

                <noscript>
                  <div class="Timeline__Image" style="background-image: url(//www.healthygoods.com/cdn/shop/files/healthygoods_lysine_c_1000x.png?v=1774551314)"></div>
                </noscript></div><div class="Timeline__Inner">
                <header class="Timeline__Header SectionHeader SectionHeader--center"><h3 class="SectionHeader__SubHeading Heading u-h6">EXPERIENCE</h3><h2 class="SectionHeader__Heading Heading u-h1">60+ Years of Smarter Health</h2><div class="SectionHeader__Description Rte">
                      <p>We come from a legacy of doing clean before it was a trend.</p><p>What we’ve learned:<br/><br/> ✔ Real results take real formulation expertise<br/> ✔ Trends fade—science lasts<br/> ✔ The root is always worth finding</p><p>Because when formulas are backed by evidence, you can trust what you're putting in your body—and finally feel the difference where it counts.</p>
                    </div></header>
              </div></div><div  class="Timeline__Item " data-index="1">
            <div class="Timeline__ImageWrapper Image--contrast" style="background: url(//www.healthygoods.com/cdn/shop/files/healthy-goods-d3k2_1x1.jpg?v=1690749312)"><div class="Timeline__Image Image--lazyLoad hide-no-js" data-bgset="//www.healthygoods.com/cdn/shop/files/healthy-goods-d3k2_x650.jpg?v=1690749312 [(max-width: 640px)] | //www.healthygoods.com/cdn/shop/files/healthy-goods-d3k2_1000x.jpg?v=1690749312"></div>

                <noscript>
                  <div class="Timeline__Image" style="background-image: url(//www.healthygoods.com/cdn/shop/files/healthy-goods-d3k2_1000x.jpg?v=1690749312)"></div>
                </noscript></div><div class="Timeline__Inner">
                <header class="Timeline__Header SectionHeader SectionHeader--center"><h3 class="SectionHeader__SubHeading Heading u-h6">QUALITY</h3><h2 class="SectionHeader__Heading Heading u-h1">Quality standards that exceed the norm</h2><div class="SectionHeader__Description Rte">
                      <p>We manufacture products that <em>actually</em> create an intended result on the body.</p>
                    </div></header>
              </div></div><div  class="Timeline__Item " data-index="2">
            <div class="Timeline__ImageWrapper Image--contrast" style="background: url(//www.healthygoods.com/cdn/shop/files/healthy-goods-supplements-3_1x1.jpg?v=1688999025)"><div class="Timeline__Image Image--lazyLoad hide-no-js" data-bgset="//www.healthygoods.com/cdn/shop/files/healthy-goods-supplements-3_x650.jpg?v=1688999025 [(max-width: 640px)] | //www.healthygoods.com/cdn/shop/files/healthy-goods-supplements-3_1000x.jpg?v=1688999025"></div>

                <noscript>
                  <div class="Timeline__Image" style="background-image: url(//www.healthygoods.com/cdn/shop/files/healthy-goods-supplements-3_1000x.jpg?v=1688999025)"></div>
                </noscript></div><div class="Timeline__Inner">
                <header class="Timeline__Header SectionHeader SectionHeader--center"><h3 class="SectionHeader__SubHeading Heading u-h6">NUTRITION</h3><h2 class="SectionHeader__Heading Heading u-h1">Nutrition your family can trust</h2><div class="SectionHeader__Description Rte">
                      <p>Our products are formulated by our expert team of certified nutritionists, registered dietitian, chemists, quality experts, and product development specialists consists of some of the best and brightest minds in the nutrition industry. </p><p>Researched, credible information written by our holistic registered dietitian nutritionist.</p>
                    </div></header>
              </div></div></div><div class="Timeline__Nav">
          <div class="Timeline__NavWrapper Timeline__NavWrapper--center"><button type="button" class="Timeline__NavItem is-selected Link Link--primary" data-index="0">
                <span class="Timeline__NavLabel">EXPERIENCE</span>
              </button><button type="button" class="Timeline__NavItem  Link Link--primary" data-index="1">
                <span class="Timeline__NavLabel">QUALITY</span>
              </button><button type="button" class="Timeline__NavItem  Link Link--primary" data-index="2">
                <span class="Timeline__NavLabel">NUTRITION</span>
              </button></div>
        </div></div>
  </div>
</section>

<style>
  #section-template--15882701701207__timeline .Timeline__ListItem {
    color: #ffffff;
  }
</style>

</div><div id="shopify-section-template--15882701701207__shop_now_GrqmED" class="shopify-section"><section class="Section Section--spacingLarge" data-section-id="template--15882701701207__shop_now_GrqmED" data-section-type="shop-now">
  <div class="Container Container--narrow"><div class="ShopNowGrid Grid Grid--m">
        <div class="Grid__Cell 2/3--lap-and-up">
          <div class="Panel Panel--flush Panel--withArrows"><h2 class="Panel__Title Heading u-h2">Fan Favorites: Because Feeling Good Is Personal</h2><div class="Panel__Content"><div class="ProductList ProductList--shopNow" data-desktop-count="2" data-flickity-config='{
  "prevNextButtons": true,
  "pageDots": false,
  "wrapAround": true,
  "cellAlign": "left",
  "groupCells": true,
  "arrowShape": {"x0": 20, "x1": 60, "y1": 40, "x2": 60, "y2": 35, "x3": 25}
}'><div class="Carousel__Cell"><div class="ProductItem ">
  <div class="ProductItem__Wrapper"><a href="/products/berberine" class="ProductItem__ImageWrapper "><div class="AspectRatio AspectRatio--withFallback" style="max-width: 4000px; padding-bottom: 100.0%; --aspect-ratio: 1.0"><img class="ProductItem__Image Image--lazyLoad Image--fadeIn" data-src="//www.healthygoods.com/cdn/shop/files/hgds_2026_berberine_{width}x.png?v=1774467710" data-widths="[200,400,600,700,800,900,1000,1200]" data-sizes="auto" alt="Berberine ALA: Blood Sugar Stabilizer" data-media-id="26690972385367">
        <span class="Image__Loader"></span>

        <noscript>
          <img class="ProductItem__Image ProductItem__Image--alternate" src="//www.healthygoods.com/cdn/shop/files/healthy-goods-berberine-ala-supp-facts_1_600x.png?v=1774467710" alt="Berberine ALA: Blood Sugar Stabilizer">
          <img class="ProductItem__Image" src="//www.healthygoods.com/cdn/shop/files/hgds_2026_berberine_600x.png?v=1774467710" alt="Berberine ALA: Blood Sugar Stabilizer">
        </noscript>
      </div>
    </a><div class="ProductItem__Info ProductItem__Info--center"><h2 class="ProductItem__Title Heading">
          <a href="/products/berberine">Berberine ALA: Blood Sugar Stabilizer</a>
        </h2><div class="ProductItem__PriceList ProductItem__PriceList--showOnHover Heading"><span class="ProductItem__Price Price Text--subdued">$34.95</span></div></div></div></div></div><div class="Carousel__Cell"><div class="ProductItem ">
  <div class="ProductItem__Wrapper"><a href="/products/bio-m-for-men" class="ProductItem__ImageWrapper "><div class="AspectRatio AspectRatio--withFallback" style="max-width: 4000px; padding-bottom: 100.0%; --aspect-ratio: 1.0"><img class="ProductItem__Image Image--lazyLoad Image--fadeIn" data-src="//www.healthygoods.com/cdn/shop/files/hgds_2026_bio_m_men_51dc2223-b2bc-4885-ae9a-f3accfbc9240_{width}x.png?v=1774539400" data-widths="[200,400,600,700,800,900,1000,1200]" data-sizes="auto" alt="Bio-M for Men: Minerals Only" data-media-id="26692687102039">
        <span class="Image__Loader"></span>

        <noscript>
          <img class="ProductItem__Image ProductItem__Image--alternate" src="//www.healthygoods.com/cdn/shop/files/hgds_2026_bio_m_men_supplement_facts_600x.png?v=1774539400" alt="Bio-M for Men: Minerals Only">
          <img class="ProductItem__Image" src="//www.healthygoods.com/cdn/shop/files/hgds_2026_bio_m_men_51dc2223-b2bc-4885-ae9a-f3accfbc9240_600x.png?v=1774539400" alt="Bio-M for Men: Minerals Only">
        </noscript>
      </div>
    </a><div class="ProductItem__Info ProductItem__Info--center"><h2 class="ProductItem__Title Heading">
          <a href="/products/bio-m-for-men">Bio-M for Men: Minerals Only</a>
        </h2><div class="ProductItem__PriceList ProductItem__PriceList--showOnHover Heading"><span class="ProductItem__Price Price Text--subdued">$14.95</span></div></div></div></div></div><div class="Carousel__Cell"><div class="ProductItem ">
  <div class="ProductItem__Wrapper"><a href="/products/bio-m-for-women" class="ProductItem__ImageWrapper "><div class="AspectRatio AspectRatio--withFallback" style="max-width: 4000px; padding-bottom: 100.0%; --aspect-ratio: 1.0"><img class="ProductItem__Image Image--lazyLoad Image--fadeIn" data-src="//www.healthygoods.com/cdn/shop/files/hgds_2026_bio_m_women_170d8b00-b8f4-40de-9eff-be8687c4992e_{width}x.png?v=1774539659" data-widths="[200,400,600,700,800,900,1000,1200]" data-sizes="auto" alt="Bio-M for Women: Elite Multi-Mineral For Women (with Iron)" data-media-id="26692701651031">
        <span class="Image__Loader"></span>

        <noscript>
          <img class="ProductItem__Image ProductItem__Image--alternate" src="//www.healthygoods.com/cdn/shop/files/hgds_2026_bio_m_women_supplement_facts_600x.png?v=1774539668" alt="Bio-M for Women: Elite Multi-Mineral For Women (with Iron)">
          <img class="ProductItem__Image" src="//www.healthygoods.com/cdn/shop/files/hgds_2026_bio_m_women_170d8b00-b8f4-40de-9eff-be8687c4992e_600x.png?v=1774539659" alt="Bio-M for Women: Elite Multi-Mineral For Women (with Iron)">
        </noscript>
      </div>
    </a><div class="ProductItem__Info ProductItem__Info--center"><h2 class="ProductItem__Title Heading">
          <a href="/products/bio-m-for-women">Bio-M for Women: Elite Multi-Mineral For Women (with Iron)</a>
        </h2><div class="ProductItem__PriceList ProductItem__PriceList--showOnHover Heading"><span class="ProductItem__Price Price Text--subdued">$14.95</span></div></div></div></div></div><div class="Carousel__Cell"><div class="ProductItem ">
  <div class="ProductItem__Wrapper"><a href="/products/bio-v" class="ProductItem__ImageWrapper "><div class="AspectRatio AspectRatio--withFallback" style="max-width: 4000px; padding-bottom: 100.0%; --aspect-ratio: 1.0"><img class="ProductItem__Image Image--lazyLoad Image--fadeIn" data-src="//www.healthygoods.com/cdn/shop/files/hgds_2026_bio_v_bc5177ba-0015-49d6-885d-9bbb5dcf788f_{width}x.png?v=1774539954" data-widths="[200,400,600,700,800,900,1000,1200]" data-sizes="auto" alt="Bio-V Multivitamin" data-media-id="26692704010327">
        <span class="Image__Loader"></span>

        <noscript>
          <img class="ProductItem__Image ProductItem__Image--alternate" src="//www.healthygoods.com/cdn/shop/files/hgds_2026_bio_v_supplement_facts_600x.png?v=1774539954" alt="Bio-V Multivitamin">
          <img class="ProductItem__Image" src="//www.healthygoods.com/cdn/shop/files/hgds_2026_bio_v_bc5177ba-0015-49d6-885d-9bbb5dcf788f_600x.png?v=1774539954" alt="Bio-V Multivitamin">
        </noscript>
      </div>
    </a><div class="ProductItem__Info ProductItem__Info--center"><h2 class="ProductItem__Title Heading">
          <a href="/products/bio-v">Bio-V Multivitamin</a>
        </h2><div class="ProductItem__PriceList ProductItem__PriceList--showOnHover Heading"><span class="ProductItem__Price Price Text--subdued">$14.95</span></div></div></div></div></div><div class="Carousel__Cell"><div class="ProductItem ">
  <div class="ProductItem__Wrapper"><a href="/products/creatine" class="ProductItem__ImageWrapper "><div class="AspectRatio AspectRatio--withFallback" style="max-width: 4000px; padding-bottom: 100.0%; --aspect-ratio: 1.0"><img class="ProductItem__Image Image--lazyLoad Image--fadeIn" data-src="//www.healthygoods.com/cdn/shop/files/hgds_2026_creatine_13613157-44b9-4608-9c9f-1adb293ab761_{width}x.png?v=1774470002" data-widths="[200,400,600,700,800,900,1000,1200]" data-sizes="auto" alt="Creatine: Next Level Performance" data-media-id="26691032186967">
        <span class="Image__Loader"></span>

        <noscript>
          <img class="ProductItem__Image ProductItem__Image--alternate" src="//www.healthygoods.com/cdn/shop/files/healthy-goods-creatine-supp-facts_600x.png?v=1774470002" alt="Creatine: Next Level Performance">
          <img class="ProductItem__Image" src="//www.healthygoods.com/cdn/shop/files/hgds_2026_creatine_13613157-44b9-4608-9c9f-1adb293ab761_600x.png?v=1774470002" alt="Creatine: Next Level Performance">
        </noscript>
      </div>
    </a><div class="ProductItem__Info ProductItem__Info--center"><h2 class="ProductItem__Title Heading">
          <a href="/products/creatine">Creatine: Next Level Performance</a>
        </h2><div class="ProductItem__PriceList ProductItem__PriceList--showOnHover Heading"><span class="ProductItem__Price Price Text--subdued">$24.95</span></div></div></div></div></div><div class="Carousel__Cell"><div class="ProductItem ">
  <div class="ProductItem__Wrapper"><a href="/products/d3-k2-180" class="ProductItem__ImageWrapper "><div class="AspectRatio AspectRatio--withFallback" style="max-width: 4000px; padding-bottom: 100.0%; --aspect-ratio: 1.0"><img class="ProductItem__Image Image--lazyLoad Image--fadeIn" data-src="//www.healthygoods.com/cdn/shop/files/hgds_2026_d3k2_60ct_{width}x.png?v=1774470142" data-widths="[200,400,600,700,800,900,1000,1200]" data-sizes="auto" alt="D3 + K2" data-media-id="26691033694295">
        <span class="Image__Loader"></span>

        <noscript>
          <img class="ProductItem__Image ProductItem__Image--alternate" src="//www.healthygoods.com/cdn/shop/files/healthy-goods-d3k2-180ct-supp-facts_600x.jpg?v=1774470142" alt="D3 + K2">
          <img class="ProductItem__Image" src="//www.healthygoods.com/cdn/shop/files/hgds_2026_d3k2_60ct_600x.png?v=1774470142" alt="D3 + K2">
        </noscript>
      </div>
    </a><div class="ProductItem__Info ProductItem__Info--center"><h2 class="ProductItem__Title Heading">
          <a href="/products/d3-k2-180">D3 + K2</a>
        </h2><div class="ProductItem__PriceList ProductItem__PriceList--showOnHover Heading"><span class="ProductItem__Price Price Text--subdued">From $10.95</span></div></div></div></div></div></div>
        </div>
      </div>
        </div>

        <div class="Grid__Cell 1/3--lap-and-up">
          <div class="FeaturedQuote"><div class="FeaturedQuote__Content">
                <p>From new formulas to all-time favorites—this is where feeling good starts.</p>
              </div></div>
        </div>
      </div></div>
</section>

</div><div id="shopify-section-template--15882701701207__image_with_text_overlay_LqgeCN" class="shopify-section"><section id="section-template--15882701701207__image_with_text_overlay_LqgeCN"><div class="FlexboxIeFix">
    <div class="ImageHero " style="background: url(//www.healthygoods.com/cdn/shop/files/gempages_570478576042771680-1624f1e9-fd53-4d3f-8e8e-0b95eb93b602_1x1.png?v=1753798739)">
      <div class="ImageHero__ImageWrapper">
        <div class="ImageHero__Image ImageHero__ImageWrapper--hasOverlay Image--lazyLoad Image--zoomOut"
             data-optimumx="1.4"
             data-expand="-150"
             data-bgset="//www.healthygoods.com/cdn/shop/files/gempages_570478576042771680-1624f1e9-fd53-4d3f-8e8e-0b95eb93b602_750x960_crop_center.png?v=1753798739 750w, //www.healthygoods.com/cdn/shop/files/gempages_570478576042771680-1624f1e9-fd53-4d3f-8e8e-0b95eb93b602_1000x.png?v=1753798739 1000w, //www.healthygoods.com/cdn/shop/files/gempages_570478576042771680-1624f1e9-fd53-4d3f-8e8e-0b95eb93b602_1500x.png?v=1753798739 1500w">
        </div>

        <noscript>
          <div class="ImageHero__Image" style="background-image: url(//www.healthygoods.com/cdn/shop/files/gempages_570478576042771680-1624f1e9-fd53-4d3f-8e8e-0b95eb93b602_1000x.png?v=1753798739)"></div>
        </noscript></div><div class="ImageHero__ContentOverlay"><header class="SectionHeader"><h2 class="SectionHeader__Heading Heading u-h1">Built In-House. Trusted Everywhere.</h2><div class="SectionHeader__Description">
                  <p><em>We don’t just label formulas—we craft them. At Healthy Goods, we manufacture everything ourselves, giving us full control from sourcing to the final capsule. That means what you see on the label is exactly what you get—clinical-caliber support, clean ingredients, and no compromises.</em></p><p><em>Because when quality is baked in from the start, feeling good becomes a whole lot easier.</em></p>
                </div></header></div></div>
  </div>
</section>

<style>
  #section-template--15882701701207__image_with_text_overlay_LqgeCN,
  #section-template--15882701701207__image_with_text_overlay_LqgeCN .Heading {
    color: #ffffff;
  }

  #section-template--15882701701207__image_with_text_overlay_LqgeCN .ImageHero__ImageWrapper--hasOverlay::before {background-color: rgba(0, 0, 0, 0.5);
  }
</style>

</div><div id="shopify-section-template--15882701701207__blog-posts" class="shopify-section shopify-section--bordered"><section class="Section Section--spacingNormal" id="section-template--15882701701207__blog-posts" data-section-type="article-list" data-section-id="template--15882701701207__blog-posts">
  <div class="Container"><header class="SectionHeader SectionHeader--center"><h3 class="SectionHeader__SubHeading Heading u-h6">Featured articles</h3><h2 class="SectionHeader__Heading Heading u-h1">Root-Cause Reads for Real-Life Health</h2></header><div class="ArticleListWrapper">
      <div class="ArticleList Grid Grid--m Grid--center"><div class="Grid__Cell 1/2--tablet 1/3--lap-and-up "><article class="ArticleItem" ><a class="ArticleItem__ImageWrapper AspectRatio AspectRatio--withFallback" style="background: url(//www.healthygoods.com/cdn/shop/articles/creatine-perimenopause_1x1.jpg?v=1775064512); padding-bottom: 58%; --aspect-ratio: 1.7" href="/blogs/news/creatine-and-perimenopause-science-backed-benefits-for-women">
      <img class="ArticleItem__Image Image--lazyLoad Image--fadeIn"
           data-src="//www.healthygoods.com/cdn/shop/articles/creatine-perimenopause_{width}x.jpg?v=1775064512"
           data-widths="[200,400,600,700,800,900,1000,1200]"
           data-sizes="auto"
           alt="Creatine and Perimenopause: Science-Backed Benefits for Women">

      <noscript>
        <img class="ArticleItem__Image" src="//www.healthygoods.com/cdn/shop/articles/creatine-perimenopause_600x.jpg?v=1775064512" alt="Creatine and Perimenopause: Science-Backed Benefits for Women">
      </noscript>
    </a><div class="ArticleItem__Content"><h2 class="ArticleItem__Title Heading u-h2">
      <a href="/blogs/news/creatine-and-perimenopause-science-backed-benefits-for-women">Creatine and Perimenopause: Science-Backed Benefits for Women</a>
    </h2><p class="ArticleItem__Excerpt">Perimenopause, the transitional phase leading up to menopause, brings various physical and mental changes due to fluctuating hormones. These change...</p>
      <a href="/blogs/news/creatine-and-perimenopause-science-backed-benefits-for-women" class="ArticleItem__Link Link Link--underline">Read more</a></div>
</article></div><div class="Grid__Cell 1/2--tablet 1/3--lap-and-up "><article class="ArticleItem" ><a class="ArticleItem__ImageWrapper AspectRatio AspectRatio--withFallback" style="background: url(//www.healthygoods.com/cdn/shop/articles/personalize-hair-mineral-analysis_1x1.jpg?v=1770065396); padding-bottom: 58%; --aspect-ratio: 1.7" href="/blogs/news/personalized-nutrition-with-hair-mineral-analysis">
      <img class="ArticleItem__Image Image--lazyLoad Image--fadeIn"
           data-src="//www.healthygoods.com/cdn/shop/articles/personalize-hair-mineral-analysis_{width}x.jpg?v=1770065396"
           data-widths="[200,400,600,700,800,900,1000,1200]"
           data-sizes="auto"
           alt="Personalized Nutrition with Hair Mineral Analysis">

      <noscript>
        <img class="ArticleItem__Image" src="//www.healthygoods.com/cdn/shop/articles/personalize-hair-mineral-analysis_600x.jpg?v=1770065396" alt="Personalized Nutrition with Hair Mineral Analysis">
      </noscript>
    </a><div class="ArticleItem__Content"><h2 class="ArticleItem__Title Heading u-h2">
      <a href="/blogs/news/personalized-nutrition-with-hair-mineral-analysis">Personalized Nutrition with Hair Mineral Analysis</a>
    </h2><p class="ArticleItem__Excerpt">Hair mineral analysis is a basic, cost-effective test that delivers accurate information regarding a person's history of mineral imbalances or toxi...</p>
      <a href="/blogs/news/personalized-nutrition-with-hair-mineral-analysis" class="ArticleItem__Link Link Link--underline">Read more</a></div>
</article></div><div class="Grid__Cell 1/2--tablet 1/3--lap-and-up hidden-tablet"><article class="ArticleItem" ><a class="ArticleItem__ImageWrapper AspectRatio AspectRatio--withFallback" style="background: url(//www.healthygoods.com/cdn/shop/articles/HMA_Thyroid_845d38b4-d7af-47e5-b23c-846fc0b9617e_1x1.jpg?v=1768498708); padding-bottom: 58%; --aspect-ratio: 1.7" href="/blogs/news/8-honey-tips-for-healthier-skin-hair">
      <img class="ArticleItem__Image Image--lazyLoad Image--fadeIn"
           data-src="//www.healthygoods.com/cdn/shop/articles/HMA_Thyroid_845d38b4-d7af-47e5-b23c-846fc0b9617e_{width}x.jpg?v=1768498708"
           data-widths="[200,400,600,700,800,900,1000,1200]"
           data-sizes="auto"
           alt="8 Honey Tips for Healthier Skin and Hair">

      <noscript>
        <img class="ArticleItem__Image" src="//www.healthygoods.com/cdn/shop/articles/HMA_Thyroid_845d38b4-d7af-47e5-b23c-846fc0b9617e_600x.jpg?v=1768498708" alt="8 Honey Tips for Healthier Skin and Hair">
      </noscript>
    </a><div class="ArticleItem__Content"><h2 class="ArticleItem__Title Heading u-h2">
      <a href="/blogs/news/8-honey-tips-for-healthier-skin-hair">8 Honey Tips for Healthier Skin and Hair</a>
    </h2><p class="ArticleItem__Excerpt">Honey doesn't just taste great, it also contains a wealth of health-promoting properties. Check it out here.</p>
      <a href="/blogs/news/8-honey-tips-for-healthier-skin-hair" class="ArticleItem__Link Link Link--underline">Read more</a></div>
</article></div></div>
    </div><div class="SectionFooter">
        <a href="" class="Button Button--primary">View all articles</a>
      </div></div>
</section>

</div><div id="shopify-section-template--15882701701207__custom_html_FPJBte" class="shopify-section shopify-section--bordered"><section class="Section Section--spacingNormal" id="section-template--15882701701207__custom_html_FPJBte">
  <div class="Container"><header class="SectionHeader SectionHeader--center"><h3 class="SectionHeader__SubHeading Heading u-h6">*Individual experiences do not reflect medical claims. Supplements are not intended to diagnose, treat, cure, or prevent any disease.</h3></header><div class="Rte" style="text-align: center">
      
    </div>
  </div>
</section>

</div>
      </main>

      <div id="shopify-section-footer" class="shopify-section shopify-section--footer"><footer id="section-footer" data-section-id="footer" data-section-type="footer" class="Footer " role="contentinfo">
  <div class="Container"><div class="Footer__Inner"><div class="Footer__Block Footer__Block--text" ><h2 class="Footer__Title Heading u-h6">About Healthy Goods</h2><div class="Footer__Content Rte">
                    <p>Healthy Goods is a functional nutrition brand. Our mission is to offer nutrition supplements that focus on root cause resolution and promote optimal health.</p>
                  </div><ul class="Footer__Social HorizontalList HorizontalList--spacingLoose">
    <li class="HorizontalList__Item">
      <a href="https://www.instagram.com/healthy.goods/" class="Link Link--primary" target="_blank" rel="noopener" aria-label="Instagram">
        <span class="Icon-Wrapper--clickable"><svg class="Icon Icon--instagram " role="presentation" viewBox="0 0 32 32">
      <path d="M15.994 2.886c4.273 0 4.775.019 6.464.095 1.562.07 2.406.33 2.971.552.749.292 1.283.635 1.841 1.194s.908 1.092 1.194 1.841c.216.565.483 1.41.552 2.971.076 1.689.095 2.19.095 6.464s-.019 4.775-.095 6.464c-.07 1.562-.33 2.406-.552 2.971-.292.749-.635 1.283-1.194 1.841s-1.092.908-1.841 1.194c-.565.216-1.41.483-2.971.552-1.689.076-2.19.095-6.464.095s-4.775-.019-6.464-.095c-1.562-.07-2.406-.33-2.971-.552-.749-.292-1.283-.635-1.841-1.194s-.908-1.092-1.194-1.841c-.216-.565-.483-1.41-.552-2.971-.076-1.689-.095-2.19-.095-6.464s.019-4.775.095-6.464c.07-1.562.33-2.406.552-2.971.292-.749.635-1.283 1.194-1.841s1.092-.908 1.841-1.194c.565-.216 1.41-.483 2.971-.552 1.689-.083 2.19-.095 6.464-.095zm0-2.883c-4.343 0-4.889.019-6.597.095-1.702.076-2.864.349-3.879.743-1.054.406-1.943.959-2.832 1.848S1.251 4.473.838 5.521C.444 6.537.171 7.699.095 9.407.019 11.109 0 11.655 0 15.997s.019 4.889.095 6.597c.076 1.702.349 2.864.743 3.886.406 1.054.959 1.943 1.848 2.832s1.784 1.435 2.832 1.848c1.016.394 2.178.667 3.886.743s2.248.095 6.597.095 4.889-.019 6.597-.095c1.702-.076 2.864-.349 3.886-.743 1.054-.406 1.943-.959 2.832-1.848s1.435-1.784 1.848-2.832c.394-1.016.667-2.178.743-3.886s.095-2.248.095-6.597-.019-4.889-.095-6.597c-.076-1.702-.349-2.864-.743-3.886-.406-1.054-.959-1.943-1.848-2.832S27.532 1.247 26.484.834C25.468.44 24.306.167 22.598.091c-1.714-.07-2.26-.089-6.603-.089zm0 7.778c-4.533 0-8.216 3.676-8.216 8.216s3.683 8.216 8.216 8.216 8.216-3.683 8.216-8.216-3.683-8.216-8.216-8.216zm0 13.549c-2.946 0-5.333-2.387-5.333-5.333s2.387-5.333 5.333-5.333 5.333 2.387 5.333 5.333-2.387 5.333-5.333 5.333zM26.451 7.457c0 1.059-.858 1.917-1.917 1.917s-1.917-.858-1.917-1.917c0-1.059.858-1.917 1.917-1.917s1.917.858 1.917 1.917z"></path>
    </svg></span>
      </a>
    </li>

    

  </ul>
</div><div class="Footer__Block Footer__Block--links" ><h2 class="Footer__Title Heading u-h6">ABOUT</h2>

                  <ul class="Linklist"><li class="Linklist__Item">
                        <a href="/pages/about" class="Link Link--primary">About</a>
                      </li><li class="Linklist__Item">
                        <a href="/pages/contact" class="Link Link--primary">Contact</a>
                      </li><li class="Linklist__Item">
                        <a href="/pages/terms-of-use" class="Link Link--primary">Terms of Use</a>
                      </li><li class="Linklist__Item">
                        <a href="/pages/faq" class="Link Link--primary">Shipping &amp; Returns Policy</a>
                      </li></ul></div><div class="Footer__Block Footer__Block--newsletter" ><h2 class="Footer__Title Heading u-h6">Newsletter</h2><div class="Footer__Content Rte">
                    <p>Subscribe to receive updates, access to exclusive deals, and more.</p>
                  </div><form method="post" action="/contact#footer-newsletter" id="footer-newsletter" accept-charset="UTF-8" class="Footer__Newsletter Form"><input type="hidden" name="form_type" value="customer" /><input type="hidden" name="utf8" value="✓" /><input type="hidden" name="contact[tags]" value="newsletter">
                    <input type="email" name="contact[email]" class="Form__Input" aria-label="Enter your email address" placeholder="Enter your email address" required>
                    <button type="submit" class="Form__Submit Button Button--primary">Subscribe</button></form></div></div><div class="Footer__Aside"><div class="Footer__Copyright">
        <a href="/" class="Footer__StoreName Heading u-h7 Link Link--secondary">© Healthy Goods</a>
        <p class="Footer__ThemeAuthor"><a target="_blank" rel="nofollow" href="https://www.shopify.com?utm_campaign=poweredby&amp;utm_medium=shopify&amp;utm_source=onlinestore">Powered by Shopify</a></p>
      </div></div>
  </div>
</footer><style>
    .Footer {
      border-top: 1px solid var(--border-color);
    }
  </style></div>
    </div>

    
<link rel="dns-prefetch" href="https://swymstore-v3starter-01.swymrelay.com" crossorigin>
<link rel="dns-prefetch" href="//swymv3starter-01.azureedge.net/code/swym-shopify.js">
<link rel="preconnect" href="//swymv3starter-01.azureedge.net/code/swym-shopify.js">
<script id="swym-snippet">
  window.swymLandingURL = document.URL;
  window.swymCart = {"note":null,"attributes":{},"original_total_price":0,"total_price":0,"total_discount":0,"total_weight":0.0,"item_count":0,"items":[],"requires_shipping":false,"currency":"USD","items_subtotal_price":0,"cart_level_discount_applications":[],"checkout_charge_amount":0};
  window.swymPageLoad = function(){
    window.SwymProductVariants = window.SwymProductVariants || {};
    window.SwymHasCartItems = 0 > 0;
    window.SwymPageData = {}, window.SwymProductInfo = {};
    var unknown = {et: 0};
    window.SwymPageData = unknown;
    
    window.SwymPageData.uri = window.swymLandingURL;
  };

  if(window.selectCallback){
    (function(){
      // Variant select override
      var originalSelectCallback = window.selectCallback;
      window.selectCallback = function(variant){
        originalSelectCallback.apply(this, arguments);
        try{
          if(window.triggerSwymVariantEvent){
            window.triggerSwymVariantEvent(variant.id);
          }
        }catch(err){
          console.warn("Swym selectCallback", err);
        }
      };
    })();
  }
  window.swymCustomerId = null;
  window.swymCustomerExtraCheck = null;

  var swappName = ("Wishlist" || "Wishlist");
  var swymJSObject = {
    pid: "3RpAcuAN2wSlrZD0\/8e+5Eg8xD07iYQn\/vIRkXMId4k=" || "3RpAcuAN2wSlrZD0/8e+5Eg8xD07iYQn/vIRkXMId4k=",
    interface: "/apps/swym" + swappName + "/interfaces/interfaceStore.php?appname=" + swappName
  };
  window.swymJSShopifyLoad = function(){
    if(window.swymPageLoad) swymPageLoad();
    if(!window._swat) {
      (function (s, w, r, e, l, a, y) {
        r['SwymRetailerConfig'] = s;
        r[s] = r[s] || function (k, v) {
          r[s][k] = v;
        };
      })('_swrc', '', window);
      _swrc('RetailerId', swymJSObject.pid);
      _swrc('Callback', function(){initSwymShopify();});
    }else if(window._swat.postLoader){
      _swrc = window._swat.postLoader;
      _swrc('RetailerId', swymJSObject.pid);
      _swrc('Callback', function(){initSwymShopify();});
    }else{
      initSwymShopify();
    }
  }
  if(!window._SwymPreventAutoLoad) {
    swymJSShopifyLoad();
  }
  window.swymGetCartCookies = function(){
    var RequiredCookies = ["cart", "swym-session-id", "swym-swymRegid", "swym-email"];
    var reqdCookies = {};
    RequiredCookies.forEach(function(k){
      reqdCookies[k] = _swat.storage.getRaw(k);
    });
    var cart_token = window.swymCart.token;
    var data = {
        action:'cart',
        token:cart_token,
        cookies:reqdCookies
    };
    return data;
  }

  window.swymGetCustomerData = function(){
    
    return {status:1};
    
  }
</script>

<style id="safari-flasher-pre"></style>
<script>
  if (navigator.userAgent.indexOf('Safari') != -1 && navigator.userAgent.indexOf('Chrome') == -1) {
    document.getElementById("safari-flasher-pre").innerHTML = ''
      + '#swym-plugin,#swym-hosted-plugin{display: none;}'
      + '.swym-button.swym-add-to-wishlist{display: none;}'
      + '.swym-button.swym-add-to-watchlist{display: none;}'
      + '#swym-plugin  #swym-notepad, #swym-hosted-plugin  #swym-notepad{opacity: 0; visibility: hidden;}'
      + '#swym-plugin  #swym-notepad, #swym-plugin  #swym-overlay, #swym-plugin  #swym-notification,'
      + '#swym-hosted-plugin  #swym-notepad, #swym-hosted-plugin  #swym-overlay, #swym-hosted-plugin  #swym-notification'
      + '{-webkit-transition: none; transition: none;}'
      + '';
    window.SwymCallbacks = window.SwymCallbacks || [];
    window.SwymCallbacks.push(function(tracker){
      tracker.evtLayer.addEventListener(tracker.JSEvents.configLoaded, function(){
        // flash-preventer
        var x = function(){
          SwymUtils.onDOMReady(function() {
            var d = document.createElement("div");
            d.innerHTML = "<style id='safari-flasher-post'>"
              + "#swym-plugin:not(.swym-ready),#swym-hosted-plugin:not(.swym-ready){display: none;}"
              + ".swym-button.swym-add-to-wishlist:not(.swym-loaded){display: none;}"
              + ".swym-button.swym-add-to-watchlist:not(.swym-loaded){display: none;}"
              + "#swym-plugin.swym-ready  #swym-notepad, #swym-plugin.swym-ready  #swym-overlay, #swym-plugin.swym-ready  #swym-notification,"
              + "#swym-hosted-plugin.swym-ready  #swym-notepad, #swym-hosted-plugin.swym-ready  #swym-overlay, #swym-hosted-plugin.swym-ready  #swym-notification"
              + "{-webkit-transition: opacity 0.3s, visibility 0.3ms, -webkit-transform 0.3ms !important;-moz-transition: opacity 0.3s, visibility 0.3ms, -moz-transform 0.3ms !important;-ms-transition: opacity 0.3s, visibility 0.3ms, -ms-transform 0.3ms !important;-o-transition: opacity 0.3s, visibility 0.3ms, -o-transform 0.3ms !important;transition: opacity 0.3s, visibility 0.3ms, transform 0.3ms !important;}"
              + "</style>";
            document.head.appendChild(d);
          });
        };
        setTimeout(x, 10);
      });
    });
  }

  // Get the money format for the store from shopify
  window.SwymOverrideMoneyFormat = "${{amount}}";
</script>
<style id="swym-product-view-defaults">
  /* Hide when not loaded */
  .swym-button.swym-add-to-wishlist-view-product:not(.swym-loaded){
    display: none;
  }
</style>

<script>
      (function() {
        if (typeof requestURL !== 'undefined' && !requestURL.includes && requestURL.includes) {
          console.warn('Patching requestURL.includes typo');
          requestURL.includes = requestURL.inclides;
          delete requestURL.inclides;
        }
      })();
    </script>
    <style>
  #hg-prop65-root {
    position: fixed;
    top: 0;
    left: 0;
    width: 100%;
    height: 100%;
    background: rgba(0,0,0,0.5);
    z-index: 9999;
    display: none;
    align-items: center;
    justify-content: center;
  }
  #hg-prop65-root.active {
    display: flex;
  }
  #hg-prop65-modal {
    background: white;
    padding: 20px;
    max-width: 500px;
    margin: 20px;
    border-radius: 5px;
    box-shadow: 0 2px 10px rgba(0,0,0,0.2);
  }
  #hg-prop65-modal h2 {
    font-size: 24px;
    margin-bottom: 15px;
  }
  #hg-prop65-modal p {
    font-size: 16px;
    line-height: 1.5;
    margin-bottom: 20px;
  }
  #hg-prop65-modal label {
    display: flex;
    align-items: center;
    margin-bottom: 20px;
  }
  #hg-prop65-modal input[type="checkbox"] {
    margin-right: 10px;
  }
  #hg-prop65-modal button {
    background: #7a3407;
    color: white;
    padding: 10px 20px;
    border: none;
    border-radius: 5px;
    cursor: pointer;
    font-size: 16px;
  }
  #hg-prop65-modal button:disabled {
    background: #ccc;
    cursor: not-allowed;
  }
</style>

<div id="hg-prop65-root" >
  <div id="hg-prop65-modal">
    <h2>California Proposition 65 Notice & Terms of Service</h2>
    <p>
      This product may contain chemicals known to the State of California to cause cancer, birth defects, or other reproductive harm.
      For more information, please visit <a href="https://www.p65warnings.ca.gov/" target="_blank">www.P65Warnings.ca.gov</a>.
    </p>
    <p>
      By proceeding, you agree to our <a href="/policies/terms-of-service" target="_blank">Terms of Service</a>.
    </p>
    <label>
      <input type="checkbox" id="hg-prop65-checkbox">
      I acknowledge the Proposition 65 warning and agree to the Terms of Service.
    </label>
    <button id="hg-prop65-continue" disabled> Agree & Continue </button>
  </div>
</div>

<script>
  (function() {
    var PROP65_TAG = 'prop65';
    var STORAGE_KEY = 'hg_prop65_ack';
    var isAcknowledged = localStorage.getItem(STORAGE_KEY) === 'true';
    var isCheckoutPage = false;
    var checkoutToken = window.location.pathname.match(/\/checkouts\/cn\/([a-zA-Z0-9]+)/)?.[1];
    var initialShowModal = false;

    function log(message) {
      console.log('Prop 65 Modal: ' + message);
    }

    function checkCartForProp65Products() {
      log('Checking cart for Prop 65 products');
      return fetch('/cart.js')
        .then(function(r) { return r.json(); })
        .then(function(cart) {
          if (!cart.items || cart.items.length === 0) {
            log('Cart is empty');
            return Promise.resolve(false);
          }
          log('Cart contents: ' + JSON.stringify(cart.items.map(function(item) { return { handle: item.handle }; })));
          return Promise.all(cart.items.map(function(item) {
            return fetch('/products/' + item.handle + '.js')
              .then(function(r) { return r.json(); })
              .catch(function(error) {
                log('Product fetch failed for handle: ' + item.handle + ', error: ' + error);
                return { tags: [] };
              })
              .then(function(product) {
                var hasTag = product.tags && product.tags.includes(PROP65_TAG);
                log('Product ' + item.handle + ' has prop65 tag: ' + hasTag);
                return hasTag;
              });
          })).then(function(results) {
            var hasProp65 = results.some(function(hasTag) { return hasTag; });
            log('Has Prop 65 product: ' + hasProp65);
            return hasProp65;
          });
        })
        .catch(function(error) {
          log('Cart fetch failed: ' + error);
          return false;
        });
    }

    function checkShippingState() {
      log('Checking shipping state');
      return Promise.any([
        // Try /cart.js
        fetch('/cart.js')
          .then(function(r) { return r.json(); })
          .then(function(cart) {
            log('Cart.js response: ' + JSON.stringify(cart));
            if (cart.shipping_address && cart.shipping_address.province_code) {
              var isCA = cart.shipping_address.province_code === 'CA';
              log('Shipping state (cart.js): ' + (isCA ? 'CA' : cart.shipping_address.province_code));
              return isCA;
            }
            throw new Error('No shipping address in cart.js');
          }),
        // Try /checkouts/{token}.json
        checkoutToken ? fetch('/checkouts/cn/' + checkoutToken + '.json')
          .then(function(r) { return r.json(); })
          .then(function(checkout) {
            log('Checkouts API response: ' + JSON.stringify(checkout));
            if (checkout.checkout && checkout.checkout.shipping_address && checkout.checkout.shipping_address.province_code) {
              var isCA = checkout.checkout.shipping_address.province_code === 'CA';
              log('Shipping state (checkouts API): ' + (isCA ? 'CA' : checkout.checkout.shipping_address.province_code));
              return isCA;
            }
            throw new Error('No shipping address in checkouts API');
          }) : Promise.reject('No checkout token'),
        // DOM-based fallback
        checkProvinceFromDOM()
      ]).catch(function(error) {
        log('All shipping state checks failed: ' + error);
        return false;
      });
    }

    function checkProvinceFromDOM() {
      log('Checking province from DOM');
      var selectors = [
        'select[id*="state"], select[id*="province"], select[id*="region"], select[name*="state"], select[name*="province"], select[name*="region"], select[name*="address"]',
        'input[id*="state"], input[id*="province"], input[id*="region"], input[name*="state"], input[name*="province"], input[name*="region"], input[name*="address"]',
        'select[data-testid*="state"], select[data-testid*="province"], select[data-testid*="region"], input[data-testid*="state"], input[data-testid*="province"], input[data-testid*="region"]'
      ];
      for (var selector of selectors) {
        var elements = document.querySelectorAll(selector);
        for (var element of elements) {
          var value = element.value.toUpperCase();
          log('DOM field: ' + selector + ', value: ' + value);
          if (value === 'CA' || value === 'CALIFORNIA' || value.includes('CALIFORNIA')) {
            log('DOM province detected: CA');
            return true;
          }
        }
      }
      log('No California province field found in DOM');
      return false;
    }

    function checkGeolocation() {
      log('Detecting geolocation');
      return fetch('https://ipapi.co/json/')
        .then(function(r) { return r.json(); })
        .then(function(data) {
          log('ipapi.co response: ' + JSON.stringify(data));
          var isCA = data.region_code === 'CA';
          log('State detected: ' + (isCA ? 'CA' : data.region_code || 'Unknown'));
          return isCA;
        })
        .catch(function(error) {
          log('ipapi.co failed: ' + error + ', trying ipwho.is');
          return fetch('https://ipwho.is/')
            .then(function(r) { return r.json(); })
            .then(function(data) {
              log('ipwho.is response: ' + JSON.stringify(data));
              var isCA = data.region_code === 'CA';
              log('State detected: ' + (isCA ? 'CA' : data.region_code || 'Unknown'));
              return isCA;
            })
            .catch(function(error) {
              log('Geolocation failed: ' + error);
              return false;
            });
        });
    }

    function showModal() {
      var root = document.getElementById('hg-prop65-root');
      if (!root) {
        log('Root element #hg-prop65-root not found');
        return;
      }
      root.classList.add('active');
      log('Opening modal');
    }

    function hideModal() {
      var root = document.getElementById('hg-prop65-root');
      if (root) {
        root.classList.remove('active');
        log('Closing modal');
      }
    }

    function setupModal() {
      var checkbox = document.getElementById('hg-prop65-checkbox');
      var button = document.getElementById('hg-prop65-continue');
      if (!checkbox || !button) {
        log('Modal elements not found');
        return;
      }
      checkbox.addEventListener('change', function() {
        button.disabled = !checkbox.checked;
      });
      button.addEventListener('click', function() {
        if (!button.disabled) {
          localStorage.setItem(STORAGE_KEY, 'true');
          isAcknowledged = true;
          hideModal();
          log('Acknowledgment saved');
        }
      });
    }

    function shouldShowModal() {
      if (isAcknowledged) {
        log('Modal already acknowledged');
        return Promise.resolve(false);
      }
      if (window.location.search.includes('prop65_reset=1')) {
        localStorage.removeItem(STORAGE_KEY);
        isAcknowledged = false;
        log('Resetting acknowledgment');
      }
      if (window.location.search.includes('prop65_test=1')) {
        log('Test mode enabled');
        return checkCartForProp65Products().then(function(hasProp65) {
          var shouldShow = hasProp65;
          log('Should show: ' + hasProp65);
          return shouldShow;
        });
      }
      return checkCartForProp65Products().then(function(hasProp65) {
        if (!hasProp65) {
          log('No Prop 65 products in cart');
          return false;
        }
        if (isCheckoutPage) {
          if (initialShowModal) {
            log('Liquid province_code == CA detected');
            return true;
          }
          return checkShippingState().then(function(isCAShipping) {
            var shouldShow = isCAShipping;
            log('Should show (checkout): ' + shouldShow);
            return shouldShow;
          });
        } else {
          log('Not in checkout, checking geolocation');
          return checkGeolocation().then(function(isCAGeo) {
            var shouldShow = isCAGeo;
            log('Should show (geolocation): ' + shouldShow);
            return shouldShow;
          });
        }
      });
    }

    function init() {
      log('Setup modal');
      setupModal();
      shouldShowModal().then(function(shouldShow) {
        if (shouldShow) {
          showModal();
        }
      });
    }

    function pollShippingState() {
      if (!isCheckoutPage) return;
      var lastProvinceCode = null;
      var retries = 0;
      var maxRetries = 15;
      function poll() {
        checkShippingState().then(function(isCA) {
          var currentProvinceCode = isCA ? 'CA' : null;
          if (currentProvinceCode !== lastProvinceCode || retries < maxRetries) {
            log('Polling shipping state, retry ' + retries + '/' + maxRetries);
            shouldShowModal().then(function(shouldShow) {
              if (shouldShow) {
                showModal();
              }
            });
            lastProvinceCode = currentProvinceCode;
            retries++;
          }
        }).catch(function(error) {
          log('Polling failed: ' + error);
          if (retries < maxRetries) {
            retries++;
            setTimeout(poll, 800);
          }
        });
      }
      setInterval(poll, 800);
    }

    function monitorCheckoutForm() {
      if (!isCheckoutPage) return;
      var selectors = [
        'input[id*="state"], input[id*="province"], input[id*="region"], input[name*="state"], input[name*="province"], input[name*="region"], input[name*="address"]',
        'select[id*="state"], select[id*="province"], select[id*="region"], select[name*="state"], select[name*="province"], select[name*="region"], select[name*="address"]',
        'input[data-testid*="state"], input[data-testid*="province"], input[data-testid*="region"], select[data-testid*="state"], select[data-testid*="province"], select[data-testid*="region"]',
        'button[type="submit"], input[type="submit"], button[data-testid*="continue"], button:contains("Continue"), button:contains("Next"), button:contains("Proceed")'
      ];
      selectors.forEach(function(selector) {
        var elements = document.querySelectorAll(selector);
        if (elements.length === 0) {
          log('No elements found for selector: ' + selector);
        }
        elements.forEach(function(element) {
          element.addEventListener('change', function() {
            log('Checkout field changed: ' + selector + ', value: ' + element.value);
            shouldShowModal().then(function(shouldShow) {
              if (shouldShow) {
                showModal();
              }
            });
          });
          element.addEventListener('click', function() {
            log('Checkout button clicked: ' + selector);
            shouldShowModal().then(function(shouldShow) {
              if (shouldShow) {
                showModal();
              }
            });
          });
        });
      });
    }

    function observeDOM() {
      if (!isCheckoutPage) return;
      var observer = new MutationObserver(function(mutations) {
        mutations.forEach(function(mutation) {
          if (mutation.addedNodes.length) {
            log('DOM changed, re-checking modal');
            shouldShowModal().then(function(shouldShow) {
              if (shouldShow) {
                showModal();
              }
            });
          }
        });
      });
      observer.observe(document.body, { childList: true, subtree: true });
      log('Started DOM observer');
    }

    document.addEventListener('DOMContentLoaded', function() {
      log('Initializing Prop 65 modal, checkout token: ' + (checkoutToken || 'none'));
      init();
      monitorCheckoutForm();
      pollShippingState();
      observeDOM();
    });
    document.addEventListener('cart:refresh', init);
    document.addEventListener('page:loaded', init);
  })();
</script>
  <style> .features--show-button-transition .Button--primary:not([disabled]):hover,.features--show-button-transition .shopify-payment-button__button--unbranded:not([disabled]):hover,.features--show-button-transition .spr-summary-actions-newreview:not([disabled]):hover,.features--show-button-transition .spr-button-primary:not(input):not([disabled]):hover,.Button--secondary:hover {color: #fff;} </style>
<div id="shopify-block-AUGZ4bm1wOXlRNVFzT__16187601983559181590" class="shopify-block shopify-app-block">    

<script id="sbisa-embed-init" defer async>
  (function () {
    console.log('Swym SBiSA App Embed Block Init');
    window.swymWatchlistEmbedBlockLoaded = true;
    var fullAssetUrl = "https://cdn.shopify.com/extensions/019d1fd6-4f13-7903-90ac-15abcbd59a65/sbisa-shopify-app-142/assets/apps.bundle.js"; 
    var assetBaseUrl = fullAssetUrl?.substring(0, fullAssetUrl.lastIndexOf('/') + 1);
    var swymJsPath = '//startercdn.swymrelay.com/code/swym-shopify.js';
    var baseJsPath = swymJsPath?.substring(0, swymJsPath.lastIndexOf('/') + 1);
    window.SwymCurrentJSPath = baseJsPath;
    window.SwymAssetBaseUrl = assetBaseUrl;
    
      window.SwymCurrentStorePath = "//swymstore-v3starter-01.swymrelay.com";
    
    function injectSwymShopifyScript() {
      var element = "";
      var scriptSrc = "";

      
        element = "swym-ext-shopify-script";
        window.SwymShopifyCdnInUse = true;
        scriptSrc = "https://cdn.shopify.com/extensions/019d1fd6-4f13-7903-90ac-15abcbd59a65/sbisa-shopify-app-142/assets/swym-ext-shopify.js";
      

      if (document.getElementById(element)) {
        return;
      }

      var s = document.createElement("script");
      s.id = element;
      s.type = "text/javascript";
      s.async = true;
      s.defer = true;
      s.src = scriptSrc;

      s.onerror = function() {
        console.warn("Failed to load Swym Shopify script: ", scriptSrc, " Continuing with default");
        // Fallback logic here
        element = `swym-ext-shopify-script-${__SWYM__VERSION__}`;
        var fallbackJsPathVal = "\/\/startercdn.swymrelay.com\/code\/swym-shopify.js";
        var fallbackJsPathWithExt = fallbackJsPathVal.replace("swym-shopify", "swym-ext-shopify");
        scriptSrc = fallbackJsPathWithExt + '?shop=' + encodeURIComponent(window.Shopify.shop) + '&v=' + __SWYM__VERSION__;

        var fallbackScript = document.createElement("script");
        fallbackScript.id = element;
        fallbackScript.type = "text/javascript";
        fallbackScript.async = true;
        fallbackScript.defer = true;
        fallbackScript.src = scriptSrc;
        var y = document.getElementsByTagName("script")[0];
        y.parentNode.insertBefore(fallbackScript, y);
      };

      var x = document.getElementsByTagName("script")[0];
      x.parentNode.insertBefore(s, x);    
    }
    
    const swymAppMetafields = {
      pid: '3RpAcuAN2wSlrZD0/8e+5Eg8xD07iYQn/vIRkXMId4k=',
      tier: 'v3starter-01',
      js_path: '//startercdn.swymrelay.com/code/swym-shopify.js',
      relay_path: 'https://swymstore-v3starter-01.swymrelay.com',
      isEnabled: '',
    };

    function loadSwymShopifyScriptWithWishlistCheck() {
      // Check if Wishlist is installed - bypass script injection as a temporary workaround solution to prevent duplicate scripts
      // Can be replaced with better logic once Wishlist also uses App Embed Block for script injection
      fetch('https://swymstore-v3starter-01.swymrelay.com' + '/script-tag-check?pid=' + '3RpAcuAN2wSlrZD0/8e+5Eg8xD07iYQn/vIRkXMId4k=')
        .then((response) => response.json())
        .then((data) => {
          if (!data?.["has-swym-script-tag"]) {
            injectSwymShopifyScript();
          }
        })
        .catch((error) => {
          // Handle any errors that occur
          console.error('Swym Error: ' + error);
          //Inject script to make sure script is injected nonetheless
          injectSwymShopifyScript();
        });
    }

    
      var consentAPICallbackInvoked = false;
      
      function loadScriptIfNoCustomerPrivacyAPI() {
        if(!window.Shopify?.customerPrivacy) {
          loadSwymShopifyScriptWithWishlistCheck();
          return true;
        }
        return false;
      }
      
      function checkConsentAndLoad() {
        var requiresConsentCheck = window.Shopify?.customerPrivacy?.shouldShowBanner?.();
        if(!requiresConsentCheck) {
          loadSwymShopifyScriptWithWishlistCheck();
          return;
        }
        var shouldLoadSwymScript = window.Shopify?.customerPrivacy?.preferencesProcessingAllowed?.();
        if (shouldLoadSwymScript) {
          loadSwymShopifyScriptWithWishlistCheck();
        } else {
          console.warn("No customer consent to load Swym SBiSA");
        }
      }
      function initialiseConsentCheck() {
        document.addEventListener("visitorConsentCollected", (event) => { checkConsentAndLoad(); });
        window.Shopify?.loadFeatures?.(
          [{name: 'consent-tracking-api', version: '0.1'}],
          error => { 
            consentAPICallbackInvoked = true;
            if (error) {
              if(loadScriptIfNoCustomerPrivacyAPI()) {
                return;
              }
            }
            checkConsentAndLoad();
          }
        );
      }
      function consentCheckFallback(retryCount) {
        if(!consentAPICallbackInvoked) {
          if (window.Shopify?.customerPrivacy) {
            checkConsentAndLoad();
          } else if (retryCount >= 1) {
            console.warn("Shopify privacy API unavailable, loading Swym script");
            loadSwymShopifyScriptWithWishlistCheck();
          } else {
            setTimeout(() => consentCheckFallback(retryCount + 1), 1000);
          }
        }
      }
      if (document.readyState === "loading") {
        document.addEventListener("DOMContentLoaded", initialiseConsentCheck);
        window.addEventListener("load", () => consentCheckFallback(0));
      } else {
        initialiseConsentCheck();
      }
    
  })();
</script>





<!-- BEGIN app snippet: swymSnippet --><script defer>
  (function () {
    const currentSwymJSPath = '//startercdn.swymrelay.com/code/swym-shopify.js';
    const currentSwymStorePath = 'https://swymstore-v3starter-01.swymrelay.com';
    const dnsPrefetchLink = `<link rel="dns-prefetch" href="https://${currentSwymStorePath}" crossorigin>`;
    const dnsPrefetchLink2 = `<link rel="dns-prefetch" href="${currentSwymJSPath}">`;
    const preConnectLink = `<link rel="preconnect" href="${currentSwymJSPath}">`;
    const swymSnippet = document.getElementById('sbisa-embed-init');        
    swymSnippet.insertAdjacentHTML('afterend', dnsPrefetchLink);
    swymSnippet.insertAdjacentHTML('afterend', dnsPrefetchLink2);
    swymSnippet.insertAdjacentHTML('afterend', preConnectLink);
  })()
</script>
<script id="swym-snippet" type="text">
  window.swymLandingURL = document.URL;
  window.swymCart = {"note":null,"attributes":{},"original_total_price":0,"total_price":0,"total_discount":0,"total_weight":0.0,"item_count":0,"items":[],"requires_shipping":false,"currency":"USD","items_subtotal_price":0,"cart_level_discount_applications":[],"checkout_charge_amount":0};
  window.swymPageLoad = function() {
    window.SwymProductVariants = window.SwymProductVariants || {};
    window.SwymHasCartItems = 0 > 0;
    window.SwymPageData = {}, window.SwymProductInfo = {};
      var unknown = {et: 0};
      window.SwymPageData = unknown;
    
    window.SwymPageData.uri = window.swymLandingURL;
  };
  if(window.selectCallback){
    (function(){
      // Variant select override
      var originalSelectCallback = window.selectCallback;
      window.selectCallback = function(variant){
        originalSelectCallback.apply(this, arguments);
        try{
          if(window.triggerSwymVariantEvent){
            window.triggerSwymVariantEvent(variant.id);
          }
        }catch(err){
          console.warn("Swym selectCallback", err);
        }
      };})();}
  window.swymCustomerId =null;
  window.swymCustomerExtraCheck =
    null;
  var swappName = ("Wishlist" || "Watchlist");
  var swymJSObject = {
    pid: "3RpAcuAN2wSlrZD0\/8e+5Eg8xD07iYQn\/vIRkXMId4k=",
    interface: "/apps/swym" + swappName + "/interfaces/interfaceStore.php?appname=" + swappName
  };
  window.swymJSShopifyLoad = function(){
    if(window.swymPageLoad) swymPageLoad();
    if(!window._swat) {
      (function (s, w, r, e, l, a, y) {
        r['SwymRetailerConfig'] = s;
        r[s] = r[s] || function (k, v) {
          r[s][k] = v;
        };
      })('_swrc', '', window);
      _swrc('RetailerId', swymJSObject.pid);
      _swrc('Callback', function(){initSwymShopify();});
    }else if(window._swat.postLoader){
      _swrc = window._swat.postLoader;
      _swrc('RetailerId', swymJSObject.pid);
      _swrc('Callback', function(){initSwymShopify();});
    }else{
      initSwymShopify();}
  }
  if(!window._SwymPreventAutoLoad) {
    swymJSShopifyLoad();
  }
  window.swymGetCartCookies = function(){
    var RequiredCookies = ["cart", "swym-session-id", "swym-swymRegid", "swym-email"];
    var reqdCookies = {};
    RequiredCookies.forEach(function(k){
      reqdCookies[k] = _swat.storage.getRaw(k);});
    var cart_token = window.swymCart.token;
    var data = {
        action:'cart',
        token:cart_token,
        cookies:reqdCookies
    };
    return data;
  }
  window.swymGetCustomerData = function(){ 
    
      return {status: 1};
    
  }
</script>

<style id="safari-flasher-pre"></style>
<script>
  if (navigator.userAgent.indexOf('Safari') != -1 && navigator.userAgent.indexOf('Chrome') == -1) {
    document.getElementById("safari-flasher-pre").innerHTML = '' + '#swym-plugin,#swym-hosted-plugin{display: none;}' + '.swym-button.swym-add-to-wishlist{display: none;}' + '.swym-button.swym-add-to-watchlist{display: none;}' + '#swym-plugin  #swym-notepad, #swym-hosted-plugin  #swym-notepad{opacity: 0; visibility: hidden;}' + '#swym-plugin  #swym-notepad, #swym-plugin  #swym-overlay, #swym-plugin  #swym-notification,' + '#swym-hosted-plugin  #swym-notepad, #swym-hosted-plugin  #swym-overlay, #swym-hosted-plugin  #swym-notification' + '{-webkit-transition: none; transition: none;}' + '';
    window.SwymCallbacks = window.SwymCallbacks || [];
    window.SwymCallbacks.push(function(tracker) {
      tracker.evtLayer.addEventListener(tracker.JSEvents.configLoaded, function() {
        // flash-preventer
        var x = function() {
          SwymUtils.onDOMReady(function() {
            var d = document.createElement("div");
            d.innerHTML = "<style id='safari-flasher-post'>" + "#swym-plugin:not(.swym-ready),#swym-hosted-plugin:not(.swym-ready){display: none;}" + ".swym-button.swym-add-to-wishlist:not(.swym-loaded){display: none;}" + ".swym-button.swym-add-to-watchlist:not(.swym-loaded){display: none;}" + "#swym-plugin.swym-ready  #swym-notepad, #swym-plugin.swym-ready  #swym-overlay, #swym-plugin.swym-ready  #swym-notification," + "#swym-hosted-plugin.swym-ready  #swym-notepad, #swym-hosted-plugin.swym-ready  #swym-overlay, #swym-hosted-plugin.swym-ready  #swym-notification" + "{-webkit-transition: opacity 0.3s, visibility 0.3ms, -webkit-transform 0.3ms !important;-moz-transition: opacity 0.3s, visibility 0.3ms, -moz-transform 0.3ms !important;-ms-transition: opacity 0.3s, visibility 0.3ms, -ms-transform 0.3ms !important;-o-transition: opacity 0.3s, visibility 0.3ms, -o-transform 0.3ms !important;transition: opacity 0.3s, visibility 0.3ms, transform 0.3ms !important;}" + "</style>";
            document.head.appendChild(d);
          });};
        setTimeout(x, 10);
      });});}
  window.SwymOverrideMoneyFormat = "${{amount}}"; // Get the money format for the store from shopify
</script>
<style id="swym-product-view-defaults"> .swym-button.swym-add-to-wishlist-view-product:not(.swym-loaded) { display: none; /* Hide when not loaded */ } </style><!-- END app snippet -->



<script id="swymSnippetCheckAndActivate">
  document.addEventListener('DOMContentLoaded', function () {
    var element = document.querySelector('script#swym-snippet:not([type="text"])');

    if (!element) {
      //To handle cases where Wishlist is "disabled on live theme"
      window.swymSnippetNotLoadedFromThemeFiles = true;

      var script = document.querySelector('script#swym-snippet[type="text"]');

      //Activating #swym-snippet
      script.type = 'text/javascript';
      new Function(script.textContent)();
    }
  });
</script>



</div><div id="shopify-block-AaUVQZ3RJdytsVHRjb__3667842014806057753" class="shopify-block shopify-app-block"><!-- BEGIN app snippet: snippet -->




















  
  
  

  










<script>
!(function () {
  if (window.OCUIncart) return;

  window.Zipify = window.Zipify || {};
  window.OCUApi = window.OCUApi || {};
  Zipify.OCU = Zipify.OCU || { api: OCUApi };
  Zipify.OCU.enabled = true;
})()
</script>





<style>.ocu-hidden.ocu-hidden.ocu-hidden,.bold_hidden.bold_hidden.bold_hidden{display:none !important}</style>
<script>
!function() {
if (window.OCUIncart) return;const loopReturns=JSON.parse(localStorage.getItem('loop-onstore-data'));if (loopReturns && loopReturns.active) return;
window.OCUIncart={...(window.OCUIncart ||{}),version:'2025/11/11',cart_items:[],subscription_tags:'',money_format:'${{amount}}',option_selection:'//www.healthygoods.com/cdn/shopifycloud/storefront/assets/themes_support/option_selection-b017cd28.js',metafields:{main:
  {
    
      general: {"settings":{"app_endpoint":"https://ocu.zipify.com","proxy_url":"/apps/oneclickupsell","sdp":"https://e7d54b729aaf49ea8b2f80dae22860aa@sentry.zipify.com/52","inc_sdp":"https://f14faca962674f149161045845b21b35@sentry.zipify.com/50","popup_locations":{"product":false,"cart":true,"collection":false,"index":false,"page":false,"zp_page":false,"zp_index":false,"zp_product":false,"zp_collection":false},"popup_settings":{"popup_frequency":"accept_or_decline"},"snippet_source":"extension","cart_drawer_extension":false,"cart_drawer_upsell":false,"ads_widget":false,"features":{"ppw":true,"cart_drawer":true},"offer_scripts":{"zipify-oneclickupsell-multiple":false,"zipify-oneclickupsell-single":true,"zipify-oneclickupsell-on-page":false}},"integrations":{"skip_cart":"false"}},
    
  }
 ||{},triggerProducts:'',get general() {return this.main.general ||{};},get settings() {return this.general.settings ||{};},get triggers() {return this.general.triggers ? this.general.triggers.pre_checkout:{};},get proxy_url() {return this.settings.proxy_url ||'/apps/secure-checkout';},get scripts() {const onPage='zipify-oneclickupsell-on-page';const scripts=this.general.settings.offer_scripts ?? {};const vendor='zipify-oneclickupsell-vendor';const loaded=Zipify.OCU.api.loaded ||{};if (Shopify?.designMode && !scripts[onPage]) scripts[onPage]=true;const uris=Object .entries(scripts) .reduce((acc,[script,enabled]) => (enabled && !script.includes('.js') && !loaded[script] ? [...acc,script]:acc),[]);return uris.length ? [...uris,vendor]:uris;}},get hasNotOfferInCart() {if (!this.cart_items?.length) return true;return !this.cart_items.find(function(item) {return item && item.properties && (item.properties._ocu_offer_id ||item.properties._ocu_product_page_id);});},get hasWidgetOffersInCart() {if (!this.cart_items?.length) return true;return this.cart_items.find(function(item) {return item && item.properties && item.properties._ocu_product_page_id;});},get settings() {return this.metafields.settings.popup_settings;},get proxy_url() {return this.metafields.proxy_url;},get appEndpoint() {return this.metafields.settings.app_endpoint;},get popupLocation() {return this.metafields.general.settings.popup_locations;},get isEmptyCart() {return !this.cart_items.length && this.popupLocation.product;},get permanent_domain() {return Zipify.OCU.lqd.permanent_domain;},get hasProductAddonsWidgetOffers() {return !!Object.keys(OCUApi.store.get('productPageWidget')).length;},get hasWidgetOffers() {console.warn('[OCU] Deprecation:`OCUIncart.hasWidgetOffers` is deprecated. Please use `OCUIncart.hasProductAddonsWidgetOffers` instead');return this.hasProductAddonsWidgetOffers;},get triggerProducts() {let products=this.metafields.triggerProducts;try {products=JSON.parse(products);} catch {products={}} const handles=products?.trigger_products?.reduce((acc,obj) => {const [key,value]=Object.entries(obj)[0];acc[key]=value;return acc;},{});return {...handles,...this._externalHandles};},_externalHandles:{},preventHandle(checkoutButton,addToCartButton) {return OCUApi.productLocationOnly && !this.popupLocation.cart && checkoutButton && !addToCartButton;}};Zipify.OCU.lqd={cart:{"note":null,"attributes":{},"original_total_price":0,"total_price":0,"total_discount":0,"total_weight":0.0,"item_count":0,"items":[],"requires_shipping":false,"currency":"USD","items_subtotal_price":0,"cart_level_discount_applications":[],"checkout_charge_amount":0},path:'' ==='true' ? 'd56719fefdd75e95ba06caea3d9a3732':'5965fedc7708e03e1024db4bf2ed5fe6',template_name:'index',template_suffix:'',shop_currency:'USD',skip_cart:OCUIncart.metafields.general.integrations.skip_cart ==='true',skip_cart_only:'false' ==='true',cart_products_json:JSON.parse("[]"),cart_collections_json:[],cart_variants_json:[],customer_id:"",customer:{id:"",email:''},customer_tags:[],proxy_url:OCUIncart.metafields.general.settings.proxy_url,scripts:OCUIncart.metafields.scripts,permanent_domain:'healthygoodsllc.myshopify.com',current_domain:'www.healthygoods.com',disabled_by_subscription_app:false,subscription_app_enabled:false,subscription_products_json:'',subscription_variants_json:'',subscription_products_size:0,integrate_with_recharge:'' ==='true',product:null ||OCUApi.product,collectionProducts:null,product_tags:[],amazon_pay:'' ==='true',themePopup:'' ==='true' ||'' ==='true',root_url:'/',themeSkipCart:'' ==='redirect_checkout' ||'' ==='true' ||'' ==='skip_cart',get upsell_cart_include_subscription_upsells() {var self=this;var hasSubscription=this.product_tags.reduce(function(acc,tag) {return acc ||~self.postcheckout_tags.indexOf(tag.toLowerCase());},false);return hasSubscription;},get isThemePopupTag() {return this.product && this.product.tags.some(function(tag) {return /cross-sell-\d/.test(tag);});},get isSkipCartPage() {return /index|collection|product/.test(this.template_name);},get isSkipCartCondition() {return (this.skip_cart ||this.themeSkipCart) && this.isSkipCartPage && !this.isThemePopupTag;},get checkoutUrl() {return (this.root_url ==='/' ? '':this.root_url) + '/checkout';},get isPopupTriggerPage() {const popupLocation={...OCUIncart.popupLocation};if (OCUApi.enableCollectionLocation) {popupLocation.collection=popupLocation.product;} if (OCUApi.enableCustomPages) {const pageName=OCUApi.customPageName ||'page';popupLocation[pageName]=(popupLocation[pageName] ||popupLocation.product) && OCUApi.enableCustomPages.includes(location.pathname);} const pages=Zipify.OCU.api.context.integrations.zipifyPages;if (pages.isZipifyEntity() && !pages.isAcceptableZPLocation()) {return null;} else if (pages.isAcceptableZPLocation()) {return popupLocation[pages.zpLocation()];} return popupLocation[Zipify.OCU.lqd.template_name];}};Zipify.OCU.lqd.cart_products_json=Zipify.OCU.lqd.cart_products_json.filter(function(item) {return item.handle && !item.error;});const lqd=Zipify.OCU.lqd;if (Zipify.OCU.loadScriptTags) Zipify.OCU.loadScriptTags();
function _createForOfIteratorHelper(e,n){var t,i,l,o,r="undefined"!=typeof Symbol&&e[Symbol.iterator]||e["@@iterator"];if(r)return i=!(t=!0),{s:function(){r=r.call(e)},n:function(){var e=r.next();return t=e.done,e},e:function(e){i=!0,l=e},f:function(){try{t||null==r.return||r.return()}finally{if(i)throw l}}};if(Array.isArray(e)||(r=_unsupportedIterableToArray(e))||n&&e&&"number"==typeof e.length)return r&&(e=r),o=0,{s:n=function(){},n:function(){return o>=e.length?{done:!0}:{done:!1,value:e[o++]}},e:function(e){throw e},f:n};throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}function _unsupportedIterableToArray(e,n){var t;if(e)return"string"==typeof e?_arrayLikeToArray(e,n):"Map"===(t="Object"===(t=Object.prototype.toString.call(e).slice(8,-1))&&e.constructor?e.constructor.name:t)||"Set"===t?Array.from(e):"Arguments"===t||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(t)?_arrayLikeToArray(e,n):void 0}function _arrayLikeToArray(e,n){(null==n||n>e.length)&&(n=e.length);for(var t=0,i=new Array(n);t<n;t++)i[t]=e[t];return i}!function(){Zipify.OCU.cdn="https://d1u9wuqimc88kc.cloudfront.net",Zipify.OCU.api.loaded||={};var e,n={"zipify-oneclickupsell-on-page.js":"https://d1npnstlfekkfz.cloudfront.net/zipify-oneclickupsell-on-page.8e5db2ee85c3018e.js","zipify-oneclickupsell-single-offer.js":"https://d1npnstlfekkfz.cloudfront.net/zipify-oneclickupsell-single-offer.41b8fa7e7fbb4080.js","zipify-oneclickupsell-single.js":"https://d1npnstlfekkfz.cloudfront.net/zipify-oneclickupsell-single.7964650d41604b02.js","zipify-oneclickupsell-vendor.js":"https://d1npnstlfekkfz.cloudfront.net/zipify-oneclickupsell-vendor.ccb3be90223958d0.js","zipify-oneclickupsell-multiple.js":"https://d1npnstlfekkfz.cloudfront.net/zipify-oneclickupsell-multiple.b1c751ea3d918539.js","zipify-oneclickupsell-multiple-offer.js":"https://d1npnstlfekkfz.cloudfront.net/zipify-oneclickupsell-multiple-offer.fb623238b3d8e81e.js","zipify-oneclickupsell-on-page.css":"https://d1npnstlfekkfz.cloudfront.net/zipify-oneclickupsell-on-page.8cf0a036eb803760.css","zipify-oneclickupsell-single.css":"https://d1npnstlfekkfz.cloudfront.net/zipify-oneclickupsell-single.d524193621518a94.css","zipify-oneclickupsell-single-offer.css":"https://d1npnstlfekkfz.cloudfront.net/zipify-oneclickupsell-single-offer.4848758ee5762be7.css","zipify-oneclickupsell-multiple.css":"https://d1npnstlfekkfz.cloudfront.net/zipify-oneclickupsell-multiple.f4d674754fc082ec.css","zipify-oneclickupsell-multiple-offer.css":"https://d1npnstlfekkfz.cloudfront.net/zipify-oneclickupsell-multiple-offer.3155ff14f5ea23fe.css","zipify-oneclickupsell-editor.js":"https://d1npnstlfekkfz.cloudfront.net/zipify-oneclickupsell-editor.96fb5f63bd8efaeb.js","zipify-oneclickupsell-clear-cart.js":"https://d1npnstlfekkfz.cloudfront.net/zipify-oneclickupsell-clear-cart.0abc074cfa5b90de.js","zipify-oneclickupsell-editor.css":"https://d1npnstlfekkfz.cloudfront.net/zipify-oneclickupsell-editor.7ed23b017f830ef7.css"},o=!1,t={"zipify-oneclickupsell-extension.js":'https://cdn.shopify.com/extensions/019d77d4-d28b-77bc-93ac-8fe2d7baf5cc/ocu-in-checkout-921/assets/zipify-oneclickupsell-extension.js'},r={"zipify-oneclickupsell-on-page.js":function(){return Zipify.OCU.__initProductPageWidgets()}};function c(e,n){var t;Zipify.OCU.api.loaded[e]?r[e]&&r[e]():(t=document.createElement("script"),Zipify.OCU.api.loaded[e]=!0,t.src=n,t.defer=!0,document.head.append(t))}function f(e){return n[e]||(console.warn("[OCU Extension] Missing resource in manifest: ".concat(e)),null)}function s(e){return e.includes("vendor")}function p(e){var n,i,l,o,r,e="".concat(e,".css");s(e)||(n=f(e))&&(i=e,l=n,Zipify.OCU.api.loaded[i]||(o=document.createElement("link"),r=!("undefined"!=typeof InstallTrigger),function e(){var n=0<arguments.length&&void 0!==arguments[0]?arguments[0]:3,t=1<arguments.length&&void 0!==arguments[1]?arguments[1]:100;Zipify.OCU.api.loaded[i]||(o.relList?.supports?.("prefetch")&&r?(o.as="style",o.rel="prefetch",o.onload=function(){o.rel="stylesheet",Zipify.OCU.api.loaded[i]=!0}):(o.rel="stylesheet",o.onload=function(){return Zipify.OCU.api.loaded[i]=!0}),o.onerror=function(){0<n?setTimeout(function(){return e(--n)},t):console.error("Failed to load ".concat(l," after multiple retries"))},o.href=l,document.head.append(o))}()))}function i(){var e,n,t,i=_createForOfIteratorHelper(Zipify.OCU.lqd.scripts);try{for(i.s();!(e=i.n()).done;){var l=e.value;t=void 0,n="".concat(n=l,".js"),Zipify.OCU.api.loaded[n]?r[n]&&r[n]():o&&s(n)||(t=f(n))&&c(n,t),o||p(l)}}catch(e){i.e(e)}finally{i.f()}}for(e in t)c(e,t[e]);OCUApi.loadScriptsOnWindowLoad?window.addEventListener("load",i):i()}();
}();
</script>

<!-- END app snippet -->


</div></body>
</html>