Link to home
Start Free TrialLog in
Avatar of sharingsunshine
sharingsunshineFlag for United States of America

asked on

Javascript Button Need OnClick To Reset

I have a javascript button at https://www.theherbsplace.com/rebate-program/ it is found at the bottom of the page. The button state is being carried over to every customer.  I need to make sure if someone doesn't want membership that the message doesn't show up that they do.

This is a WooCommerce site version 3.5.4 running Wordpress 4.9.8.  Also, I am using the theme Flatsome 3.7.2.

Here is the code

<script>
document.getElementById("order_comments").innerHTML = "I want membership";
</script>

Open in new window


<p><a class="button exclusive biz-op-button" title="I Want Membership!" href="#" data-register="true">Get My Membership</a></p>
<p class="form-row notes" id="order_comments" data-priority="">
    <label for="order_comments" class="">Order notes&nbsp;<span class="optional">(optional)</span></label>
    <span class="woocommerce-input-wrapper">
        <textarea name="order_comments" class="input-text " id="order_comments" placeholder="Notes about your order, e.g. special notes for delivery." rows="2" cols="5"></textarea>
    </span>
</p>

Open in new window

Avatar of Zakaria Acharki
Zakaria Acharki
Flag of Morocco image

Hi sir, could you please explain more what you mean by :

I need to make sure if someone doesn't want membership that the message doesn't show up that they do.

If you tell us what you want from the button to do when the user clicks on it, it will be helpful so we can provide an appropriate solution for you.
Hi,

You should save the value in localstorage
Let say the user select No then the value is saved in localstorage / sessionstorage
So your script can check this value to hide / dislay the button

https://developer.mozilla.org/en-US/docs/Web/API/Window/localStorage
Avatar of sharingsunshine

ASKER

I am wanting to make sure that if the button is pressed by one customer that the value of the button isn't cached.  This shows up when Customer A presses the button and completes their transaction.  Customer B doesn't press the button but the message "I Want Membership" still shows up attached to their order when they complete their transaction.

Local storage looks promising but I would need to see an example as it relates to my question.  I am not that versed in javascript to make the interpolations.
Hi,

Localstorage / sessionstorage are similare to cookies as it save the data based on user / browser.
This can be use to remember some temporary preferences, (you can set it lifetime or for a specific delay)
This will stay there until the session end or user clear the temporary file

for example I store user preference in localstorage for some not important things like popup promotion or some template display.

If you are looking for not temporary / permanent setting then you should save the value in the user profile or to a specific transaction / order.
this mean you want to keep this value long term and this will be associated to the user when returning.


Here is a good way to start
https://www.smashingmagazine.com/2010/10/local-storage-and-how-to-use-it/
To preserve state across pages requires either
a) Setting a server SESSSION variable and then changing render of the page accordingly based on that SESSION variable
b) As lenamtl suggested using local storage

With a) you need to write server side PHP code to render out the button / message based on the current state value stored in the $_SESSION.
With b) you need to add JavaScript to your pages that checks the state of localstorage and then shows / hides content on your page.

Which one you chose depends on which is the easiest to implement.

Let's go through your post.
What is it you are hoping to achieve with this code?
<script>
document.getElementById("order_comments").innerHTML = "I want membership";
</script>

Open in new window


What are you wanting to show us with the PHP code you posted.

Finally explain exactly what it is you want to happen on each page.
The customer goes to the page https://www.theherbsplace.com/rebate-program/ decides they want a free membership using the button at the bottom of the page.  Which is labeled "I Want Membership."

Unbeknownst to the customer a message is written in order_comments on the checkout page.  This message is carried over to the back office so that when I process their order I know they want a membership.

The problem currently, is it seems to stay clicked for all customers on FF and Chrome.  Even if they didn't press the button.

So, I want each website visitor that comes on the site and chooses not to press the button to not have the message already written in the order_comments section.  In other words, if they don't press the button then the order_comments section should be empty.  This should be regardless if they complete the order or not.
The simplest way to do this is with a cookie. You can also use localStorage but you need the data on the server and localStorage is not visible on the server so you need to pass the data back at some point. Cookies do this automatically so might as well use them.

When the button is clicked make an AJAX call back to your server and set a session variable

Change your HTML on your button to include an ID
<p><a id="WantMembership" class="button exclusive biz-op-button" title="I Want Membership!" href="#" data-register="true">Get My Membership</a></p>

Open in new window

Then implement a click handler on that button
$(function) {
  $('#WantMembership').click(function(e) {
    e.preventDefault();
    document.cookie = "wantmembership=1"; 
  });
});

Open in new window


Now, whenever you need to check if membership has been selected simply query the $_COOKIE['wantmembership'] cookie.

In your PHP code
<?php
  ...
  if (isset($_COOKIE['wantmembership'])) {
    // The user wants membership
  }

Open in new window

Thanks for the help.  However, it isn't writing the cookie when I look at Chrome to see the cookies.  I need the response to be inside order_notes on the checkout page so there isn't a hook to do that so I found this code to put it in the box.  This is so it will update the backoffice where I can take appropriate action.

add_action ('woocommerce_new_order', 'display_member');


function display_member($order_id) {

if (isset($_COOKIE['wantmembership'])) {
    // The user wants membership

$order = wc_get_order(  $order_id );

// The text for the note
$note = __("I Want Membership");

// Add the note
$order->add_order_note( $note );

// Save the data
$order->save();
  }
}

Open in new window


The rest of the code I copied what you gave me.  Any suggestions?
Here is some code that demonstrates the concept.
HTML
<h3>Set Cookie</h3>
<p><button class="btn btn-default" id="cook">Cookie</button></p>
<p>Go to next page using form</p>
<form action="t3485.php" method="post">
<button class="btn btn-success">Submit</button>
</form>
<h3>Go to next page using link</h3>
<p><a href="t3485.php">Next Page</a></p>
<h3>Clear Cookie</h3>
<p><button class="btn btn-danger" id="uncook">Clear Cookie</button></p>
<h3>Current Cookies</h3>
<pre id="result"></pre>

Open in new window

jQuery
$(function() {
	$('#result').text(listCookies);
	$('#cook').click(function(e) {
		e.preventDefault();
		document.cookie = "wantmembership=1";
		$('#result').text(listCookies);
	});
	
	$('#uncook').click(function(e) {
		e.preventDefault();
		deleteCookie('wantmembership');
		$('#result').text(listCookies);
	});
	
	function deleteCookie(cname) 
	{
		var d = new Date(); //Create an date object
		d.setTime(d.getTime() - (1000*60*60*24)); //Set the time to the past. 1000 milliseonds = 1 second
		var expires = "expires=" + d.toGMTString(); //Compose the expirartion date
		window.document.cookie = cname+"="+"; "+expires;//Set the cookie with name and the expiration date
	}	
	
	function listCookies() {
		var theCookies = document.cookie.split(';');
		var aString = '';
		for (var i = 1 ; i <= theCookies.length; i++) {
			aString += i + ' ' + theCookies[i-1] + "\n";
		}
		return aString;
	}	
});

Open in new window

PHP
<?php
echo <<< A
Cookies
A;
fnDump($_COOKIE);
function fnDump($x)
{
	echo "<pre>" . print_r($x, true) . "</pre>";
}
?>
<a href="t3485.html">Back to home page</ap>

Open in new window


You can see it working here

Tested in Chrome, FF and Edge - cookie works in all three.
I appreciate the hard work you put into this example and your thoroughness.  However, it is so different from your original solution that it will take some time to understand.

So, why is it necessary to deviate so much from your original response?  Your original response I was very close to implementing.

Thanks,
Hi,

To my opinion cookies can be harder to implement, this is why I do prefer localstorage over cookies.
There are more settings to set a cookies and localstorage can hold a lot more data.

see an example https://jsfiddle.net/lenamtl/nvzxot6b/

Also I'm wondering why you want to hide the membership button?
I can understand to hide a banner or something that is visually intrusive but I don't see the reason to hide a small button as maybe the user will change is mind and won't be able to get the membership...
@Lenamtl,
My 2c worth
There are more settings to set a cookies
Not really
document.cookie = "biscuit=1";

Open in new window

vs
localStorage.setItem('biscuit',1);

Open in new window

and localstorage can hold a lot more data.
True - but that is not really relevant in this case as we are talking about a flag value.
At some point you need the value on the server - so whatever gains you made through the simpler (marginal) localStorage interface is offset by the complexity created by having to push the data to the server.
Cookies move by default with the page - they are immediately available thanks to the work done by the browser.

WP relies heavily on cookies - sessions are not used for various reasons (which negates my comment on sessions above) - in my view cookies are the natural goto for this particular requirement.
because this is a wordpress installation I prefer to use cookies.  Lenamtl, I am not sure where you got the idea I wanted to hide the button?  I don't.

I don't want the message showing unless they have clicked the button that is in the order_notes section.
Ok sorry I misunderstood the case.
Yes of course cookies is good too.
no problem, I appreciate your interest in helping me solve it.
Julian, I am having problems integrating this with wordpress's woocommerce shopping cart.  I need to create the cookie on one page, test for its existence in functions.php and write a message in order_notes, then remove the cookie.

This code you created initially only needed some troubleshooting, it seems to make it work.  It follows what I need.

Here is your code
When the button is clicked make an AJAX call back to your server and set a session variable

Change your HTML on your button to include an ID

<p><a id="WantMembership" class="button exclusive biz-op-button" title="I Want Membership!" href="#" data-register="true">Get My Membership</a></p>

Open in new window
Then implement a click handler on that button

$(function) {
  $('#WantMembership').click(function(e) {
    e.preventDefault();
    document.cookie = "wantmembership=1"; 
  });
});

Open in new window

Now, whenever you need to check if membership has been selected simply query the $_COOKIE['wantmembership'] cookie.

In your PHP code

<?php
  ...
  if (isset($_COOKIE['wantmembership'])) {
    // The user wants membership
  }

Open in new window


Here is my addon to it so it would write in order_notes.

Thanks for the help.  However, it isn't writing the cookie when I look at Chrome to see the cookies.  I need the response to be inside order_notes on the checkout page so there isn't a hook to do that so I found this code to put it in the box.  This is so it will update the backoffice where I can take appropriate action.

add_action ('woocommerce_new_order', 'display_member');


function display_member($order_id) {

if (isset($_COOKIE['wantmembership'])) {
    // The user wants membership

$order = wc_get_order(  $order_id );

// The text for the note
$note = __("I Want Membership");

// Add the note
$order->add_order_note( $note );

// Save the data
$order->save();
  }
}

Open in new window

The rest of the code I copied what you gave me.  Any suggestions? 

Open in new window


Putting it all together, no cookie is written so can't test other logic.  Please help me to get your initial solution working.
Where is your JavaScript implementation that links the click of the WantMembership button to the creation of the cookie.

There is nothing special required for WordPress

On button click your bound event handler creates the cookie.
All future calls to the server will now include this cookie.
In your WP PHP code - wherever you need it you access the cookie as $_COOKIE['wantmembership'] - on any page that will be available.

When you want to expire the cookie just set its expiry date to sometime in the past.
unset($_COOKIE['wantmembership']);
setcookie('wantmembership', null, -1, '/');

Open in new window


There is nothing special or complicated about this approach. If you are still having issues please post the html of the page that has the button on it. To do this
1. open the page in your browser
2. Right click the page and select View Page Source
3. Copy the HTML and paste it here.

That way we can see what is actually being rendered.
I put your jquery code in the page with the button.  Here is the source code, it seems the cookie isn't being written.

<!DOCTYPE html>
<!--[if IE 9 ]> <html lang="en-US" class="ie9 loading-site no-js"> <![endif]-->
<!--[if IE 8 ]> <html lang="en-US" class="ie8 loading-site no-js"> <![endif]-->
<!--[if (gte IE 9)|!(IE)]><!--><html lang="en-US" class="loading-site no-js"> <!--<![endif]-->
<head>
	<meta charset="UTF-8" />
	<meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=1.0, user-scalable=no" />

	<link rel="profile" href="http://gmpg.org/xfn/11" />
	<link rel="pingback" href="http://www.test-tfl.com/xmlrpc.php" />

	<script>(function(html){html.className = html.className.replace(/\bno-js\b/,'js')})(document.documentElement);</script>
<title>Nature&#8217;s Sunshine Rebate Program &#8211; The Herbs Place &#8211; The Herbs Place</title>
<link rel='dns-prefetch' href='//s.w.org' />
<link rel="alternate" type="application/rss+xml" title="The Herbs Place &raquo; Feed" href="http://www.test-tfl.com/feed/" />
<link rel="alternate" type="application/rss+xml" title="The Herbs Place &raquo; Comments Feed" href="http://www.test-tfl.com/comments/feed/" />
		<script type="text/javascript">
			window._wpemojiSettings = {"baseUrl":"https:\/\/s.w.org\/images\/core\/emoji\/11\/72x72\/","ext":".png","svgUrl":"https:\/\/s.w.org\/images\/core\/emoji\/11\/svg\/","svgExt":".svg","source":{"concatemoji":"http:\/\/www.test-tfl.com\/wp-includes\/js\/wp-emoji-release.min.js?ver=4.9.9"}};
			!function(a,b,c){function d(a,b){var c=String.fromCharCode;l.clearRect(0,0,k.width,k.height),l.fillText(c.apply(this,a),0,0);var d=k.toDataURL();l.clearRect(0,0,k.width,k.height),l.fillText(c.apply(this,b),0,0);var e=k.toDataURL();return d===e}function e(a){var b;if(!l||!l.fillText)return!1;switch(l.textBaseline="top",l.font="600 32px Arial",a){case"flag":return!(b=d([55356,56826,55356,56819],[55356,56826,8203,55356,56819]))&&(b=d([55356,57332,56128,56423,56128,56418,56128,56421,56128,56430,56128,56423,56128,56447],[55356,57332,8203,56128,56423,8203,56128,56418,8203,56128,56421,8203,56128,56430,8203,56128,56423,8203,56128,56447]),!b);case"emoji":return b=d([55358,56760,9792,65039],[55358,56760,8203,9792,65039]),!b}return!1}function f(a){var c=b.createElement("script");c.src=a,c.defer=c.type="text/javascript",b.getElementsByTagName("head")[0].appendChild(c)}var g,h,i,j,k=b.createElement("canvas"),l=k.getContext&&k.getContext("2d");for(j=Array("flag","emoji"),c.supports={everything:!0,everythingExceptFlag:!0},i=0;i<j.length;i++)c.supports[j[i]]=e(j[i]),c.supports.everything=c.supports.everything&&c.supports[j[i]],"flag"!==j[i]&&(c.supports.everythingExceptFlag=c.supports.everythingExceptFlag&&c.supports[j[i]]);c.supports.everythingExceptFlag=c.supports.everythingExceptFlag&&!c.supports.flag,c.DOMReady=!1,c.readyCallback=function(){c.DOMReady=!0},c.supports.everything||(h=function(){c.readyCallback()},b.addEventListener?(b.addEventListener("DOMContentLoaded",h,!1),a.addEventListener("load",h,!1)):(a.attachEvent("onload",h),b.attachEvent("onreadystatechange",function(){"complete"===b.readyState&&c.readyCallback()})),g=c.source||{},g.concatemoji?f(g.concatemoji):g.wpemoji&&g.twemoji&&(f(g.twemoji),f(g.wpemoji)))}(window,document,window._wpemojiSettings);
		</script>
		<style type="text/css">
img.wp-smiley,
img.emoji {
	display: inline !important;
	border: none !important;
	box-shadow: none !important;
	height: 1em !important;
	width: 1em !important;
	margin: 0 .07em !important;
	vertical-align: -0.1em !important;
	background: none !important;
	padding: 0 !important;
}
</style>
<link rel='stylesheet' id='contact-form-7-css'  href='http://www.test-tfl.com/wp-content/plugins/contact-form-7/includes/css/styles.css?ver=5.1.1' type='text/css' media='all' />
<style id='woocommerce-inline-inline-css' type='text/css'>
.woocommerce form .form-row .required { visibility: visible; }
</style>
<link rel='stylesheet' id='flatsome-icons-css'  href='http://www.test-tfl.com/wp-content/themes/flatsome/assets/css/fl-icons.css?ver=3.3' type='text/css' media='all' />
<link rel='stylesheet' id='flatsome-main-css'  href='http://www.test-tfl.com/wp-content/themes/flatsome/assets/css/flatsome.css?ver=3.7.2' type='text/css' media='all' />
<link rel='stylesheet' id='flatsome-shop-css'  href='http://www.test-tfl.com/wp-content/themes/flatsome/assets/css/flatsome-shop.css?ver=3.7.2' type='text/css' media='all' />
<link rel='stylesheet' id='flatsome-style-css'  href='http://www.test-tfl.com/wp-content/themes/flatsome-child/style.css?ver=3.0' type='text/css' media='all' />
<script type='text/javascript' src='http://www.test-tfl.com/wp-includes/js/jquery/jquery.js?ver=1.12.4'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-includes/js/jquery/jquery-migrate.min.js?ver=1.4.1'></script>
<link rel='https://api.w.org/' href='http://www.test-tfl.com/wp-json/' />
<link rel="EditURI" type="application/rsd+xml" title="RSD" href="http://www.test-tfl.com/xmlrpc.php?rsd" />
<link rel="wlwmanifest" type="application/wlwmanifest+xml" href="http://www.test-tfl.com/wp-includes/wlwmanifest.xml" /> 
<meta name="generator" content="WordPress 4.9.9" />
<meta name="generator" content="WooCommerce 3.5.4" />
<link rel="canonical" href="http://www.test-tfl.com/rebate_program/" />
<link rel='shortlink' href='http://www.test-tfl.com/?p=798' />
<link rel="alternate" type="application/json+oembed" href="http://www.test-tfl.com/wp-json/oembed/1.0/embed?url=http%3A%2F%2Fwww.test-tfl.com%2Frebate_program%2F" />
<link rel="alternate" type="text/xml+oembed" href="http://www.test-tfl.com/wp-json/oembed/1.0/embed?url=http%3A%2F%2Fwww.test-tfl.com%2Frebate_program%2F&#038;format=xml" />
<style>.bg{opacity: 0; transition: opacity 1s; -webkit-transition: opacity 1s;} .bg-loaded{opacity: 1;}</style><!--[if IE]><link rel="stylesheet" type="text/css" href="http://www.test-tfl.com/wp-content/themes/flatsome/assets/css/ie-fallback.css"><script src="//cdnjs.cloudflare.com/ajax/libs/html5shiv/3.6.1/html5shiv.js"></script><script>var head = document.getElementsByTagName('head')[0],style = document.createElement('style');style.type = 'text/css';style.styleSheet.cssText = ':before,:after{content:none !important';head.appendChild(style);setTimeout(function(){head.removeChild(style);}, 0);</script><script src="http://www.test-tfl.com/wp-content/themes/flatsome/assets/libs/ie-flexibility.js"></script><![endif]-->    <script type="text/javascript">
    WebFontConfig = {
      google: { families: [ "Montserrat","Lato","Montserrat:regular,700","Dancing+Script", ] }
    };
    (function() {
      var wf = document.createElement('script');
      wf.src = 'https://ajax.googleapis.com/ajax/libs/webfont/1/webfont.js';
      wf.type = 'text/javascript';
      wf.async = 'true';
      var s = document.getElementsByTagName('script')[0];
      s.parentNode.insertBefore(wf, s);
    })(); </script>
  	<noscript><style>.woocommerce-product-gallery{ opacity: 1 !important; }</style></noscript>
	<style id="custom-css" type="text/css">:root {--primary-color: #008cb2;}/* Site Width */.header-main{height: 91px}#logo img{max-height: 91px}#logo{width:166px;}.header-bottom{min-height: 43px}.header-top{min-height: 30px}.transparent .header-main{height: 30px}.transparent #logo img{max-height: 30px}.has-transparent + .page-title:first-of-type,.has-transparent + #main > .page-title,.has-transparent + #main > div > .page-title,.has-transparent + #main .page-header-wrapper:first-of-type .page-title{padding-top: 110px;}.header.show-on-scroll,.stuck .header-main{height:70px!important}.stuck #logo img{max-height: 70px!important}.search-form{ width: 100%;}.header-bg-color, .header-wrapper {background-color: rgba(255,255,255,0.9)}.header-bottom {background-color: #336633}.stuck .header-main .nav > li > a{line-height: 50px }@media (max-width: 549px) {.header-main{height: 70px}#logo img{max-height: 70px}}.header-top{background-color:#336633!important;}/* Color */.accordion-title.active, .has-icon-bg .icon .icon-inner,.logo a, .primary.is-underline, .primary.is-link, .badge-outline .badge-inner, .nav-outline > li.active> a,.nav-outline >li.active > a, .cart-icon strong,[data-color='primary'], .is-outline.primary{color: #008cb2;}/* Color !important */[data-text-color="primary"]{color: #008cb2!important;}/* Background Color */[data-text-bg="primary"]{background-color: #008cb2;}/* Background */.scroll-to-bullets a,.featured-title, .label-new.menu-item > a:after, .nav-pagination > li > .current,.nav-pagination > li > span:hover,.nav-pagination > li > a:hover,.has-hover:hover .badge-outline .badge-inner,button[type="submit"], .button.wc-forward:not(.checkout):not(.checkout-button), .button.submit-button, .button.primary:not(.is-outline),.featured-table .title,.is-outline:hover, .has-icon:hover .icon-label,.nav-dropdown-bold .nav-column li > a:hover, .nav-dropdown.nav-dropdown-bold > li > a:hover, .nav-dropdown-bold.dark .nav-column li > a:hover, .nav-dropdown.nav-dropdown-bold.dark > li > a:hover, .is-outline:hover, .tagcloud a:hover,.grid-tools a, input[type='submit']:not(.is-form), .box-badge:hover .box-text, input.button.alt,.nav-box > li > a:hover,.nav-box > li.active > a,.nav-pills > li.active > a ,.current-dropdown .cart-icon strong, .cart-icon:hover strong, .nav-line-bottom > li > a:before, .nav-line-grow > li > a:before, .nav-line > li > a:before,.banner, .header-top, .slider-nav-circle .flickity-prev-next-button:hover svg, .slider-nav-circle .flickity-prev-next-button:hover .arrow, .primary.is-outline:hover, .button.primary:not(.is-outline), input[type='submit'].primary, input[type='submit'].primary, input[type='reset'].button, input[type='button'].primary, .badge-inner{background-color: #008cb2;}/* Border */.nav-vertical.nav-tabs > li.active > a,.scroll-to-bullets a.active,.nav-pagination > li > .current,.nav-pagination > li > span:hover,.nav-pagination > li > a:hover,.has-hover:hover .badge-outline .badge-inner,.accordion-title.active,.featured-table,.is-outline:hover, .tagcloud a:hover,blockquote, .has-border, .cart-icon strong:after,.cart-icon strong,.blockUI:before, .processing:before,.loading-spin, .slider-nav-circle .flickity-prev-next-button:hover svg, .slider-nav-circle .flickity-prev-next-button:hover .arrow, .primary.is-outline:hover{border-color: #008cb2}.nav-tabs > li.active > a{border-top-color: #008cb2}.widget_shopping_cart_content .blockUI.blockOverlay:before { border-left-color: #008cb2 }.woocommerce-checkout-review-order .blockUI.blockOverlay:before { border-left-color: #008cb2 }/* Fill */.slider .flickity-prev-next-button:hover svg,.slider .flickity-prev-next-button:hover .arrow{fill: #008cb2;}/* Background Color */[data-icon-label]:after, .secondary.is-underline:hover,.secondary.is-outline:hover,.icon-label,.button.secondary:not(.is-outline),.button.alt:not(.is-outline), .badge-inner.on-sale, .button.checkout, .single_add_to_cart_button{ background-color:#4ad8ff; }[data-text-bg="secondary"]{background-color: #4ad8ff;}/* Color */.secondary.is-underline,.secondary.is-link, .secondary.is-outline,.stars a.active, .star-rating:before, .woocommerce-page .star-rating:before,.star-rating span:before, .color-secondary{color: #4ad8ff}/* Color !important */[data-text-color="secondary"]{color: #4ad8ff!important;}/* Border */.secondary.is-outline:hover{border-color:#4ad8ff}body{font-family:"Lato", sans-serif}.nav > li > a {font-family:"Montserrat", sans-serif;}.nav > li > a {font-weight: 700;}h1,h2,h3,h4,h5,h6,.heading-font, .off-canvas-center .nav-sidebar.nav-vertical > li > a{font-family: "Montserrat", sans-serif;}.alt-font{font-family: "Dancing Script", sans-serif;}a{color: #0837f1;}@media screen and (min-width: 550px){.products .box-vertical .box-image{min-width: 247px!important;width: 247px!important;}}.footer-1{background-color: #222}.footer-2{background-color: #336633}.absolute-footer, html{background-color: #000}/* Custom CSS */#menu-item-132738 {background-color:red;}/* Custom CSS Tablet */@media (max-width: 849px){#menu-item-132738 {background-color:red;}}/* Custom CSS Mobile */@media (max-width: 549px){#menu-item-132738 {background-color:red;}}.label-new.menu-item > a:after{content:"New";}.label-hot.menu-item > a:after{content:"Hot";}.label-sale.menu-item > a:after{content:"Sale";}.label-popular.menu-item > a:after{content:"Popular";}</style>		<style type="text/css" id="wp-custom-css">
			#categories_block_left li a { /* colors categories */
  color:#336633;
}
/*#editorial_block_center #editorial_main_image {
  margin:0 auto;
}*/
#index div#center_column  #editorial_main_image img.editorialimg {
  clear:both;
  margin-left:auto;
  margin-right:auto;
}
.rte p{
  font-size:16px;
}
div.rte div.header_text {
  color:#336633;
  font-size:24px;
  margin-bottom:25px;
  margin-top:20px;
  text-align:center;
  margin:0 auto;
}

div.header_text li {
  margin-bottom:10px;
}
div.header_text ul {
  list-style-type:none;
  margin-top:20px;
}
#cart_quantity_down_119_0_0_0 {
  color:blue;
}
.ajax_cart_product_txt_s {
  font-size:12px;
  margin:0;
  padding:0;
}
/*a.button {
  background-color: #ff0000
}*/
div.navbox2col_center_longer {
  color:black;
  font-size:10px;
  background-color:#FFFF99;
  font-weight:normal;
}
div.navbox2col_center_longer p {
  font-size:10px;
}
div.links_navbox_center_longer_top p {
    text-align:center;
  margin:0 auto;
}
div.links_left_navbox_longer, div.links_right_navbox_longer {
   background-color:#FFFF99;
}
div#search_block_top {
  float:right;
  position:relative;
  top:-30px; /*With QV_Contest 135 px and 223 with protein box*/

}
.boldblackcenter {
	font-family: Arial, Helvetica, sans-serif;
	color: #000000;
	font-size: 13px;
	font-weight: bold;
	text-align: center;
	margin: 0 auto;
}
div#cart_vouchers_adder {visibility:hidden;}


@media only screen and (max-width: 220px) {

   body, section, p, div { font-size: 2em; }
  #homepageadvertise li img{max-width: 20%; height:auto;}
/*#page {overflow-y:auto}*/
}
#homepageadvertise li img{max-width: 80%; height:auto;}
.pet_success_navigation {
	text-align:center;
	background-color: #99cc99; 
	padding: 10px; 
	padding-right: 40px; 
	padding-left: 40px; 
	font-size: 20px; 
	margin: 0 auto; 
	width: auto;
}
.pet_success_div {
	margin-top: 15px; 
	margin-bottom: 15px;
}
.pet_success_navigation a {
	margin-left:20px;
}


#editorial_main_image {
  padding: 0 10px;
    text-align: center;
  display:block;
  
}



@media screen and (max-width: 1320px) {
	.main_menu_link{
		line-height: 20px;
		text-align:center
	}
}
	
	#header #search_block_top {
		width:190px;
    top: -30px;
			}
	
@media (max-width: 1320px) {
div.featured-products_block_center {
    margin-right:50px;
  width:80%;
}
}
/*@media screen and (max-device-width: 480px) {*/
@media (max-width: 480px) {
div.featured-products_block_center {
    margin-right:350px;
  width:60%;
}
#search_block_top .button_search {
    height:35px;
    width:37px;
}
  #search_block_top #search_query_top {
  height:35px;
    width:190px;
 /* position:relative;
  right:20px;*/
}
}
@media (max-width: 360px) {
div.featured-products_block_center {
    margin-right:450px;
  width:60%;
  }
#search_block_top .button_search {
  height:35px;
    width:37px;
}
#search_block_top #search_query_top {
  height:35px;
    width:190px;
}

}
div.ans {
  text-align:left;
}
h2.ans a {
  margin-top:20px;
}
#main_section div.rte div.ans > p {
   padding-bottom: 10px
} 
.shophead {
        z-index:1;
        text-align:center;
        margin:0 auto;
        margin-bottom:12px;
}
.shophead a:link {
	color:blue;
	font-size:18px;	
}


.boldred {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 16px;
        color: #FF0000;
        font-weight: bold;
}
.boldred_footer {
        font-family: Arial, Helvetica, sans-serif;
        color: #FF0000;
        font-weight: bold;
}
.boldred_center {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 12px;
        color: #FF0000;
        font-weight: bold;
        margin:0 auto;
        text-align:center;
}

.boldred_padding {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 12px;
        color: #FF0000;
        font-weight: bold;
        padding-bottom:6px;
}
        .boldwhite {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 12px;
        color: #FFFFFF;
        font-weight: bold;
        text-decoration:underline
}

        .boldredheading {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 16px;
        color: #FF0000;
        font-weight: bold;
}

.boldredheading_center {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 14px;
        color: #FF0000;
        font-weight: bold;
        margin:0 auto;
        text-align:center;
}
        .boldblack {
        font-family: Arial, Helvetica, sans-serif;
        color: #000000;
        font-size: 16px;
        font-weight: bold;
}
.normal {
        font-family: Arial, Helvetica, sans-serif;
        color: #000000;
        font-size: 12px;
}
.boldblackcenter {
        font-family: Arial, Helvetica, sans-serif;
        color: #000000;
        font-size: 13px;
        font-weight: bold;
        text-align: center;
        margin: 0 auto;
}
.boldblack_small_underline {
        font-family: Arial, Helvetica, sans-serif;
        color: #000000;
        font-size: 10px;
        font-weight: bold;
        text-decoration:underline;
}
.boldbluecenter {
        font-family: Arial, Helvetica, sans-serif;
        color: #0000FF;
        font-size: 12px;
        font-weight: bold;
        text-align: center;
        margin: 0 auto;
}
.heading {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 18px;
        font-weight: bold;
        color: #000000;
}
.heading2 {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 14px;
        font-weight: bold;
        color: red;
}
b a:link {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 12px;
        font-weight: bold;
        color:#0000FF;
}
.boldblack_indent {
        font-family: Arial, Helvetica, sans-serif;
        color: #000000;
        font-size: 12px;
        font-weight: bold;
        text-indent:2cm;
}
.heading {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 18px;
        font-weight: bold;
        color: #000000;
}
.heading2 {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 14px;
        font-weight: bold;
        color: red;
}
b a:link {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 12px;
        font-weight: bold;
        color:#0000FF;
}
.heading_choices {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 12px;
        font-weight: bold;
        color: #000000;
        padding-top:16px;
        padding:0;
}
.heading_italics {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 14px;
        font-weight: bold;
        color: #000000;
        font-style:italic;
}
.italics {
        font-family: Arial, Helvetica, sans-serif;
        color: #000000;
        font-style:italic;
}
.heading_center {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 14px;
        font-weight: bold;
        color: #000000;
}

.image_center {
margin:0 auto;
text-align:center;
margin-bottom:15px;
}
.image_center_pic{
margin-right:auto;
margin-left:auto;
margin-bottom:20px;
}
.heading_free_shipping {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 14px;
        font-weight: bold;
        color: #000000;
        margin-top:15px;
}
.temp_body_href {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 16px;
        color: blue;
        font-weight: bold;
}
.temp_body_bold {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 16px;
        color: #000000;
        font-weight: bold;
        margin:0;
        padding:0;
        background-color:#FFFF99;
}
.temp_body_bold_menu {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 11px;
        color: #000000;
        font-weight: bold;
        text-transform: uppercase;
}
h1 {
	margin:0 auto;
	text-align:center;}		</style>
	</head>

<body class="page-template page-template-page-left-sidebar page-template-page-left-sidebar-php page page-id-798 woocommerce-no-js lightbox nav-dropdown-has-arrow">


<a class="skip-link screen-reader-text" href="#main">Skip to content</a>

<div id="wrapper">


<header id="header" class="header has-sticky sticky-jump">
   <div class="header-wrapper">
	<div id="top-bar" class="header-top hide-for-sticky nav-dark">
    <div class="flex-row container">
      <div class="flex-col hide-for-medium flex-left">
          <ul class="nav nav-left medium-nav-center nav-small  nav-divided">
                        </ul>
      </div><!-- flex-col left -->

      <div class="flex-col hide-for-medium flex-center">
          <ul class="nav nav-center nav-small  nav-divided">
                        </ul>
      </div><!-- center -->

      <div class="flex-col hide-for-medium flex-right">
         <ul class="nav top-bar-nav nav-right nav-small  nav-divided">
              <li class="header-contact-wrapper">
		<ul id="header-contact" class="nav nav-divided nav-uppercase header-contact">
		
					
						<li class="">
			  <a class="tooltip" title="10:00 - 18:00 ">
			  	   <i class="icon-clock" style="font-size:10px;"></i>			        <span></span>
			  </a>
			 </li>
			
						<li class="">
			  <a href="tel:434-591-1249" class="tooltip" title="434-591-1249">
			     <i class="icon-phone" style="font-size:10px;"></i>			      <span></span>
			  </a>
			</li>
				</ul>
</li><li class="html header-social-icons ml-0">
	<div class="social-icons follow-icons " ><a href="http://facebook.com/theherbsplace" target="_blank" data-label="Facebook"  rel="noopener noreferrer nofollow" class="icon plain facebook tooltip" title="Follow on Facebook"><i class="icon-facebook" ></i></a><a href="http://twitter.com/theherbsplace" target="_blank"  data-label="Twitter"  rel="noopener noreferrer nofollow" class="icon plain  twitter tooltip" title="Follow on Twitter"><i class="icon-twitter" ></i></a><a href="mailto:your@email" data-label="E-mail"  rel="nofollow" class="icon plain  email tooltip" title="Send us an email"><i class="icon-envelop" ></i></a><a href="http://pinterest.com/theherbsplace" target="_blank" rel="noopener noreferrer nofollow"  data-label="Pinterest"  class="icon plain  pinterest tooltip" title="Follow on Pinterest"><i class="icon-pinterest" ></i></a></div></li>          </ul>
      </div><!-- .flex-col right -->

            <div class="flex-col show-for-medium flex-grow">
          <ul class="nav nav-center nav-small mobile-nav  nav-divided">
              <li class="html custom html_topbar_left">[aws_search_form]</li>          </ul>
      </div>
      
    </div><!-- .flex-row -->
</div><!-- #header-top -->
<div id="masthead" class="header-main ">
      <div class="header-inner flex-row container logo-left medium-logo-center" role="navigation">

          <!-- Logo -->
          <div id="logo" class="flex-col logo">
            <!-- Header logo -->
<a href="http://www.test-tfl.com/" title="The Herbs Place" rel="home">
    <img width="166" height="91" src="http://www.test-tfl.com/wp-content/uploads/2018/05/logo.jpg" class="header_logo header-logo" alt="The Herbs Place"/><img  width="166" height="91" src="http://www.test-tfl.com/wp-content/uploads/2018/05/logo.jpg" class="header-logo-dark" alt="The Herbs Place"/></a>
          </div>

          <!-- Mobile Left Elements -->
          <div class="flex-col show-for-medium flex-left">
            <ul class="mobile-nav nav nav-left ">
              <li class="nav-icon has-icon">
  		<a href="#" data-open="#main-menu" data-pos="left" data-bg="main-menu-overlay" data-color="" class="is-small" aria-controls="main-menu" aria-expanded="false">
		
		  <i class="icon-menu" ></i>
		  		</a>
	</li>            </ul>
          </div>

          <!-- Left Elements -->
          <div class="flex-col hide-for-medium flex-left
            flex-grow">
            <ul class="header-nav header-nav-main nav nav-left  nav-uppercase" >
              <li class="header-search-form search-form html relative has-icon">
	<div class="header-search-form-wrapper">
		<div class="searchform-wrapper ux-search-box relative form- is-normal"><form role="search" method="get" class="searchform" action="http://www.test-tfl.com/">
		<div class="flex-row relative">
						<div class="flex-col search-form-categories">
			<select class="search_categories resize-select mb-0" name="product_cat"><option value="" selected='selected'>All</option><option value="natria_body_care_page_1_c_89">Natria Body Care</option><option value="on-sale">On Sale</option><option value="home">Home</option><option value="specials">Specials</option></select>			</div><!-- .flex-col -->
									<div class="flex-col flex-grow">
			  <input type="search" class="search-field mb-0" name="s" value="" placeholder="Search&hellip;" />
		    <input type="hidden" name="post_type" value="product" />
        			</div><!-- .flex-col -->
			<div class="flex-col">
				<button type="submit" class="ux-search-submit submit-button secondary button icon mb-0">
					<i class="icon-search" ></i>				</button>
			</div><!-- .flex-col -->
		</div><!-- .flex-row -->
	 <div class="live-search-results text-left z-top"></div>
</form>
</div>	</div>
</li>            </ul>
          </div>

          <!-- Right Elements -->
          <div class="flex-col hide-for-medium flex-right">
            <ul class="header-nav header-nav-main nav nav-right  nav-uppercase">
              <li class="account-item has-icon
    "
>

<a href="http://www.test-tfl.com/my-account/"
    class="nav-top-link nav-top-not-logged-in "
      >
    <span>
    Login      </span>
  
</a><!-- .account-login-link -->



</li>
<li class="header-divider"></li><li class="cart-item has-icon has-dropdown">

<a href="http://www.test-tfl.com/cart/" title="Cart" class="header-cart-link is-small">


<span class="header-cart-title">
   Cart   /      <span class="cart-price"><span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>0.00</span></span>
  </span>

    <span class="cart-icon image-icon">
    <strong>0</strong>
  </span>
  </a>

 <ul class="nav-dropdown nav-dropdown-default">
    <li class="html widget_shopping_cart">
      <div class="widget_shopping_cart_content">
        

	<p class="woocommerce-mini-cart__empty-message">No products in the cart.</p>


      </div>
    </li>
     </ul><!-- .nav-dropdown -->

</li>
            </ul>
          </div>

          <!-- Mobile Right Elements -->
          <div class="flex-col show-for-medium flex-right">
            <ul class="mobile-nav nav nav-right ">
              <li class="cart-item has-icon">

      <a href="http://www.test-tfl.com/cart/" class="header-cart-link off-canvas-toggle nav-top-link is-small" data-open="#cart-popup" data-class="off-canvas-cart" title="Cart" data-pos="right">
  
    <span class="cart-icon image-icon">
    <strong>0</strong>
  </span> 
  </a>


  <!-- Cart Sidebar Popup -->
  <div id="cart-popup" class="mfp-hide widget_shopping_cart">
  <div class="cart-popup-inner inner-padding">
      <div class="cart-popup-title text-center">
          <h4 class="uppercase">Cart</h4>
          <div class="is-divider"></div>
      </div>
      <div class="widget_shopping_cart_content">
          

	<p class="woocommerce-mini-cart__empty-message">No products in the cart.</p>


      </div>
             <div class="cart-sidebar-content relative"></div>  </div>
  </div>

</li>
            </ul>
          </div>

      </div><!-- .header-inner -->
     
            <!-- Header divider -->
      <div class="container"><div class="top-divider full-width"></div></div>
      </div><!-- .header-main --><div id="wide-nav" class="header-bottom wide-nav nav-dark hide-for-medium">
    <div class="flex-row container">

                        <div class="flex-col hide-for-medium flex-left">
                <ul class="nav header-nav header-bottom-nav nav-left  nav-uppercase">
                    <li id="menu-item-132697" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-has-children  menu-item-132697 has-dropdown"><a href="http://www.test-tfl.com/shop-a-z/" class="nav-top-link">Shop A – Z<i class="icon-angle-down" ></i></a>
<ul class='nav-dropdown nav-dropdown-default'>
	<li id="menu-item-132709" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132709 nav-dropdown-col"><a href="/product-category/home/shop_a_z_page_1_c_28/">A</a>
	<ul class='nav-column nav-dropdown-default'>
		<li id="menu-item-132699" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132699"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_b_page_1_c_29/">B</a></li>
		<li id="menu-item-132700" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132700"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_c_page_1_c_27/">C</a></li>
		<li id="menu-item-132701" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132701"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_d_page_1_c_30/">D</a></li>
		<li id="menu-item-132702" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132702"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_e_page_1_c_31/">E</a></li>
	</ul>
</li>
	<li id="menu-item-132703" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132703 nav-dropdown-col"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_f_page_1_c_32/">F</a>
	<ul class='nav-column nav-dropdown-default'>
		<li id="menu-item-132704" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132704"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_g_page_1_c_46/">G</a></li>
		<li id="menu-item-132705" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132705"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_h_page_1_c_47/">H</a></li>
		<li id="menu-item-132706" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132706"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_i_page_1_c_48/">I</a></li>
		<li id="menu-item-132707" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132707"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_j_page_1_c_49/">J</a></li>
	</ul>
</li>
	<li id="menu-item-132708" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132708 nav-dropdown-col"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_k_page_1_c_50/">K</a>
	<ul class='nav-column nav-dropdown-default'>
		<li id="menu-item-132710" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132710"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_l_page_1_c_51/">L</a></li>
		<li id="menu-item-132711" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132711"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_m_page_1_c_52/">M</a></li>
		<li id="menu-item-132712" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132712"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_n_page_1_c_53/">N</a></li>
		<li id="menu-item-132713" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132713"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_o_page_1_c_54/">O</a></li>
	</ul>
</li>
	<li id="menu-item-132714" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132714 nav-dropdown-col"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_p_page_1_c_55/">P</a>
	<ul class='nav-column nav-dropdown-default'>
		<li id="menu-item-132715" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132715"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_q_page_1_c_56/">Q</a></li>
		<li id="menu-item-132716" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132716"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_r_page_1_c_57/">R</a></li>
		<li id="menu-item-132717" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132717"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_s_page_1_c_58/">S</a></li>
		<li id="menu-item-132718" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132718"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_t_page_1_c_59/">T</a></li>
	</ul>
</li>
	<li id="menu-item-132719" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132719 nav-dropdown-col"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_U_page_1_c_60/">U</a>
	<ul class='nav-column nav-dropdown-default'>
		<li id="menu-item-132720" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132720"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_v_page_1_c_61/">V</a></li>
		<li id="menu-item-132721" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132721"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_w_page_1_c_85/">W</a></li>
		<li id="menu-item-132722" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132722"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_x_page_1_c_63/">X</a></li>
		<li id="menu-item-132723" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132723"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_y_page_1_c_64/">Y</a></li>
		<li id="menu-item-132724" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132724"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_z_page_1_c_65/">Z</a></li>
	</ul>
</li>
</ul>
</li>
<li id="menu-item-132665" class="menu-item menu-item-type-post_type menu-item-object-page current-menu-item page_item page-item-798 current_page_item active  menu-item-132665"><a href="http://www.test-tfl.com/rebate_program/" class="nav-top-link">Membership</a></li>
<li id="menu-item-132778" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132778 has-dropdown"><a href="/product-category/home/pet_catalog_page_1_c_87/" class="nav-top-link">Herbs For Pets<i class="icon-angle-down" ></i></a>
<ul class='nav-dropdown nav-dropdown-default'>
	<li id="menu-item-132777" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132777"><a href="/welcome_to_the_herbs_place_for_pets_sp_63/">Pets Home</a></li>
	<li id="menu-item-132669" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132669"><a href="http://www.test-tfl.com/pet_catalog_sp_210/">Pet Catalog – The Herbs Place</a></li>
</ul>
</li>
<li id="menu-item-132667" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-has-children  menu-item-132667 has-dropdown"><a href="http://www.test-tfl.com/bandit-s-heartworm-program/" class="nav-top-link">The Heartworm Program<i class="icon-angle-down" ></i></a>
<ul class='nav-dropdown nav-dropdown-default'>
	<li id="menu-item-132776" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132776"><a href="/heartworm-success-stories1/">Heartworm Success Stories</a></li>
	<li id="menu-item-132769" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132769"><a href="http://www.test-tfl.com/bandit-s-heartworm-program/">The Heartworm Program</a></li>
	<li id="menu-item-132770" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132770"><a href="http://www.test-tfl.com/heartworm_prevention_sp_104/">Heartworm Prevention</a></li>
	<li id="menu-item-132771" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132771"><a href="http://www.test-tfl.com/bandit-s-heartworm-programs-faqs/">Heartworm Programs&#8217; FAQs</a></li>
	<li id="menu-item-132774" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132774"><a href="http://www.test-tfl.com/bandit-s-favorite-recipes-2/">Bandit&#8217;s Favorite Recipes</a></li>
	<li id="menu-item-132775" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132775"><a href="/heartworm_success_stories_sp_105/">Buddy&#8217;s Heartworm Story</a></li>
</ul>
</li>
<li id="menu-item-132738" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132738"><a href="/product-category/on-sale/" class="nav-top-link">Sale</a></li>
<li id="menu-item-132781" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132781 has-dropdown"><a href="#" class="nav-top-link">More<i class="icon-angle-down" ></i></a>
<ul class='nav-dropdown nav-dropdown-default'>
	<li id="menu-item-132782" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132782"><a href="http://www.test-tfl.com/outside_the_usa_sp_84/">Outside the USA – The Herbs Place</a></li>
	<li id="menu-item-132783" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132783"><a href="http://www.test-tfl.com/f_a_q_sp_150/">F A Q – The Herbs Place</a></li>
	<li id="menu-item-132784" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132784"><a href="http://www.test-tfl.com/pdf_downloads_sp_131/">PDF Downloads – The Herbs Place</a></li>
	<li id="menu-item-132785" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132785"><a href="http://www.test-tfl.com/quality_sp_29/">Nature&#8217;s Sunshine Quality &#8211; The Key To Purity And Potency</a></li>
	<li id="menu-item-132786" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132786"><a href="http://www.test-tfl.com/business_opportunity_sp_62/">Nature&#8217;s Sunshine Business Opportunity/Small Investment</a></li>
	<li id="menu-item-132787" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132787"><a href="/a_healing_moment_article_list_sp_64">Christian Articles to Encourage and Edify</a></li>
	<li id="menu-item-132788" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132788"><a href="http://www.test-tfl.com/free_online_classes_sp_30/">Free Online Classes – The Herbs Place</a></li>
	<li id="menu-item-132789" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132789"><a href="http://www.test-tfl.com/ordering_options_sp_66/">Ordering Options of The Herbs Place.com</a></li>
</ul>
</li>
                </ul>
            </div><!-- flex-col -->
            
            
                        <div class="flex-col hide-for-medium flex-right flex-grow">
              <ul class="nav header-nav header-bottom-nav nav-right  nav-uppercase">
                                 </ul>
            </div><!-- flex-col -->
            
            
    </div><!-- .flex-row -->
</div><!-- .header-bottom -->

<div class="header-bg-container fill"><div class="header-bg-image fill"></div><div class="header-bg-color fill"></div></div><!-- .header-bg-container -->   </div><!-- header-wrapper-->
</header>


<main id="main" class="">


<div  class="page-wrapper page-left-sidebar">
<div class="row">

<div id="content" class="large-9 right col" role="main">
	<div class="page-inner">
							
			<p><script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.3/jquery.min.js"></script><br />
<script type="text/javascript"></p>
<p>$(function() {
	$('#result').text(listCookies);
	$('#cook').click(function(e) {
		e.preventDefault();
		document.cookie = "wantmembership=1";
		$('#result').text(listCookies);
	});</p>
<p>	$('#uncook').click(function(e) {
		e.preventDefault();
		deleteCookie('wantmembership');
		$('#result').text(listCookies);
	});</p>
<p>	function deleteCookie(cname) 
	{
		var d = new Date(); //Create an date object
		d.setTime(d.getTime() - (1000*60*60*24)); //Set the time to the past. 1000 milliseonds = 1 second
		var expires = "expires=" + d.toGMTString(); //Compose the expirartion date
		window.document.cookie = cname+"="+"; "+expires;//Set the cookie with name and the expiration date
	}	</p>
<p>	function listCookies() {
		var theCookies = document.cookie.split(';');
		var aString = '';
		for (var i = 1 ; i <= theCookies.length; i++) {
			aString += i + ' ' + theCookies[i-1] + "\n";
		}
		return aString;
	}	
});

</script></p>
<div class="ahm_table">
<table class="ahm_member">
<tbody>
<tr>
<th scope="col">
<h1>Benefits</h1>
</th>
<th scope="col">
<h1>Basic</h1>
</th>
<th scope="col">
<h1>SmartStart</h1>
</th>
</tr>
<tr>
<td></td>
<td>$40 Product Order</td>
<td>100 QV Initial Order <a href="/Resources/Prestashop/qv_cart.png" target="_blank" rel="noopener">(example)</a></td>
</tr>
<tr>
<td>No Auto Ships Required</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>No Member Fee</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>No Signup Fee</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>Order Direct</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>30-45% Off Retail</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>$20 Off Coupon - 2nd Order</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>Members Only Promotions</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>Rebate Checks</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>$15 Sunshine/Product Credit</td>
<td></td>
<td>✅</td>
</tr>
</tbody>
</table>
</div>
<h1>Nature's Sunshine <span style="text decoration: italics; font-weight: bold; color: red;">Basic</span> Membership Program</h1>
<p align="center"><span style="margin: 0 auto; font-size: 18px; color: #336633; font-weight: bold; margin-top: -10px; margin-bottom: 1.9em;">(Requirement: A sign-up order of $40 or more.)</span></p>
<p><span class="heading">What's The Cost?</span></p>
<p>• Membership is <span class="boldred">FREE</span>. No annual fees. No obligations or scheduled orders required.</p>
<p>If you choose to renew your membership each year, you simply place a $40 order. You will get a reminder from Nature's Sunshine so you can choose whether to renew or not.</p>
<p><span class="heading">What Are The Benefits of Membership?</span></p>
<p>• With over <span class="boldred">600 products</span>, Nature's Sunshine Products (NSP) provides a wide range of products: herbs, vitamin and minerals, supplement specific formulas, children's line, pre-packaged programs, 100% authentic essential oils, flower essences, personal care, herbal salves, bulk products, nutritional beverages, xylitol gums &amp; mints, cleaning and laundry concentrate. .</p>
<p>• <span class="boldred">Order directly from Nature's Sunshine</span>, the manufacturer, rather than through a distributor, which gives you the freshest product available.</p>
<p>• <span class="boldred">30-45% discount</span> off retail prices <span class="boldred">PLUS sales</span> for further discounts.</p>
<p>• <span class="boldred">20% off coupon</span> for a future order (within 90 days) in your welcome email.</p>
<p>• <span class="boldred">Email perks</span> - You'll be notified of free or reduced shipping promotions, product sales, new products when announced and free educational webinars with sometimes free products just for watching.</p>
<p>• Receive <span class="boldred">rebate checks</span> after your first order. Any month you have 100 QV or more you will qualify for a rebate check. The percentage depends on the QV* amount of your total orders for the month:<br />
10% for 100 ----- 12% for 300 ----- 18% for 600 ----- 27% for 1000</p>
<p>You can order for family, co-workers or friends to increase your QV so you will get a rebate check each month to add to your household budget.</p>
<p><span class="boldred">What Is QV?</span> QV=Qualifying Volume. Each product has a Member Cost and a QV figure. For 90% of the products it's the same, but the rest have a lower QV.</p>
<p>• Your welcome email from NSP will include your <span class="boldred">account number and PIN number</span> so you'll have instant access to all the benefits and perks on the website. First task is to change the PIN number to what you want it to be.</p>
<h1>Nature's Sunshine <span style="text decoration: italics; font-weight: bold; color: red;">SmartStart</span> Membership Program</h1>
<p align="center"><span style="margin: 0 auto; font-size: 18px; color: #336633; font-weight: bold; margin-top: -10px; margin-bottom: 20px;">(Requirement: An initial sign-up order of 100 QV or more.)</span></p>
<p class="boldred" style="text-align: center; margin: 0 auto;">On the SmartStart Program, you get all of the above ... PLUS:</p>
<p>• <span class="boldred">$15 credit</span> will be placed on your account without a deadline for use, other than your account being active.</p>
<p>• With a 300 QV order you will <span class="boldred">qualify for a rebate check on your first order</span>.</p>
<h1><span style="font-weight: bold; text-align: center; margin: 0 auto;">Choosing Membership</span></h1>
<div align="center">
<p>Our shopping cart shows you the QV amount so you can decide on which option to take on your initial order.</p>
<p><span class="boldred">Use the same "button link" for either membership.</span></p>
<p><!--<a class="button exclusive biz-op-button" title="I Want Membership!" href="#" data-register="true">Get My Membership</a>--></p>
<p><a id="cook" class="button exclusive biz-op-button" title="I Want Membership!" href="#" data-register="true">Get My Membership</a></p>
<p>Only one (1) membership per household is allowed.</p>
</div>
			
			
			</div><!-- .page-inner -->
</div><!-- end #content large-9 left -->

<div class="large-3 col col-first col-divided">
<div id="secondary" class="widget-area " role="complementary">
		<aside id="woocommerce_product_categories-7" class="widget woocommerce widget_product_categories"><span class="widget-title "><span>Categories</span></span><div class="is-divider small"></div><select  name='product_cat' id='product_cat' class='dropdown_product_cat' >
	<option value='' selected='selected'>Select a category</option>
	<option class="level-0" value="add_adhd_page_1_c_75">ADD &amp; ADHD</option>
	<option class="level-0" value="allergies_skin_coat_problems_page_1_c_92">Allergies &amp; Skin Coat Problems</option>
	<option class="level-0" value="allergy_page_1_c_128">Allergy</option>
	<option class="level-0" value="amino_acids_page_1_c_2">Amino Acids</option>
	<option class="level-0" value="antioxidants_page_1_c_114">Antioxidants</option>
	<option class="level-0" value="ayurvedic_page_1_c_83">Ayurvedic</option>
	<option class="level-0" value="beverages_page_1_c_6">Beverages</option>
	<option class="level-0" value="blood_sugar_page_1_c_78">Blood Sugar</option>
	<option class="level-0" value="bones_joints_muscles_page_1_c_84">Bones &#8211; Joints &#8211; Muscles</option>
	<option class="level-0" value="bones-and-joints-for-pets">Bones and Joints For Pets</option>
	<option class="level-0" value="brain-health-and-memory">Brain Health and Memory</option>
	<option class="level-0" value="bulk_products_page_1_c_3">Bulk Products</option>
	<option class="level-0" value="candida_yeast_page_1_c_118">Candida / Yeast</option>
	<option class="level-0" value="children_page_1_c_4">Children</option>
	<option class="level-0" value="chinese_herbs_page_1_c_5">Chinese Herbs</option>
	<option class="level-0" value="cholesterol_page_1_c_112">Cholesterol</option>
	<option class="level-0" value="circulatory_system_heart_page_1_c_44">Circulatory System &amp; Heart</option>
	<option class="level-0" value="circulatory-system-and-heart-for-pets">Circulatory System and Heart For Pets</option>
	<option class="level-0" value="cleaning_laundry_products_page_1_c_124">Cleaning / Laundry Products</option>
	<option class="level-0" value="cleansing_page_1_c_80">Cleansing</option>
	<option class="level-0" value="digestive-and-intestinal-system-for-pets">Digestive and Intestinal System For Pets</option>
	<option class="level-0" value="digestive_system_page_1_c_38">Digestive System</option>
	<option class="level-0" value="ears-and-eyes-for-pets">Ears and Eyes For Pets</option>
	<option class="level-0" value="energy_page_1_c_82">Energy</option>
	<option class="level-0" value="enzymes_page_1_c_7">Enzymes</option>
	<option class="level-0" value="essential_oil_accessories_page_1_c_66">Essential Oil Accessories</option>
	<option class="level-0" value="essential_oil_blends_page_1_c_34">Essential Oil Blends</option>
	<option class="level-0" value="essential_oil_kits_page_1_c_26">Essential Oil Kits</option>
	<option class="level-0" value="essential_oils_page_1_c_33">Essential Oil Singles</option>
	<option class="level-0" value="essential_oils_100_pure_page_1_c_1">Essential Oils &#8211; 100% Pure</option>
	<option class="level-0" value="eyes_page_1_c_76">Eyes</option>
	<option class="level-0" value="female_page_1_c_73">Female</option>
	<option class="level-0" value="fiber_page_1_c_129">Fiber</option>
	<option class="level-0" value="first-aid-and-wounds-for-pets">First Aid and Wounds For Pets</option>
	<option class="level-0" value="flower_essences_page_1_c_134">Flower Essences</option>
	<option class="level-0" value="getting_started_page_1_c_133">Getting Started</option>
	<option class="level-0" value="gifts_page_1_c_116">Gifts</option>
	<option class="level-0" value="glandular_system_page_1_c_45">Glandular System</option>
	<option class="level-0" value="glandular-system-for-pets">Glandular System For Pets</option>
	<option class="level-0" value="green-products">Green Products</option>
	<option class="level-0" value="gum_and_mints_page_1_c_106">Gum and Mints</option>
	<option class="level-0" value="hair_skin_and_nails_page_1_c_72">Hair, Skin and Nails</option>
	<option class="level-0" value="headaches_pain_and_first_aid_page_1_c_79">Headaches, Pain and First Aid</option>
	<option class="level-0" value="heartworms_and_parasites_page_1_c_93">Heartworms and Parasites</option>
	<option class="level-0" value="herbal_formulas_page_1_c_9">Herbal Formulas</option>
	<option class="level-0" value="herbal_medicine_chest_page_1_c_68">Herbal Medicine Chest</option>
	<option class="level-0" value="herbal_salves_page_1_c_70">Herbal Salves</option>
	<option class="level-0" value="home">Home</option>
	<option class="level-0" value="immune_system_page_1_c_39">Immune System</option>
	<option class="level-0" value="immune-system-for-pets">Immune System For Pets</option>
	<option class="level-0" value="inform-programs">IN.FORM Programs</option>
	<option class="level-0" value="intestinal-system-category-page">Intestinal System Category Page</option>
	<option class="level-0" value="lice_removal_page_1_c_109">Lice Removal</option>
	<option class="level-0" value="liquid_herbs_page_1_c_11">Liquid Herbs</option>
	<option class="level-0" value="liver_page_1_c_137">Liver</option>
	<option class="level-0" value="liver-and-cleansing-for-pets">Liver and Cleansing For Pets</option>
	<option class="level-0" value="male_products_page_1_c_74">Male</option>
	<option class="level-0" value="mood_support_page_1_c_130">Mood Support</option>
	<option class="level-0" value="multi_vitamin_page_1_c_115">Multi-Vitamin</option>
	<option class="level-0" value="natria_body_care_page_1_c_89">Natria Body Care</option>
	<option class="level-0" value="nervous-system-for-pets">Nervous System For Pets</option>
	<option class="level-0" value="nervous_stress_and_depression_page_1_c_42">Nervous, Stress and Depression</option>
	<option class="level-0" value="nutritional-herbs-for-pets">Nutritional Herbs For Pets</option>
	<option class="level-0" value="omega_3_essential_fatty_acids_page_1_c_126">Omega 3 / Essential Fatty Acids</option>
	<option class="level-0" value="on-sale">On Sale</option>
	<option class="level-0" value="personal_care_page_1_c_17">Personal Care</option>
	<option class="level-0" value="pet_catalog_page_1_c_87">Pet Catalog</option>
	<option class="level-0" value="ph_test_strips_page_1_c_21">pH Test Strips</option>
	<option class="level-0" value="pocket_first_aid_page_1_c_69">Pocket First Aid</option>
	<option class="level-0" value="pre_packaged_programs_page_1_c_18">Pre-Packaged Programs</option>
	<option class="level-0" value="pregnancy_page_1_c_81">Pregnancy</option>
	<option class="level-0" value="probiotics_page_1_c_19">Probiotics</option>
	<option class="level-0" value="respiratory-system-for-pets">Respiratory System For Pets</option>
	<option class="level-0" value="respiratory_sinus_allergy_page_1_c_36">Respiratory-Sinus-Allergy</option>
	<option class="level-0" value="shop_a_z_page_1_c_28">Shop A &#8211; Z</option>
	<option class="level-0" value="shop_b_page_1_c_29">Shop B</option>
	<option class="level-0" value="shop_c_page_1_c_27">Shop C</option>
	<option class="level-0" value="shop_d_page_1_c_30">Shop D</option>
	<option class="level-0" value="shop_e_page_1_c_31">Shop E</option>
	<option class="level-0" value="shop_f_page_1_c_32">Shop F</option>
	<option class="level-0" value="shop_g_page_1_c_46">Shop G</option>
	<option class="level-0" value="shop_h_page_1_c_47">Shop H</option>
	<option class="level-0" value="shop_i_page_1_c_48">Shop I</option>
	<option class="level-0" value="shop_j_page_1_c_49">Shop J</option>
	<option class="level-0" value="shop_k_page_1_c_50">Shop K</option>
	<option class="level-0" value="shop_l_page_1_c_51">Shop L</option>
	<option class="level-0" value="shop_m_page_1_c_52">Shop M</option>
	<option class="level-0" value="shop_n_page_1_c_53">Shop N</option>
	<option class="level-0" value="shop_o_page_1_c_54">Shop O</option>
	<option class="level-0" value="shop_p_page_1_c_55">Shop P</option>
	<option class="level-0" value="shop_q_page_1_c_56">Shop Q</option>
	<option class="level-0" value="shop_r_page_1_c_57">Shop R</option>
	<option class="level-0" value="shop_s_page_1_c_58">Shop S</option>
	<option class="level-0" value="shop_t_page_1_c_59">Shop T</option>
	<option class="level-0" value="shop_u_page_1_c_60">Shop U</option>
	<option class="level-0" value="shop_v_page_1_c_61">Shop V</option>
	<option class="level-0" value="shop_w_page_1_c_85">Shop W</option>
	<option class="level-0" value="shop_x_page_1_c_63">Shop X</option>
	<option class="level-0" value="shop_y_page_1_c_64">Shop Y</option>
	<option class="level-0" value="shop_z_page_1_c_65">Shop Z</option>
	<option class="level-0" value="silver-products">Silver Products</option>
	<option class="level-0" value="sleep_page_1_c_86">Sleep</option>
	<option class="level-0" value="solstic-products">Solstic Products</option>
	<option class="level-0" value="specials">Specials</option>
	<option class="level-0" value="structural_system_page_1_c_40">Structural System</option>
	<option class="level-0" value="sunshine_heroes_page_1_c_122">Sunshine Heroes</option>
	<option class="level-0" value="supplements_page_1_c_23">Supplements</option>
	<option class="level-0" value="system_products_page_1_c_135">System Products</option>
	<option class="level-0" value="urinary-system-for-pets">Urinary System For Pets</option>
	<option class="level-0" value="urinary_kidney_bladder_page_1_c_41">Urinary-Kidney-Bladder</option>
	<option class="level-0" value="vital_nutrition_page_1_c_67">Vital Nutrition</option>
	<option class="level-0" value="vitamin_d_products_page_1_c_117">Vitamin D Products</option>
	<option class="level-0" value="water_treatment_systems_page_1_c_24">Water Treatment Systems</option>
	<option class="level-0" value="weight_loss_page_1_c_25">Weight-Loss</option>
	<option class="level-0" value="xylitol_products_page_1_c_107">Xylitol Products</option>
</select>
</aside><aside id="woocommerce_products-11" class="widget woocommerce widget_products"><span class="widget-title "><span>Best Selling</span></span><div class="is-divider small"></div><ul class="product_list_widget"><li>
	
	<a href="http://www.test-tfl.com/product/black_walnut_100_capsules_p_376/">
		<img width="100" height="100" src="http://www.test-tfl.com/wp-content/uploads/2018/07/90.jpg" class="attachment-woocommerce_gallery_thumbnail size-woocommerce_gallery_thumbnail" alt="" />		<span class="product-title">Black Walnut (100 capsules)</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>13.50</span>
	</li>
<li>
	
	<a href="http://www.test-tfl.com/product/alj-100-capsules/">
		<img width="100" height="100" src="http://www.test-tfl.com/wp-content/uploads/2014/04/1511-ALJ-100-capsules-100x100.jpg" class="attachment-woocommerce_gallery_thumbnail size-woocommerce_gallery_thumbnail" alt="ALJ (100 capsules)" srcset="http://www.test-tfl.com/wp-content/uploads/2014/04/1511-ALJ-100-capsules-100x100.jpg 100w, http://www.test-tfl.com/wp-content/uploads/2014/04/1511-ALJ-100-capsules-280x280.jpg 280w, http://www.test-tfl.com/wp-content/uploads/2014/04/1511-ALJ-100-capsules.jpg 300w" sizes="(max-width: 100px) 100vw, 100px" />		<span class="product-title">ALJ (100 capsules)</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>13.60</span>
	</li>
<li>
	
	<a href="http://www.test-tfl.com/product/brainprotexwhuperzinep468/">
		<img width="100" height="100" src="http://www.test-tfl.com/wp-content/uploads/2014/04/1212-Brain-Protex-w-Huperzine-A-100x100.jpg" class="attachment-woocommerce_gallery_thumbnail size-woocommerce_gallery_thumbnail" alt="Brain Protex w/ Huperzine A" srcset="http://www.test-tfl.com/wp-content/uploads/2014/04/1212-Brain-Protex-w-Huperzine-A-100x100.jpg 100w, http://www.test-tfl.com/wp-content/uploads/2014/04/1212-Brain-Protex-w-Huperzine-A-280x280.jpg 280w, http://www.test-tfl.com/wp-content/uploads/2014/04/1212-Brain-Protex-w-Huperzine-A.jpg 300w" sizes="(max-width: 100px) 100vw, 100px" />		<span class="product-title">Brain Protex w/ Huperzine A</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>27.20</span>
	</li>
<li>
	
	<a href="http://www.test-tfl.com/product/focus_attention_90_capsules_p_2011/">
		<img width="100" height="100" src="http://www.test-tfl.com/wp-content/uploads/2014/04/1449-Focus-Attention-90-capsules-100x100.jpg" class="attachment-woocommerce_gallery_thumbnail size-woocommerce_gallery_thumbnail" alt="Focus Attention (90 capsules)" srcset="http://www.test-tfl.com/wp-content/uploads/2014/04/1449-Focus-Attention-90-capsules-100x100.jpg 100w, http://www.test-tfl.com/wp-content/uploads/2014/04/1449-Focus-Attention-90-capsules-280x280.jpg 280w, http://www.test-tfl.com/wp-content/uploads/2014/04/1449-Focus-Attention-90-capsules.jpg 300w" sizes="(max-width: 100px) 100vw, 100px" />		<span class="product-title">Focus Attention (90 capsules)</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>25.45</span>
	</li>
</ul></aside><aside id="woocommerce_products-12" class="widget woocommerce widget_products"><span class="widget-title "><span>Latest</span></span><div class="is-divider small"></div><ul class="product_list_widget"><li>
	
	<a href="http://www.test-tfl.com/product/15-off-negative-pack-tcm-concentrate-chinese/">
		<img width="100" height="100" src="http://www.test-tfl.com/wp-content/uploads/2018/07/13344.jpg" class="attachment-woocommerce_gallery_thumbnail size-woocommerce_gallery_thumbnail" alt="" />		<span class="product-title">15% OFF - Negative Pack TCM Concentrate, Chinese</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>169.11</span>
	</li>
<li>
	
	<a href="http://www.test-tfl.com/product/buy-5-get-1-free-trigger-immune-tcm-conc-order-quantity-of-1-for-each-6-bottles/">
		<img src="http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/images/placeholder.png" alt="Placeholder" width="100" class="woocommerce-placeholder wp-post-image" height="100" />		<span class="product-title">Buy 5 Get 1 FREE - Trigger Immune TCM Conc. [Order Quantity of 1 For Each 6 Bottles]</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>147.50</span>
	</li>
<li>
	
	<a href="http://www.test-tfl.com/product/buy-9-get-2-free-trigger-immune-tcm-conc-order-quantity-of-1-for-each-11-bottles/">
		<img src="http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/images/placeholder.png" alt="Placeholder" width="100" class="woocommerce-placeholder wp-post-image" height="100" />		<span class="product-title">Buy 9 Get 2 FREE - Trigger Immune TCM Conc. [Order Quantity of 1 For Each 11 Bottles]</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>265.50</span>
	</li>
<li>
	
	<a href="http://www.test-tfl.com/product/buy-5-get-1-free-spleen-activator-tcm-conc-order-quantity-of-1-for-each-6-bottles/">
		<img src="http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/images/placeholder.png" alt="Placeholder" width="100" class="woocommerce-placeholder wp-post-image" height="100" />		<span class="product-title">Buy 5 Get 1 FREE - Spleen Activator TCM Conc. [Order Quantity of 1 For Each 6 Bottles]</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>166.25</span>
	</li>
</ul></aside></div><!-- #secondary -->
</div><!-- end sidebar -->

</div><!-- end row -->
</div><!-- end page-right-sidebar container -->




</main><!-- #main -->

<footer id="footer" class="footer-wrapper">

	
<!-- FOOTER 1 -->


<!-- FOOTER 2 -->
<div class="footer-widgets footer footer-2 dark">
		<div class="row dark large-columns-2 mb-0">
	   		<div id="custom_html-3" class="widget_text col pb-0 widget widget_custom_html"><div class="textwidget custom-html-widget"><a href="/contact7">Contact Us</a></div></div><div id="text-3" class="col pb-0 widget widget_text"><span class="widget-title">Find Us</span><div class="is-divider small"></div>			<div class="textwidget"><p><strong>Address</strong></p>
<p>The Herbs Place<br />
2920 Summerhurst Drive (Not Retail)<br />
Midlothian, VA 23113<br />
866-580-3226 or 434-591-1249</p>
<p><strong>Hours</strong><br />
Monday—Friday: 10:00AM–6:00PM</p>
</div>
		</div>        
		</div><!-- end row -->
</div><!-- end footer 2 -->



<div class="absolute-footer dark medium-text-center text-center">
  <div class="container clearfix">

    
    <div class="footer-primary pull-left">
              <div class="menu-footer-container"><ul id="menu-footer" class="links footer-nav uppercase"><li id="menu-item-132809" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132809"><a href="http://www.test-tfl.com/contact7/">Contact Us</a></li>
</ul></div>            <div class="copyright-footer">
        Copyright 2019 © <strong>The Herbs Place</strong>      </div>
          </div><!-- .left -->
  </div><!-- .container -->
</div><!-- .absolute-footer -->

<a href="#top" class="back-to-top button icon invert plain fixed bottom z-1 is-outline hide-for-medium circle" id="top-link"><i class="icon-angle-up" ></i></a>

</footer><!-- .footer-wrapper -->

</div><!-- #wrapper -->

<!-- Mobile Sidebar -->
<div id="main-menu" class="mobile-sidebar no-scrollbar mfp-hide">
    <div class="sidebar-menu no-scrollbar ">
        <ul class="nav nav-sidebar  nav-vertical nav-uppercase">
              <li class="header-search-form search-form html relative has-icon">
	<div class="header-search-form-wrapper">
		<div class="searchform-wrapper ux-search-box relative form- is-normal"><form role="search" method="get" class="searchform" action="http://www.test-tfl.com/">
		<div class="flex-row relative">
						<div class="flex-col search-form-categories">
			<select class="search_categories resize-select mb-0" name="product_cat"><option value="" selected='selected'>All</option><option value="natria_body_care_page_1_c_89">Natria Body Care</option><option value="on-sale">On Sale</option><option value="home">Home</option><option value="specials">Specials</option></select>			</div><!-- .flex-col -->
									<div class="flex-col flex-grow">
			  <input type="search" class="search-field mb-0" name="s" value="" placeholder="Search&hellip;" />
		    <input type="hidden" name="post_type" value="product" />
        			</div><!-- .flex-col -->
			<div class="flex-col">
				<button type="submit" class="ux-search-submit submit-button secondary button icon mb-0">
					<i class="icon-search" ></i>				</button>
			</div><!-- .flex-col -->
		</div><!-- .flex-row -->
	 <div class="live-search-results text-left z-top"></div>
</form>
</div>	</div>
</li><li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-has-children menu-item-132697"><a href="http://www.test-tfl.com/shop-a-z/" class="nav-top-link">Shop A – Z</a>
<ul class=children>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132709"><a href="/product-category/home/shop_a_z_page_1_c_28/">A</a>
	<ul class=nav-sidebar-ul>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132699"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_b_page_1_c_29/">B</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132700"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_c_page_1_c_27/">C</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132701"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_d_page_1_c_30/">D</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132702"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_e_page_1_c_31/">E</a></li>
	</ul>
</li>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132703"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_f_page_1_c_32/">F</a>
	<ul class=nav-sidebar-ul>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132704"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_g_page_1_c_46/">G</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132705"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_h_page_1_c_47/">H</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132706"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_i_page_1_c_48/">I</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132707"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_j_page_1_c_49/">J</a></li>
	</ul>
</li>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132708"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_k_page_1_c_50/">K</a>
	<ul class=nav-sidebar-ul>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132710"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_l_page_1_c_51/">L</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132711"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_m_page_1_c_52/">M</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132712"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_n_page_1_c_53/">N</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132713"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_o_page_1_c_54/">O</a></li>
	</ul>
</li>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132714"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_p_page_1_c_55/">P</a>
	<ul class=nav-sidebar-ul>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132715"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_q_page_1_c_56/">Q</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132716"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_r_page_1_c_57/">R</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132717"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_s_page_1_c_58/">S</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132718"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_t_page_1_c_59/">T</a></li>
	</ul>
</li>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132719"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_U_page_1_c_60/">U</a>
	<ul class=nav-sidebar-ul>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132720"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_v_page_1_c_61/">V</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132721"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_w_page_1_c_85/">W</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132722"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_x_page_1_c_63/">X</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132723"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_y_page_1_c_64/">Y</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132724"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_z_page_1_c_65/">Z</a></li>
	</ul>
</li>
</ul>
</li>
<li class="menu-item menu-item-type-post_type menu-item-object-page current-menu-item page_item page-item-798 current_page_item menu-item-132665"><a href="http://www.test-tfl.com/rebate_program/" class="nav-top-link">Membership</a></li>
<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132778"><a href="/product-category/home/pet_catalog_page_1_c_87/" class="nav-top-link">Herbs For Pets</a>
<ul class=children>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132777"><a href="/welcome_to_the_herbs_place_for_pets_sp_63/">Pets Home</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132669"><a href="http://www.test-tfl.com/pet_catalog_sp_210/">Pet Catalog – The Herbs Place</a></li>
</ul>
</li>
<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-has-children menu-item-132667"><a href="http://www.test-tfl.com/bandit-s-heartworm-program/" class="nav-top-link">The Heartworm Program</a>
<ul class=children>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132776"><a href="/heartworm-success-stories1/">Heartworm Success Stories</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132769"><a href="http://www.test-tfl.com/bandit-s-heartworm-program/">The Heartworm Program</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132770"><a href="http://www.test-tfl.com/heartworm_prevention_sp_104/">Heartworm Prevention</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132771"><a href="http://www.test-tfl.com/bandit-s-heartworm-programs-faqs/">Heartworm Programs&#8217; FAQs</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132774"><a href="http://www.test-tfl.com/bandit-s-favorite-recipes-2/">Bandit&#8217;s Favorite Recipes</a></li>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132775"><a href="/heartworm_success_stories_sp_105/">Buddy&#8217;s Heartworm Story</a></li>
</ul>
</li>
<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132738"><a href="/product-category/on-sale/" class="nav-top-link">Sale</a></li>
<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132781"><a href="#" class="nav-top-link">More</a>
<ul class=children>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132782"><a href="http://www.test-tfl.com/outside_the_usa_sp_84/">Outside the USA – The Herbs Place</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132783"><a href="http://www.test-tfl.com/f_a_q_sp_150/">F A Q – The Herbs Place</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132784"><a href="http://www.test-tfl.com/pdf_downloads_sp_131/">PDF Downloads – The Herbs Place</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132785"><a href="http://www.test-tfl.com/quality_sp_29/">Nature&#8217;s Sunshine Quality &#8211; The Key To Purity And Potency</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132786"><a href="http://www.test-tfl.com/business_opportunity_sp_62/">Nature&#8217;s Sunshine Business Opportunity/Small Investment</a></li>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132787"><a href="/a_healing_moment_article_list_sp_64">Christian Articles to Encourage and Edify</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132788"><a href="http://www.test-tfl.com/free_online_classes_sp_30/">Free Online Classes – The Herbs Place</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132789"><a href="http://www.test-tfl.com/ordering_options_sp_66/">Ordering Options of The Herbs Place.com</a></li>
</ul>
</li>
<li class="account-item has-icon menu-item">
<a href="http://www.test-tfl.com/my-account/"
    class="nav-top-link nav-top-not-logged-in">
    <span class="header-account-title">
    Login  </span>
</a><!-- .account-login-link -->

</li>
        </ul>
    </div><!-- inner -->
</div><!-- #mobile-menu -->
	<script type="text/javascript">
		var c = document.body.className;
		c = c.replace(/woocommerce-no-js/, 'woocommerce-js');
		document.body.className = c;
	</script>
	<link rel='stylesheet' id='select2-css'  href='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/css/select2.css?ver=3.5.4' type='text/css' media='all' />
<script type='text/javascript'>
/* <![CDATA[ */
var wpcf7 = {"apiSettings":{"root":"http:\/\/www.test-tfl.com\/wp-json\/contact-form-7\/v1","namespace":"contact-form-7\/v1"}};
/* ]]> */
</script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/contact-form-7/includes/js/scripts.js?ver=5.1.1'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/js/jquery-blockui/jquery.blockUI.min.js?ver=2.70'></script>
<script type='text/javascript'>
/* <![CDATA[ */
var wc_add_to_cart_params = {"ajax_url":"\/wp-admin\/admin-ajax.php","wc_ajax_url":"\/?wc-ajax=%%endpoint%%","i18n_view_cart":"View cart","cart_url":"http:\/\/www.test-tfl.com\/cart\/","is_cart":"","cart_redirect_after_add":"no"};
/* ]]> */
</script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/js/frontend/add-to-cart.min.js?ver=3.5.4'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/js/js-cookie/js.cookie.min.js?ver=2.1.4'></script>
<script type='text/javascript'>
/* <![CDATA[ */
var woocommerce_params = {"ajax_url":"\/wp-admin\/admin-ajax.php","wc_ajax_url":"\/?wc-ajax=%%endpoint%%"};
/* ]]> */
</script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/js/frontend/woocommerce.min.js?ver=3.5.4'></script>
<script type='text/javascript'>
/* <![CDATA[ */
var wc_cart_fragments_params = {"ajax_url":"\/wp-admin\/admin-ajax.php","wc_ajax_url":"\/?wc-ajax=%%endpoint%%","cart_hash_key":"wc_cart_hash_876a468afd1d8820c41f1ca5a715d731","fragment_name":"wc_fragments_876a468afd1d8820c41f1ca5a715d731"};
/* ]]> */
</script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/js/frontend/cart-fragments.min.js?ver=3.5.4'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/themes/flatsome/inc/extensions/flatsome-live-search/flatsome-live-search.js?ver=3.7.2'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-includes/js/hoverIntent.min.js?ver=1.8.1'></script>
<script type='text/javascript'>
/* <![CDATA[ */
var flatsomeVars = {"ajaxurl":"http:\/\/www.test-tfl.com\/wp-admin\/admin-ajax.php","rtl":"","sticky_height":"70","user":{"can_edit_pages":false}};
/* ]]> */
</script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/themes/flatsome/assets/js/flatsome.js?ver=3.7.2'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/themes/flatsome/assets/js/woocommerce.js?ver=3.7.2'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-includes/js/wp-embed.min.js?ver=4.9.9'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/js/selectWoo/selectWoo.full.min.js?ver=1.0.4'></script>
<!-- WooCommerce JavaScript -->
<script type="text/javascript">
jQuery(function($) { 

				jQuery( '.dropdown_product_cat' ).change( function() {
					if ( jQuery(this).val() != '' ) {
						var this_page = '';
						var home_url  = 'http://www.test-tfl.com/';
						if ( home_url.indexOf( '?' ) > 0 ) {
							this_page = home_url + '&product_cat=' + jQuery(this).val();
						} else {
							this_page = home_url + '?product_cat=' + jQuery(this).val();
						}
						location.href = this_page;
					} else {
						location.href = 'http://www.test-tfl.com/shop/';
					}
				});

				if ( jQuery().selectWoo ) {
					var wc_product_cat_select = function() {
						jQuery( '.dropdown_product_cat' ).selectWoo( {
							placeholder: 'Select a category',
							minimumResultsForSearch: 5,
							width: '100%',
							allowClear: true,
							language: {
								noResults: function() {
									return 'No matches found';
								}
							}
						} );
					};
					wc_product_cat_select();
				}
			
 });
</script>
<script type="text/javascript">

/*jQuery(function($) {

  $('body').on('change', '[name="shipping_method[0]"]', doPOCheck);
  $('#billing_address_1,#billing_address_2,#shipping_address_1,#shipping_address_2,#ship-to-different-address-checkbox').change(doPOCheck);
  */

jQuery(function($) {
  // ADD THIS TO DO THE PO Check AFTER AJAX IS DONE
  $(document).ajaxStop(function() {
    doPOCheck();
  });
  /* REMOVE LINE 4 FROM YOUR CODE */
//  $('body').on('change', '[name="shipping_method[0]"]', doPOCheck);
  $('#billing_address_1,#billing_address_2,#shipping_address_1,#shipping_address_2,#ship-to-different-address-checkbox').change(doPOCheck);


  function doPOCheck ()
  {
    // Only proceed if we UPS is checked
//   if ($('#shipping_method_0_132643').is(':checked'){
if ($('#shipping_method_0_132643, #shipping_method_0_132615, #shipping_method_0_132639, #shipping_method_0_132642, #shipping_method_0_132640,#shipping_method_0_132641').is(':checked')) {
 if ($('#ship-to-different-address-checkbox').is(':checked')) {
        ad1 = $('#shipping_address_1').val();
        ad2 = $('#shipping_address_2').val();
      }
      else {
        ad1 = $('#billing_address_1').val();
        ad2 = $('#billing_address_2').val();
      }
      if (hasPOBox(ad1, ad2)) {

    
showPoError();

  }

      else {
        hidePoError();
      }
    }
	else {
	  hidePoError();
	}
  }
  
  function showPoError() 
  {
    var msg ='<div class="pobox-error woocommerce-NoticeGroup woocommerce-NoticeGroup-checkout"><ul class="woocommerce-error message-wrapper" role="alert"><li><div class="message-container container alert-color medium-text-center"><span class="message-icon icon-close"></span> <strong>UPS can not send to PO Box.</strong></div></li></ul></div>';
    if(!jQuery('.pobox-error').length) {
      $('#place_order').after(msg);
    }
  }

  function hidePoError(){
    $('.pobox-error').remove();
  }
  // This now becomes generic for billing and shipping
  function hasPOBox(ad1, ad2)
  {
    ad1 = ad1.replace(/[^A-Z]/gi,'').substr(0,5).toLowerCase();
    ad2 = ad2.replace(/[^A-Z]/gi,'').substr(0,5).toLowerCase();

    return (ad1=='pobox' || ad2=='pobox');
 }
});

</script>
</body>
</html>

Open in new window

Just wanted everyone to know the source code above is running on an XAMPP local server even though it shows a domain name.
Why have you got <p> tags all over your script code?
<script type="text/javascript"></p>
<p>$(function() {
	$('#result').text(listCookies);
	$('#cook').click(function(e) {
		e.preventDefault();
		document.cookie = "wantmembership=1";
		$('#result').text(listCookies);
	});</p>
<p>	$('#uncook').click(function(e) {
		e.preventDefault();
		deleteCookie('wantmembership');
		$('#result').text(listCookies);
	});</p>
<p>	function deleteCookie(cname) 
	{
		var d = new Date(); //Create an date object
		d.setTime(d.getTime() - (1000*60*60*24)); //Set the time to the past. 1000 milliseonds = 1 second
		var expires = "expires=" + d.toGMTString(); //Compose the expirartion date
		window.document.cookie = cname+"="+"; "+expires;//Set the cookie with name and the expiration date
	}	</p>
<p>	function listCookies() {
		var theCookies = document.cookie.split(';');
		var aString = '';
		for (var i = 1 ; i <= theCookies.length; i++) {
			aString += i + ' ' + theCookies[i-1] + "\n";
		}
		return aString;
	}	
});

</script></p>

Open in new window

I didn't put them there so something must be adding them.  I will figure it out but thanks for noticing them.
If you added this in a WP post then it will add the paragraph tags - but I can't see why you would do that?
You were correct on the p tags.  I was trying at the page level since it didn't work before in the script section.  Thinking it wouldn't matter I now see that it does.

There is some progress, I can see that the cookie is written.  Now I need to test if the cookie can be read at checkout.
using the php code it doesn't seem to putting the message in the Order Notes box.  Here is the jquery code

<!DOCTYPE html>
<!--[if IE 9 ]> <html lang="en-US" class="ie9 loading-site no-js"> <![endif]-->
<!--[if IE 8 ]> <html lang="en-US" class="ie8 loading-site no-js"> <![endif]-->
<!--[if (gte IE 9)|!(IE)]><!--><html lang="en-US" class="loading-site no-js"> <!--<![endif]-->
<head>
	<meta charset="UTF-8" />
	<meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=1.0, user-scalable=no" />

	<link rel="profile" href="http://gmpg.org/xfn/11" />
	<link rel="pingback" href="http://www.test-tfl.com/xmlrpc.php" />

	<script>(function(html){html.className = html.className.replace(/\bno-js\b/,'js')})(document.documentElement);</script>
<title>Nature&#8217;s Sunshine Rebate Program &#8211; The Herbs Place &#8211; The Herbs Place</title>
<link rel='dns-prefetch' href='//s.w.org' />
<link rel="alternate" type="application/rss+xml" title="The Herbs Place &raquo; Feed" href="http://www.test-tfl.com/feed/" />
<link rel="alternate" type="application/rss+xml" title="The Herbs Place &raquo; Comments Feed" href="http://www.test-tfl.com/comments/feed/" />
		<script type="text/javascript">
			window._wpemojiSettings = {"baseUrl":"https:\/\/s.w.org\/images\/core\/emoji\/11\/72x72\/","ext":".png","svgUrl":"https:\/\/s.w.org\/images\/core\/emoji\/11\/svg\/","svgExt":".svg","source":{"concatemoji":"http:\/\/www.test-tfl.com\/wp-includes\/js\/wp-emoji-release.min.js?ver=4.9.9"}};
			!function(a,b,c){function d(a,b){var c=String.fromCharCode;l.clearRect(0,0,k.width,k.height),l.fillText(c.apply(this,a),0,0);var d=k.toDataURL();l.clearRect(0,0,k.width,k.height),l.fillText(c.apply(this,b),0,0);var e=k.toDataURL();return d===e}function e(a){var b;if(!l||!l.fillText)return!1;switch(l.textBaseline="top",l.font="600 32px Arial",a){case"flag":return!(b=d([55356,56826,55356,56819],[55356,56826,8203,55356,56819]))&&(b=d([55356,57332,56128,56423,56128,56418,56128,56421,56128,56430,56128,56423,56128,56447],[55356,57332,8203,56128,56423,8203,56128,56418,8203,56128,56421,8203,56128,56430,8203,56128,56423,8203,56128,56447]),!b);case"emoji":return b=d([55358,56760,9792,65039],[55358,56760,8203,9792,65039]),!b}return!1}function f(a){var c=b.createElement("script");c.src=a,c.defer=c.type="text/javascript",b.getElementsByTagName("head")[0].appendChild(c)}var g,h,i,j,k=b.createElement("canvas"),l=k.getContext&&k.getContext("2d");for(j=Array("flag","emoji"),c.supports={everything:!0,everythingExceptFlag:!0},i=0;i<j.length;i++)c.supports[j[i]]=e(j[i]),c.supports.everything=c.supports.everything&&c.supports[j[i]],"flag"!==j[i]&&(c.supports.everythingExceptFlag=c.supports.everythingExceptFlag&&c.supports[j[i]]);c.supports.everythingExceptFlag=c.supports.everythingExceptFlag&&!c.supports.flag,c.DOMReady=!1,c.readyCallback=function(){c.DOMReady=!0},c.supports.everything||(h=function(){c.readyCallback()},b.addEventListener?(b.addEventListener("DOMContentLoaded",h,!1),a.addEventListener("load",h,!1)):(a.attachEvent("onload",h),b.attachEvent("onreadystatechange",function(){"complete"===b.readyState&&c.readyCallback()})),g=c.source||{},g.concatemoji?f(g.concatemoji):g.wpemoji&&g.twemoji&&(f(g.twemoji),f(g.wpemoji)))}(window,document,window._wpemojiSettings);
		</script>
		<style type="text/css">
img.wp-smiley,
img.emoji {
	display: inline !important;
	border: none !important;
	box-shadow: none !important;
	height: 1em !important;
	width: 1em !important;
	margin: 0 .07em !important;
	vertical-align: -0.1em !important;
	background: none !important;
	padding: 0 !important;
}
</style>
<link rel='stylesheet' id='contact-form-7-css'  href='http://www.test-tfl.com/wp-content/plugins/contact-form-7/includes/css/styles.css?ver=5.1.1' type='text/css' media='all' />
<style id='woocommerce-inline-inline-css' type='text/css'>
.woocommerce form .form-row .required { visibility: visible; }
</style>
<link rel='stylesheet' id='flatsome-icons-css'  href='http://www.test-tfl.com/wp-content/themes/flatsome/assets/css/fl-icons.css?ver=3.3' type='text/css' media='all' />
<link rel='stylesheet' id='flatsome-main-css'  href='http://www.test-tfl.com/wp-content/themes/flatsome/assets/css/flatsome.css?ver=3.7.2' type='text/css' media='all' />
<link rel='stylesheet' id='flatsome-shop-css'  href='http://www.test-tfl.com/wp-content/themes/flatsome/assets/css/flatsome-shop.css?ver=3.7.2' type='text/css' media='all' />
<link rel='stylesheet' id='flatsome-style-css'  href='http://www.test-tfl.com/wp-content/themes/flatsome-child/style.css?ver=3.0' type='text/css' media='all' />
<script type='text/javascript' src='http://www.test-tfl.com/wp-includes/js/jquery/jquery.js?ver=1.12.4'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-includes/js/jquery/jquery-migrate.min.js?ver=1.4.1'></script>
<link rel='https://api.w.org/' href='http://www.test-tfl.com/wp-json/' />
<link rel="EditURI" type="application/rsd+xml" title="RSD" href="http://www.test-tfl.com/xmlrpc.php?rsd" />
<link rel="wlwmanifest" type="application/wlwmanifest+xml" href="http://www.test-tfl.com/wp-includes/wlwmanifest.xml" /> 
<meta name="generator" content="WordPress 4.9.9" />
<meta name="generator" content="WooCommerce 3.5.4" />
<link rel="canonical" href="http://www.test-tfl.com/rebate_program/" />
<link rel='shortlink' href='http://www.test-tfl.com/?p=798' />
<link rel="alternate" type="application/json+oembed" href="http://www.test-tfl.com/wp-json/oembed/1.0/embed?url=http%3A%2F%2Fwww.test-tfl.com%2Frebate_program%2F" />
<link rel="alternate" type="text/xml+oembed" href="http://www.test-tfl.com/wp-json/oembed/1.0/embed?url=http%3A%2F%2Fwww.test-tfl.com%2Frebate_program%2F&#038;format=xml" />
<style>.bg{opacity: 0; transition: opacity 1s; -webkit-transition: opacity 1s;} .bg-loaded{opacity: 1;}</style><!--[if IE]><link rel="stylesheet" type="text/css" href="http://www.test-tfl.com/wp-content/themes/flatsome/assets/css/ie-fallback.css"><script src="//cdnjs.cloudflare.com/ajax/libs/html5shiv/3.6.1/html5shiv.js"></script><script>var head = document.getElementsByTagName('head')[0],style = document.createElement('style');style.type = 'text/css';style.styleSheet.cssText = ':before,:after{content:none !important';head.appendChild(style);setTimeout(function(){head.removeChild(style);}, 0);</script><script src="http://www.test-tfl.com/wp-content/themes/flatsome/assets/libs/ie-flexibility.js"></script><![endif]-->    <script type="text/javascript">
    WebFontConfig = {
      google: { families: [ "Montserrat","Lato","Montserrat:regular,700","Dancing+Script", ] }
    };
    (function() {
      var wf = document.createElement('script');
      wf.src = 'https://ajax.googleapis.com/ajax/libs/webfont/1/webfont.js';
      wf.type = 'text/javascript';
      wf.async = 'true';
      var s = document.getElementsByTagName('script')[0];
      s.parentNode.insertBefore(wf, s);
    })(); </script>
  	<noscript><style>.woocommerce-product-gallery{ opacity: 1 !important; }</style></noscript>
	<style id="custom-css" type="text/css">:root {--primary-color: #008cb2;}/* Site Width */.header-main{height: 91px}#logo img{max-height: 91px}#logo{width:166px;}.header-bottom{min-height: 43px}.header-top{min-height: 30px}.transparent .header-main{height: 30px}.transparent #logo img{max-height: 30px}.has-transparent + .page-title:first-of-type,.has-transparent + #main > .page-title,.has-transparent + #main > div > .page-title,.has-transparent + #main .page-header-wrapper:first-of-type .page-title{padding-top: 110px;}.header.show-on-scroll,.stuck .header-main{height:70px!important}.stuck #logo img{max-height: 70px!important}.search-form{ width: 100%;}.header-bg-color, .header-wrapper {background-color: rgba(255,255,255,0.9)}.header-bottom {background-color: #336633}.stuck .header-main .nav > li > a{line-height: 50px }@media (max-width: 549px) {.header-main{height: 70px}#logo img{max-height: 70px}}.header-top{background-color:#336633!important;}/* Color */.accordion-title.active, .has-icon-bg .icon .icon-inner,.logo a, .primary.is-underline, .primary.is-link, .badge-outline .badge-inner, .nav-outline > li.active> a,.nav-outline >li.active > a, .cart-icon strong,[data-color='primary'], .is-outline.primary{color: #008cb2;}/* Color !important */[data-text-color="primary"]{color: #008cb2!important;}/* Background Color */[data-text-bg="primary"]{background-color: #008cb2;}/* Background */.scroll-to-bullets a,.featured-title, .label-new.menu-item > a:after, .nav-pagination > li > .current,.nav-pagination > li > span:hover,.nav-pagination > li > a:hover,.has-hover:hover .badge-outline .badge-inner,button[type="submit"], .button.wc-forward:not(.checkout):not(.checkout-button), .button.submit-button, .button.primary:not(.is-outline),.featured-table .title,.is-outline:hover, .has-icon:hover .icon-label,.nav-dropdown-bold .nav-column li > a:hover, .nav-dropdown.nav-dropdown-bold > li > a:hover, .nav-dropdown-bold.dark .nav-column li > a:hover, .nav-dropdown.nav-dropdown-bold.dark > li > a:hover, .is-outline:hover, .tagcloud a:hover,.grid-tools a, input[type='submit']:not(.is-form), .box-badge:hover .box-text, input.button.alt,.nav-box > li > a:hover,.nav-box > li.active > a,.nav-pills > li.active > a ,.current-dropdown .cart-icon strong, .cart-icon:hover strong, .nav-line-bottom > li > a:before, .nav-line-grow > li > a:before, .nav-line > li > a:before,.banner, .header-top, .slider-nav-circle .flickity-prev-next-button:hover svg, .slider-nav-circle .flickity-prev-next-button:hover .arrow, .primary.is-outline:hover, .button.primary:not(.is-outline), input[type='submit'].primary, input[type='submit'].primary, input[type='reset'].button, input[type='button'].primary, .badge-inner{background-color: #008cb2;}/* Border */.nav-vertical.nav-tabs > li.active > a,.scroll-to-bullets a.active,.nav-pagination > li > .current,.nav-pagination > li > span:hover,.nav-pagination > li > a:hover,.has-hover:hover .badge-outline .badge-inner,.accordion-title.active,.featured-table,.is-outline:hover, .tagcloud a:hover,blockquote, .has-border, .cart-icon strong:after,.cart-icon strong,.blockUI:before, .processing:before,.loading-spin, .slider-nav-circle .flickity-prev-next-button:hover svg, .slider-nav-circle .flickity-prev-next-button:hover .arrow, .primary.is-outline:hover{border-color: #008cb2}.nav-tabs > li.active > a{border-top-color: #008cb2}.widget_shopping_cart_content .blockUI.blockOverlay:before { border-left-color: #008cb2 }.woocommerce-checkout-review-order .blockUI.blockOverlay:before { border-left-color: #008cb2 }/* Fill */.slider .flickity-prev-next-button:hover svg,.slider .flickity-prev-next-button:hover .arrow{fill: #008cb2;}/* Background Color */[data-icon-label]:after, .secondary.is-underline:hover,.secondary.is-outline:hover,.icon-label,.button.secondary:not(.is-outline),.button.alt:not(.is-outline), .badge-inner.on-sale, .button.checkout, .single_add_to_cart_button{ background-color:#4ad8ff; }[data-text-bg="secondary"]{background-color: #4ad8ff;}/* Color */.secondary.is-underline,.secondary.is-link, .secondary.is-outline,.stars a.active, .star-rating:before, .woocommerce-page .star-rating:before,.star-rating span:before, .color-secondary{color: #4ad8ff}/* Color !important */[data-text-color="secondary"]{color: #4ad8ff!important;}/* Border */.secondary.is-outline:hover{border-color:#4ad8ff}body{font-family:"Lato", sans-serif}.nav > li > a {font-family:"Montserrat", sans-serif;}.nav > li > a {font-weight: 700;}h1,h2,h3,h4,h5,h6,.heading-font, .off-canvas-center .nav-sidebar.nav-vertical > li > a{font-family: "Montserrat", sans-serif;}.alt-font{font-family: "Dancing Script", sans-serif;}a{color: #0837f1;}@media screen and (min-width: 550px){.products .box-vertical .box-image{min-width: 247px!important;width: 247px!important;}}.footer-1{background-color: #222}.footer-2{background-color: #336633}.absolute-footer, html{background-color: #000}/* Custom CSS */#menu-item-132738 {background-color:red;}/* Custom CSS Tablet */@media (max-width: 849px){#menu-item-132738 {background-color:red;}}/* Custom CSS Mobile */@media (max-width: 549px){#menu-item-132738 {background-color:red;}}.label-new.menu-item > a:after{content:"New";}.label-hot.menu-item > a:after{content:"Hot";}.label-sale.menu-item > a:after{content:"Sale";}.label-popular.menu-item > a:after{content:"Popular";}</style>		<style type="text/css" id="wp-custom-css">
			#categories_block_left li a { /* colors categories */
  color:#336633;
}
/*#editorial_block_center #editorial_main_image {
  margin:0 auto;
}*/
#index div#center_column  #editorial_main_image img.editorialimg {
  clear:both;
  margin-left:auto;
  margin-right:auto;
}
.rte p{
  font-size:16px;
}
div.rte div.header_text {
  color:#336633;
  font-size:24px;
  margin-bottom:25px;
  margin-top:20px;
  text-align:center;
  margin:0 auto;
}

div.header_text li {
  margin-bottom:10px;
}
div.header_text ul {
  list-style-type:none;
  margin-top:20px;
}
#cart_quantity_down_119_0_0_0 {
  color:blue;
}
.ajax_cart_product_txt_s {
  font-size:12px;
  margin:0;
  padding:0;
}
/*a.button {
  background-color: #ff0000
}*/
div.navbox2col_center_longer {
  color:black;
  font-size:10px;
  background-color:#FFFF99;
  font-weight:normal;
}
div.navbox2col_center_longer p {
  font-size:10px;
}
div.links_navbox_center_longer_top p {
    text-align:center;
  margin:0 auto;
}
div.links_left_navbox_longer, div.links_right_navbox_longer {
   background-color:#FFFF99;
}
div#search_block_top {
  float:right;
  position:relative;
  top:-30px; /*With QV_Contest 135 px and 223 with protein box*/

}
.boldblackcenter {
	font-family: Arial, Helvetica, sans-serif;
	color: #000000;
	font-size: 13px;
	font-weight: bold;
	text-align: center;
	margin: 0 auto;
}
div#cart_vouchers_adder {visibility:hidden;}


@media only screen and (max-width: 220px) {

   body, section, p, div { font-size: 2em; }
  #homepageadvertise li img{max-width: 20%; height:auto;}
/*#page {overflow-y:auto}*/
}
#homepageadvertise li img{max-width: 80%; height:auto;}
.pet_success_navigation {
	text-align:center;
	background-color: #99cc99; 
	padding: 10px; 
	padding-right: 40px; 
	padding-left: 40px; 
	font-size: 20px; 
	margin: 0 auto; 
	width: auto;
}
.pet_success_div {
	margin-top: 15px; 
	margin-bottom: 15px;
}
.pet_success_navigation a {
	margin-left:20px;
}


#editorial_main_image {
  padding: 0 10px;
    text-align: center;
  display:block;
  
}



@media screen and (max-width: 1320px) {
	.main_menu_link{
		line-height: 20px;
		text-align:center
	}
}
	
	#header #search_block_top {
		width:190px;
    top: -30px;
			}
	
@media (max-width: 1320px) {
div.featured-products_block_center {
    margin-right:50px;
  width:80%;
}
}
/*@media screen and (max-device-width: 480px) {*/
@media (max-width: 480px) {
div.featured-products_block_center {
    margin-right:350px;
  width:60%;
}
#search_block_top .button_search {
    height:35px;
    width:37px;
}
  #search_block_top #search_query_top {
  height:35px;
    width:190px;
 /* position:relative;
  right:20px;*/
}
}
@media (max-width: 360px) {
div.featured-products_block_center {
    margin-right:450px;
  width:60%;
  }
#search_block_top .button_search {
  height:35px;
    width:37px;
}
#search_block_top #search_query_top {
  height:35px;
    width:190px;
}

}
div.ans {
  text-align:left;
}
h2.ans a {
  margin-top:20px;
}
#main_section div.rte div.ans > p {
   padding-bottom: 10px
} 
.shophead {
        z-index:1;
        text-align:center;
        margin:0 auto;
        margin-bottom:12px;
}
.shophead a:link {
	color:blue;
	font-size:18px;	
}


.boldred {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 16px;
        color: #FF0000;
        font-weight: bold;
}
.boldred_footer {
        font-family: Arial, Helvetica, sans-serif;
        color: #FF0000;
        font-weight: bold;
}
.boldred_center {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 12px;
        color: #FF0000;
        font-weight: bold;
        margin:0 auto;
        text-align:center;
}

.boldred_padding {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 12px;
        color: #FF0000;
        font-weight: bold;
        padding-bottom:6px;
}
        .boldwhite {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 12px;
        color: #FFFFFF;
        font-weight: bold;
        text-decoration:underline
}

        .boldredheading {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 16px;
        color: #FF0000;
        font-weight: bold;
}

.boldredheading_center {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 14px;
        color: #FF0000;
        font-weight: bold;
        margin:0 auto;
        text-align:center;
}
        .boldblack {
        font-family: Arial, Helvetica, sans-serif;
        color: #000000;
        font-size: 16px;
        font-weight: bold;
}
.normal {
        font-family: Arial, Helvetica, sans-serif;
        color: #000000;
        font-size: 12px;
}
.boldblackcenter {
        font-family: Arial, Helvetica, sans-serif;
        color: #000000;
        font-size: 13px;
        font-weight: bold;
        text-align: center;
        margin: 0 auto;
}
.boldblack_small_underline {
        font-family: Arial, Helvetica, sans-serif;
        color: #000000;
        font-size: 10px;
        font-weight: bold;
        text-decoration:underline;
}
.boldbluecenter {
        font-family: Arial, Helvetica, sans-serif;
        color: #0000FF;
        font-size: 12px;
        font-weight: bold;
        text-align: center;
        margin: 0 auto;
}
.heading {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 18px;
        font-weight: bold;
        color: #000000;
}
.heading2 {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 14px;
        font-weight: bold;
        color: red;
}
b a:link {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 12px;
        font-weight: bold;
        color:#0000FF;
}
.boldblack_indent {
        font-family: Arial, Helvetica, sans-serif;
        color: #000000;
        font-size: 12px;
        font-weight: bold;
        text-indent:2cm;
}
.heading {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 18px;
        font-weight: bold;
        color: #000000;
}
.heading2 {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 14px;
        font-weight: bold;
        color: red;
}
b a:link {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 12px;
        font-weight: bold;
        color:#0000FF;
}
.heading_choices {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 12px;
        font-weight: bold;
        color: #000000;
        padding-top:16px;
        padding:0;
}
.heading_italics {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 14px;
        font-weight: bold;
        color: #000000;
        font-style:italic;
}
.italics {
        font-family: Arial, Helvetica, sans-serif;
        color: #000000;
        font-style:italic;
}
.heading_center {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 14px;
        font-weight: bold;
        color: #000000;
}

.image_center {
margin:0 auto;
text-align:center;
margin-bottom:15px;
}
.image_center_pic{
margin-right:auto;
margin-left:auto;
margin-bottom:20px;
}
.heading_free_shipping {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 14px;
        font-weight: bold;
        color: #000000;
        margin-top:15px;
}
.temp_body_href {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 16px;
        color: blue;
        font-weight: bold;
}
.temp_body_bold {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 16px;
        color: #000000;
        font-weight: bold;
        margin:0;
        padding:0;
        background-color:#FFFF99;
}
.temp_body_bold_menu {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 11px;
        color: #000000;
        font-weight: bold;
        text-transform: uppercase;
}
h1 {
	margin:0 auto;
	text-align:center;}		</style>
	</head>

<body class="page-template page-template-page-left-sidebar page-template-page-left-sidebar-php page page-id-798 woocommerce-no-js lightbox nav-dropdown-has-arrow">


<a class="skip-link screen-reader-text" href="#main">Skip to content</a>

<div id="wrapper">


<header id="header" class="header has-sticky sticky-jump">
   <div class="header-wrapper">
	<div id="top-bar" class="header-top hide-for-sticky nav-dark">
    <div class="flex-row container">
      <div class="flex-col hide-for-medium flex-left">
          <ul class="nav nav-left medium-nav-center nav-small  nav-divided">
                        </ul>
      </div><!-- flex-col left -->

      <div class="flex-col hide-for-medium flex-center">
          <ul class="nav nav-center nav-small  nav-divided">
                        </ul>
      </div><!-- center -->

      <div class="flex-col hide-for-medium flex-right">
         <ul class="nav top-bar-nav nav-right nav-small  nav-divided">
              <li class="header-contact-wrapper">
		<ul id="header-contact" class="nav nav-divided nav-uppercase header-contact">
		
					
						<li class="">
			  <a class="tooltip" title="10:00 - 18:00 ">
			  	   <i class="icon-clock" style="font-size:10px;"></i>			        <span></span>
			  </a>
			 </li>
			
						<li class="">
			  <a href="tel:434-591-1249" class="tooltip" title="434-591-1249">
			     <i class="icon-phone" style="font-size:10px;"></i>			      <span></span>
			  </a>
			</li>
				</ul>
</li><li class="html header-social-icons ml-0">
	<div class="social-icons follow-icons " ><a href="http://facebook.com/theherbsplace" target="_blank" data-label="Facebook"  rel="noopener noreferrer nofollow" class="icon plain facebook tooltip" title="Follow on Facebook"><i class="icon-facebook" ></i></a><a href="http://twitter.com/theherbsplace" target="_blank"  data-label="Twitter"  rel="noopener noreferrer nofollow" class="icon plain  twitter tooltip" title="Follow on Twitter"><i class="icon-twitter" ></i></a><a href="mailto:your@email" data-label="E-mail"  rel="nofollow" class="icon plain  email tooltip" title="Send us an email"><i class="icon-envelop" ></i></a><a href="http://pinterest.com/theherbsplace" target="_blank" rel="noopener noreferrer nofollow"  data-label="Pinterest"  class="icon plain  pinterest tooltip" title="Follow on Pinterest"><i class="icon-pinterest" ></i></a></div></li>          </ul>
      </div><!-- .flex-col right -->

            <div class="flex-col show-for-medium flex-grow">
          <ul class="nav nav-center nav-small mobile-nav  nav-divided">
              <li class="html custom html_topbar_left">[aws_search_form]</li>          </ul>
      </div>
      
    </div><!-- .flex-row -->
</div><!-- #header-top -->
<div id="masthead" class="header-main ">
      <div class="header-inner flex-row container logo-left medium-logo-center" role="navigation">

          <!-- Logo -->
          <div id="logo" class="flex-col logo">
            <!-- Header logo -->
<a href="http://www.test-tfl.com/" title="The Herbs Place" rel="home">
    <img width="166" height="91" src="http://www.test-tfl.com/wp-content/uploads/2018/05/logo.jpg" class="header_logo header-logo" alt="The Herbs Place"/><img  width="166" height="91" src="http://www.test-tfl.com/wp-content/uploads/2018/05/logo.jpg" class="header-logo-dark" alt="The Herbs Place"/></a>
          </div>

          <!-- Mobile Left Elements -->
          <div class="flex-col show-for-medium flex-left">
            <ul class="mobile-nav nav nav-left ">
              <li class="nav-icon has-icon">
  		<a href="#" data-open="#main-menu" data-pos="left" data-bg="main-menu-overlay" data-color="" class="is-small" aria-controls="main-menu" aria-expanded="false">
		
		  <i class="icon-menu" ></i>
		  		</a>
	</li>            </ul>
          </div>

          <!-- Left Elements -->
          <div class="flex-col hide-for-medium flex-left
            flex-grow">
            <ul class="header-nav header-nav-main nav nav-left  nav-uppercase" >
              <li class="header-search-form search-form html relative has-icon">
	<div class="header-search-form-wrapper">
		<div class="searchform-wrapper ux-search-box relative form- is-normal"><form role="search" method="get" class="searchform" action="http://www.test-tfl.com/">
		<div class="flex-row relative">
						<div class="flex-col search-form-categories">
			<select class="search_categories resize-select mb-0" name="product_cat"><option value="" selected='selected'>All</option><option value="natria_body_care_page_1_c_89">Natria Body Care</option><option value="on-sale">On Sale</option><option value="home">Home</option><option value="specials">Specials</option></select>			</div><!-- .flex-col -->
									<div class="flex-col flex-grow">
			  <input type="search" class="search-field mb-0" name="s" value="" placeholder="Search&hellip;" />
		    <input type="hidden" name="post_type" value="product" />
        			</div><!-- .flex-col -->
			<div class="flex-col">
				<button type="submit" class="ux-search-submit submit-button secondary button icon mb-0">
					<i class="icon-search" ></i>				</button>
			</div><!-- .flex-col -->
		</div><!-- .flex-row -->
	 <div class="live-search-results text-left z-top"></div>
</form>
</div>	</div>
</li>            </ul>
          </div>

          <!-- Right Elements -->
          <div class="flex-col hide-for-medium flex-right">
            <ul class="header-nav header-nav-main nav nav-right  nav-uppercase">
              <li class="account-item has-icon
    "
>

<a href="http://www.test-tfl.com/my-account/"
    class="nav-top-link nav-top-not-logged-in "
      >
    <span>
    Login      </span>
  
</a><!-- .account-login-link -->



</li>
<li class="header-divider"></li><li class="cart-item has-icon has-dropdown">

<a href="http://www.test-tfl.com/cart/" title="Cart" class="header-cart-link is-small">


<span class="header-cart-title">
   Cart   /      <span class="cart-price"><span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>13.50</span></span>
  </span>

    <span class="cart-icon image-icon">
    <strong>1</strong>
  </span>
  </a>

 <ul class="nav-dropdown nav-dropdown-default">
    <li class="html widget_shopping_cart">
      <div class="widget_shopping_cart_content">
        

	<ul class="woocommerce-mini-cart cart_list product_list_widget ">
							<li class="woocommerce-mini-cart-item mini_cart_item">
						<a href="http://www.test-tfl.com/cart/?remove_item=1ef91c212e30e14bf125e9374262401f&#038;_wpnonce=0f09d08be7" class="remove remove_from_cart_button" aria-label="Remove this item" data-product_id="1684" data-cart_item_key="1ef91c212e30e14bf125e9374262401f" data-product_sku="90">&times;</a>													<a href="http://www.test-tfl.com/product/black_walnut_100_capsules_p_376/">
								<img width="247" height="296" src="http://www.test-tfl.com/wp-content/uploads/2018/07/90-247x296.jpg" class="attachment-woocommerce_thumbnail size-woocommerce_thumbnail" alt="" />Black Walnut (100 capsules)							</a>
																		<span class="quantity">1 &times; <span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>13.50</span></span>					</li>
						</ul>

	<p class="woocommerce-mini-cart__total total"><strong>Subtotal:</strong> <span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>13.50</span></p>

	
	<p class="woocommerce-mini-cart__buttons buttons"><a href="http://www.test-tfl.com/cart/" class="button wc-forward">View cart</a><a href="http://www.test-tfl.com/checkout/" class="button checkout wc-forward">Checkout</a></p>


      </div>
    </li>
     </ul><!-- .nav-dropdown -->

</li>
            </ul>
          </div>

          <!-- Mobile Right Elements -->
          <div class="flex-col show-for-medium flex-right">
            <ul class="mobile-nav nav nav-right ">
              <li class="cart-item has-icon">

      <a href="http://www.test-tfl.com/cart/" class="header-cart-link off-canvas-toggle nav-top-link is-small" data-open="#cart-popup" data-class="off-canvas-cart" title="Cart" data-pos="right">
  
    <span class="cart-icon image-icon">
    <strong>1</strong>
  </span> 
  </a>


  <!-- Cart Sidebar Popup -->
  <div id="cart-popup" class="mfp-hide widget_shopping_cart">
  <div class="cart-popup-inner inner-padding">
      <div class="cart-popup-title text-center">
          <h4 class="uppercase">Cart</h4>
          <div class="is-divider"></div>
      </div>
      <div class="widget_shopping_cart_content">
          

	<ul class="woocommerce-mini-cart cart_list product_list_widget ">
							<li class="woocommerce-mini-cart-item mini_cart_item">
						<a href="http://www.test-tfl.com/cart/?remove_item=1ef91c212e30e14bf125e9374262401f&#038;_wpnonce=0f09d08be7" class="remove remove_from_cart_button" aria-label="Remove this item" data-product_id="1684" data-cart_item_key="1ef91c212e30e14bf125e9374262401f" data-product_sku="90">&times;</a>													<a href="http://www.test-tfl.com/product/black_walnut_100_capsules_p_376/">
								<img width="247" height="296" src="http://www.test-tfl.com/wp-content/uploads/2018/07/90-247x296.jpg" class="attachment-woocommerce_thumbnail size-woocommerce_thumbnail" alt="" />Black Walnut (100 capsules)							</a>
																		<span class="quantity">1 &times; <span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>13.50</span></span>					</li>
						</ul>

	<p class="woocommerce-mini-cart__total total"><strong>Subtotal:</strong> <span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>13.50</span></p>

	
	<p class="woocommerce-mini-cart__buttons buttons"><a href="http://www.test-tfl.com/cart/" class="button wc-forward">View cart</a><a href="http://www.test-tfl.com/checkout/" class="button checkout wc-forward">Checkout</a></p>


      </div>
             <div class="cart-sidebar-content relative"></div>  </div>
  </div>

</li>
            </ul>
          </div>

      </div><!-- .header-inner -->
     
            <!-- Header divider -->
      <div class="container"><div class="top-divider full-width"></div></div>
      </div><!-- .header-main --><div id="wide-nav" class="header-bottom wide-nav nav-dark hide-for-medium">
    <div class="flex-row container">

                        <div class="flex-col hide-for-medium flex-left">
                <ul class="nav header-nav header-bottom-nav nav-left  nav-uppercase">
                    <li id="menu-item-132697" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-has-children  menu-item-132697 has-dropdown"><a href="http://www.test-tfl.com/shop-a-z/" class="nav-top-link">Shop A – Z<i class="icon-angle-down" ></i></a>
<ul class='nav-dropdown nav-dropdown-default'>
	<li id="menu-item-132709" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132709 nav-dropdown-col"><a href="/product-category/home/shop_a_z_page_1_c_28/">A</a>
	<ul class='nav-column nav-dropdown-default'>
		<li id="menu-item-132699" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132699"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_b_page_1_c_29/">B</a></li>
		<li id="menu-item-132700" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132700"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_c_page_1_c_27/">C</a></li>
		<li id="menu-item-132701" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132701"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_d_page_1_c_30/">D</a></li>
		<li id="menu-item-132702" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132702"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_e_page_1_c_31/">E</a></li>
	</ul>
</li>
	<li id="menu-item-132703" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132703 nav-dropdown-col"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_f_page_1_c_32/">F</a>
	<ul class='nav-column nav-dropdown-default'>
		<li id="menu-item-132704" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132704"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_g_page_1_c_46/">G</a></li>
		<li id="menu-item-132705" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132705"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_h_page_1_c_47/">H</a></li>
		<li id="menu-item-132706" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132706"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_i_page_1_c_48/">I</a></li>
		<li id="menu-item-132707" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132707"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_j_page_1_c_49/">J</a></li>
	</ul>
</li>
	<li id="menu-item-132708" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132708 nav-dropdown-col"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_k_page_1_c_50/">K</a>
	<ul class='nav-column nav-dropdown-default'>
		<li id="menu-item-132710" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132710"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_l_page_1_c_51/">L</a></li>
		<li id="menu-item-132711" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132711"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_m_page_1_c_52/">M</a></li>
		<li id="menu-item-132712" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132712"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_n_page_1_c_53/">N</a></li>
		<li id="menu-item-132713" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132713"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_o_page_1_c_54/">O</a></li>
	</ul>
</li>
	<li id="menu-item-132714" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132714 nav-dropdown-col"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_p_page_1_c_55/">P</a>
	<ul class='nav-column nav-dropdown-default'>
		<li id="menu-item-132715" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132715"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_q_page_1_c_56/">Q</a></li>
		<li id="menu-item-132716" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132716"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_r_page_1_c_57/">R</a></li>
		<li id="menu-item-132717" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132717"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_s_page_1_c_58/">S</a></li>
		<li id="menu-item-132718" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132718"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_t_page_1_c_59/">T</a></li>
	</ul>
</li>
	<li id="menu-item-132719" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132719 nav-dropdown-col"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_U_page_1_c_60/">U</a>
	<ul class='nav-column nav-dropdown-default'>
		<li id="menu-item-132720" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132720"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_v_page_1_c_61/">V</a></li>
		<li id="menu-item-132721" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132721"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_w_page_1_c_85/">W</a></li>
		<li id="menu-item-132722" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132722"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_x_page_1_c_63/">X</a></li>
		<li id="menu-item-132723" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132723"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_y_page_1_c_64/">Y</a></li>
		<li id="menu-item-132724" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132724"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_z_page_1_c_65/">Z</a></li>
	</ul>
</li>
</ul>
</li>
<li id="menu-item-132665" class="menu-item menu-item-type-post_type menu-item-object-page current-menu-item page_item page-item-798 current_page_item active  menu-item-132665"><a href="http://www.test-tfl.com/rebate_program/" class="nav-top-link">Membership</a></li>
<li id="menu-item-132778" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132778 has-dropdown"><a href="/product-category/home/pet_catalog_page_1_c_87/" class="nav-top-link">Herbs For Pets<i class="icon-angle-down" ></i></a>
<ul class='nav-dropdown nav-dropdown-default'>
	<li id="menu-item-132777" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132777"><a href="/welcome_to_the_herbs_place_for_pets_sp_63/">Pets Home</a></li>
	<li id="menu-item-132669" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132669"><a href="http://www.test-tfl.com/pet_catalog_sp_210/">Pet Catalog – The Herbs Place</a></li>
</ul>
</li>
<li id="menu-item-132667" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-has-children  menu-item-132667 has-dropdown"><a href="http://www.test-tfl.com/bandit-s-heartworm-program/" class="nav-top-link">The Heartworm Program<i class="icon-angle-down" ></i></a>
<ul class='nav-dropdown nav-dropdown-default'>
	<li id="menu-item-132776" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132776"><a href="/heartworm-success-stories1/">Heartworm Success Stories</a></li>
	<li id="menu-item-132769" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132769"><a href="http://www.test-tfl.com/bandit-s-heartworm-program/">The Heartworm Program</a></li>
	<li id="menu-item-132770" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132770"><a href="http://www.test-tfl.com/heartworm_prevention_sp_104/">Heartworm Prevention</a></li>
	<li id="menu-item-132771" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132771"><a href="http://www.test-tfl.com/bandit-s-heartworm-programs-faqs/">Heartworm Programs&#8217; FAQs</a></li>
	<li id="menu-item-132774" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132774"><a href="http://www.test-tfl.com/bandit-s-favorite-recipes-2/">Bandit&#8217;s Favorite Recipes</a></li>
	<li id="menu-item-132775" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132775"><a href="/heartworm_success_stories_sp_105/">Buddy&#8217;s Heartworm Story</a></li>
</ul>
</li>
<li id="menu-item-132738" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132738"><a href="/product-category/on-sale/" class="nav-top-link">Sale</a></li>
<li id="menu-item-132781" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132781 has-dropdown"><a href="#" class="nav-top-link">More<i class="icon-angle-down" ></i></a>
<ul class='nav-dropdown nav-dropdown-default'>
	<li id="menu-item-132782" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132782"><a href="http://www.test-tfl.com/outside_the_usa_sp_84/">Outside the USA – The Herbs Place</a></li>
	<li id="menu-item-132783" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132783"><a href="http://www.test-tfl.com/f_a_q_sp_150/">F A Q – The Herbs Place</a></li>
	<li id="menu-item-132784" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132784"><a href="http://www.test-tfl.com/pdf_downloads_sp_131/">PDF Downloads – The Herbs Place</a></li>
	<li id="menu-item-132785" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132785"><a href="http://www.test-tfl.com/quality_sp_29/">Nature&#8217;s Sunshine Quality &#8211; The Key To Purity And Potency</a></li>
	<li id="menu-item-132786" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132786"><a href="http://www.test-tfl.com/business_opportunity_sp_62/">Nature&#8217;s Sunshine Business Opportunity/Small Investment</a></li>
	<li id="menu-item-132787" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132787"><a href="/a_healing_moment_article_list_sp_64">Christian Articles to Encourage and Edify</a></li>
	<li id="menu-item-132788" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132788"><a href="http://www.test-tfl.com/free_online_classes_sp_30/">Free Online Classes – The Herbs Place</a></li>
	<li id="menu-item-132789" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132789"><a href="http://www.test-tfl.com/ordering_options_sp_66/">Ordering Options of The Herbs Place.com</a></li>
</ul>
</li>
                </ul>
            </div><!-- flex-col -->
            
            
                        <div class="flex-col hide-for-medium flex-right flex-grow">
              <ul class="nav header-nav header-bottom-nav nav-right  nav-uppercase">
                                 </ul>
            </div><!-- flex-col -->
            
            
    </div><!-- .flex-row -->
</div><!-- .header-bottom -->

<div class="header-bg-container fill"><div class="header-bg-image fill"></div><div class="header-bg-color fill"></div></div><!-- .header-bg-container -->   </div><!-- header-wrapper-->
</header>


<main id="main" class="">


<div  class="page-wrapper page-left-sidebar">
<div class="row">

<div id="content" class="large-9 right col" role="main">
	<div class="page-inner">
							
			<div class="ahm_table">
<table class="ahm_member">
<tbody>
<tr>
<th scope="col">
<h1>Benefits</h1>
</th>
<th scope="col">
<h1>Basic</h1>
</th>
<th scope="col">
<h1>SmartStart</h1>
</th>
</tr>
<tr>
<td></td>
<td>$40 Product Order</td>
<td>100 QV Initial Order <a href="/Resources/Prestashop/qv_cart.png" target="_blank" rel="noopener">(example)</a></td>
</tr>
<tr>
<td>No Auto Ships Required</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>No Member Fee</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>No Signup Fee</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>Order Direct</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>30-45% Off Retail</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>$20 Off Coupon &#8211; 2nd Order</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>Members Only Promotions</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>Rebate Checks</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>$15 Sunshine/Product Credit</td>
<td></td>
<td>✅</td>
</tr>
</tbody>
</table>
</div>
<h1>Nature&#8217;s Sunshine <span style="text decoration: italics; font-weight: bold; color: red;">Basic</span> Membership Program</h1>
<p align="center"><span style="margin: 0 auto; font-size: 18px; color: #336633; font-weight: bold; margin-top: -10px; margin-bottom: 1.9em;">(Requirement: A sign-up order of $40 or more.)</span></p>
<p><span class="heading">What&#8217;s The Cost?</span></p>
<p>• Membership is <span class="boldred">FREE</span>. No annual fees. No obligations or scheduled orders required.</p>
<p>If you choose to renew your membership each year, you simply place a $40 order. You will get a reminder from Nature&#8217;s Sunshine so you can choose whether to renew or not.</p>
<p><span class="heading">What Are The Benefits of Membership?</span></p>
<p>• With over <span class="boldred">600 products</span>, Nature&#8217;s Sunshine Products (NSP) provides a wide range of products: herbs, vitamin and minerals, supplement specific formulas, children&#8217;s line, pre-packaged programs, 100% authentic essential oils, flower essences, personal care, herbal salves, bulk products, nutritional beverages, xylitol gums &amp; mints, cleaning and laundry concentrate. .</p>
<p>• <span class="boldred">Order directly from Nature&#8217;s Sunshine</span>, the manufacturer, rather than through a distributor, which gives you the freshest product available.</p>
<p>• <span class="boldred">30-45% discount</span> off retail prices <span class="boldred">PLUS sales</span> for further discounts.</p>
<p>• <span class="boldred">20% off coupon</span> for a future order (within 90 days) in your welcome email.</p>
<p>• <span class="boldred">Email perks</span> &#8211; You&#8217;ll be notified of free or reduced shipping promotions, product sales, new products when announced and free educational webinars with sometimes free products just for watching.</p>
<p>• Receive <span class="boldred">rebate checks</span> after your first order. Any month you have 100 QV or more you will qualify for a rebate check. The percentage depends on the QV* amount of your total orders for the month:<br />
10% for 100 &#8212;&#8211; 12% for 300 &#8212;&#8211; 18% for 600 &#8212;&#8211; 27% for 1000</p>
<p>You can order for family, co-workers or friends to increase your QV so you will get a rebate check each month to add to your household budget.</p>
<p><span class="boldred">What Is QV?</span> QV=Qualifying Volume. Each product has a Member Cost and a QV figure. For 90% of the products it&#8217;s the same, but the rest have a lower QV.</p>
<p>• Your welcome email from NSP will include your <span class="boldred">account number and PIN number</span> so you&#8217;ll have instant access to all the benefits and perks on the website. First task is to change the PIN number to what you want it to be.</p>
<h1>Nature&#8217;s Sunshine <span style="text decoration: italics; font-weight: bold; color: red;">SmartStart</span> Membership Program</h1>
<p align="center"><span style="margin: 0 auto; font-size: 18px; color: #336633; font-weight: bold; margin-top: -10px; margin-bottom: 20px;">(Requirement: An initial sign-up order of 100 QV or more.)</span></p>
<p class="boldred" style="text-align: center; margin: 0 auto;">On the SmartStart Program, you get all of the above &#8230; PLUS:</p>
<p>• <span class="boldred">$15 credit</span> will be placed on your account without a deadline for use, other than your account being active.</p>
<p>• With a 300 QV order you will <span class="boldred">qualify for a rebate check on your first order</span>.</p>
<h1><span style="font-weight: bold; text-align: center; margin: 0 auto;">Choosing Membership</span></h1>
<div align="center">
<p>Our shopping cart shows you the QV amount so you can decide on which option to take on your initial order.</p>
<p><span class="boldred">Use the same &#8220;button link&#8221; for either membership.</span></p>
<p><!--<a class="button exclusive biz-op-button" title="I Want Membership!" href="#" data-register="true">Get My Membership</a>--></p>
<p><a id="cook" class="button exclusive biz-op-button" title="I Want Membership!" href="#" data-register="true">Get My Membership</a></p>
<p>Only one (1) membership per household is allowed.</p>
</div>
			
			
			</div><!-- .page-inner -->
</div><!-- end #content large-9 left -->

<div class="large-3 col col-first col-divided">
<div id="secondary" class="widget-area " role="complementary">
		<aside id="woocommerce_product_categories-7" class="widget woocommerce widget_product_categories"><span class="widget-title "><span>Categories</span></span><div class="is-divider small"></div><select  name='product_cat' id='product_cat' class='dropdown_product_cat' >
	<option value='' selected='selected'>Select a category</option>
	<option class="level-0" value="add_adhd_page_1_c_75">ADD &amp; ADHD</option>
	<option class="level-0" value="allergies_skin_coat_problems_page_1_c_92">Allergies &amp; Skin Coat Problems</option>
	<option class="level-0" value="allergy_page_1_c_128">Allergy</option>
	<option class="level-0" value="amino_acids_page_1_c_2">Amino Acids</option>
	<option class="level-0" value="antioxidants_page_1_c_114">Antioxidants</option>
	<option class="level-0" value="ayurvedic_page_1_c_83">Ayurvedic</option>
	<option class="level-0" value="beverages_page_1_c_6">Beverages</option>
	<option class="level-0" value="blood_sugar_page_1_c_78">Blood Sugar</option>
	<option class="level-0" value="bones_joints_muscles_page_1_c_84">Bones &#8211; Joints &#8211; Muscles</option>
	<option class="level-0" value="bones-and-joints-for-pets">Bones and Joints For Pets</option>
	<option class="level-0" value="brain-health-and-memory">Brain Health and Memory</option>
	<option class="level-0" value="bulk_products_page_1_c_3">Bulk Products</option>
	<option class="level-0" value="candida_yeast_page_1_c_118">Candida / Yeast</option>
	<option class="level-0" value="children_page_1_c_4">Children</option>
	<option class="level-0" value="chinese_herbs_page_1_c_5">Chinese Herbs</option>
	<option class="level-0" value="cholesterol_page_1_c_112">Cholesterol</option>
	<option class="level-0" value="circulatory_system_heart_page_1_c_44">Circulatory System &amp; Heart</option>
	<option class="level-0" value="circulatory-system-and-heart-for-pets">Circulatory System and Heart For Pets</option>
	<option class="level-0" value="cleaning_laundry_products_page_1_c_124">Cleaning / Laundry Products</option>
	<option class="level-0" value="cleansing_page_1_c_80">Cleansing</option>
	<option class="level-0" value="digestive-and-intestinal-system-for-pets">Digestive and Intestinal System For Pets</option>
	<option class="level-0" value="digestive_system_page_1_c_38">Digestive System</option>
	<option class="level-0" value="ears-and-eyes-for-pets">Ears and Eyes For Pets</option>
	<option class="level-0" value="energy_page_1_c_82">Energy</option>
	<option class="level-0" value="enzymes_page_1_c_7">Enzymes</option>
	<option class="level-0" value="essential_oil_accessories_page_1_c_66">Essential Oil Accessories</option>
	<option class="level-0" value="essential_oil_blends_page_1_c_34">Essential Oil Blends</option>
	<option class="level-0" value="essential_oil_kits_page_1_c_26">Essential Oil Kits</option>
	<option class="level-0" value="essential_oils_page_1_c_33">Essential Oil Singles</option>
	<option class="level-0" value="essential_oils_100_pure_page_1_c_1">Essential Oils &#8211; 100% Pure</option>
	<option class="level-0" value="eyes_page_1_c_76">Eyes</option>
	<option class="level-0" value="female_page_1_c_73">Female</option>
	<option class="level-0" value="fiber_page_1_c_129">Fiber</option>
	<option class="level-0" value="first-aid-and-wounds-for-pets">First Aid and Wounds For Pets</option>
	<option class="level-0" value="flower_essences_page_1_c_134">Flower Essences</option>
	<option class="level-0" value="getting_started_page_1_c_133">Getting Started</option>
	<option class="level-0" value="gifts_page_1_c_116">Gifts</option>
	<option class="level-0" value="glandular_system_page_1_c_45">Glandular System</option>
	<option class="level-0" value="glandular-system-for-pets">Glandular System For Pets</option>
	<option class="level-0" value="green-products">Green Products</option>
	<option class="level-0" value="gum_and_mints_page_1_c_106">Gum and Mints</option>
	<option class="level-0" value="hair_skin_and_nails_page_1_c_72">Hair, Skin and Nails</option>
	<option class="level-0" value="headaches_pain_and_first_aid_page_1_c_79">Headaches, Pain and First Aid</option>
	<option class="level-0" value="heartworms_and_parasites_page_1_c_93">Heartworms and Parasites</option>
	<option class="level-0" value="herbal_formulas_page_1_c_9">Herbal Formulas</option>
	<option class="level-0" value="herbal_medicine_chest_page_1_c_68">Herbal Medicine Chest</option>
	<option class="level-0" value="herbal_salves_page_1_c_70">Herbal Salves</option>
	<option class="level-0" value="home">Home</option>
	<option class="level-0" value="immune_system_page_1_c_39">Immune System</option>
	<option class="level-0" value="immune-system-for-pets">Immune System For Pets</option>
	<option class="level-0" value="inform-programs">IN.FORM Programs</option>
	<option class="level-0" value="intestinal-system-category-page">Intestinal System Category Page</option>
	<option class="level-0" value="lice_removal_page_1_c_109">Lice Removal</option>
	<option class="level-0" value="liquid_herbs_page_1_c_11">Liquid Herbs</option>
	<option class="level-0" value="liver_page_1_c_137">Liver</option>
	<option class="level-0" value="liver-and-cleansing-for-pets">Liver and Cleansing For Pets</option>
	<option class="level-0" value="male_products_page_1_c_74">Male</option>
	<option class="level-0" value="mood_support_page_1_c_130">Mood Support</option>
	<option class="level-0" value="multi_vitamin_page_1_c_115">Multi-Vitamin</option>
	<option class="level-0" value="natria_body_care_page_1_c_89">Natria Body Care</option>
	<option class="level-0" value="nervous-system-for-pets">Nervous System For Pets</option>
	<option class="level-0" value="nervous_stress_and_depression_page_1_c_42">Nervous, Stress and Depression</option>
	<option class="level-0" value="nutritional-herbs-for-pets">Nutritional Herbs For Pets</option>
	<option class="level-0" value="omega_3_essential_fatty_acids_page_1_c_126">Omega 3 / Essential Fatty Acids</option>
	<option class="level-0" value="on-sale">On Sale</option>
	<option class="level-0" value="personal_care_page_1_c_17">Personal Care</option>
	<option class="level-0" value="pet_catalog_page_1_c_87">Pet Catalog</option>
	<option class="level-0" value="ph_test_strips_page_1_c_21">pH Test Strips</option>
	<option class="level-0" value="pocket_first_aid_page_1_c_69">Pocket First Aid</option>
	<option class="level-0" value="pre_packaged_programs_page_1_c_18">Pre-Packaged Programs</option>
	<option class="level-0" value="pregnancy_page_1_c_81">Pregnancy</option>
	<option class="level-0" value="probiotics_page_1_c_19">Probiotics</option>
	<option class="level-0" value="respiratory-system-for-pets">Respiratory System For Pets</option>
	<option class="level-0" value="respiratory_sinus_allergy_page_1_c_36">Respiratory-Sinus-Allergy</option>
	<option class="level-0" value="shop_a_z_page_1_c_28">Shop A &#8211; Z</option>
	<option class="level-0" value="shop_b_page_1_c_29">Shop B</option>
	<option class="level-0" value="shop_c_page_1_c_27">Shop C</option>
	<option class="level-0" value="shop_d_page_1_c_30">Shop D</option>
	<option class="level-0" value="shop_e_page_1_c_31">Shop E</option>
	<option class="level-0" value="shop_f_page_1_c_32">Shop F</option>
	<option class="level-0" value="shop_g_page_1_c_46">Shop G</option>
	<option class="level-0" value="shop_h_page_1_c_47">Shop H</option>
	<option class="level-0" value="shop_i_page_1_c_48">Shop I</option>
	<option class="level-0" value="shop_j_page_1_c_49">Shop J</option>
	<option class="level-0" value="shop_k_page_1_c_50">Shop K</option>
	<option class="level-0" value="shop_l_page_1_c_51">Shop L</option>
	<option class="level-0" value="shop_m_page_1_c_52">Shop M</option>
	<option class="level-0" value="shop_n_page_1_c_53">Shop N</option>
	<option class="level-0" value="shop_o_page_1_c_54">Shop O</option>
	<option class="level-0" value="shop_p_page_1_c_55">Shop P</option>
	<option class="level-0" value="shop_q_page_1_c_56">Shop Q</option>
	<option class="level-0" value="shop_r_page_1_c_57">Shop R</option>
	<option class="level-0" value="shop_s_page_1_c_58">Shop S</option>
	<option class="level-0" value="shop_t_page_1_c_59">Shop T</option>
	<option class="level-0" value="shop_u_page_1_c_60">Shop U</option>
	<option class="level-0" value="shop_v_page_1_c_61">Shop V</option>
	<option class="level-0" value="shop_w_page_1_c_85">Shop W</option>
	<option class="level-0" value="shop_x_page_1_c_63">Shop X</option>
	<option class="level-0" value="shop_y_page_1_c_64">Shop Y</option>
	<option class="level-0" value="shop_z_page_1_c_65">Shop Z</option>
	<option class="level-0" value="silver-products">Silver Products</option>
	<option class="level-0" value="sleep_page_1_c_86">Sleep</option>
	<option class="level-0" value="solstic-products">Solstic Products</option>
	<option class="level-0" value="specials">Specials</option>
	<option class="level-0" value="structural_system_page_1_c_40">Structural System</option>
	<option class="level-0" value="sunshine_heroes_page_1_c_122">Sunshine Heroes</option>
	<option class="level-0" value="supplements_page_1_c_23">Supplements</option>
	<option class="level-0" value="system_products_page_1_c_135">System Products</option>
	<option class="level-0" value="urinary-system-for-pets">Urinary System For Pets</option>
	<option class="level-0" value="urinary_kidney_bladder_page_1_c_41">Urinary-Kidney-Bladder</option>
	<option class="level-0" value="vital_nutrition_page_1_c_67">Vital Nutrition</option>
	<option class="level-0" value="vitamin_d_products_page_1_c_117">Vitamin D Products</option>
	<option class="level-0" value="water_treatment_systems_page_1_c_24">Water Treatment Systems</option>
	<option class="level-0" value="weight_loss_page_1_c_25">Weight-Loss</option>
	<option class="level-0" value="xylitol_products_page_1_c_107">Xylitol Products</option>
</select>
</aside><aside id="woocommerce_products-11" class="widget woocommerce widget_products"><span class="widget-title "><span>Best Selling</span></span><div class="is-divider small"></div><ul class="product_list_widget"><li>
	
	<a href="http://www.test-tfl.com/product/black_walnut_100_capsules_p_376/">
		<img width="100" height="100" src="http://www.test-tfl.com/wp-content/uploads/2018/07/90.jpg" class="attachment-woocommerce_gallery_thumbnail size-woocommerce_gallery_thumbnail" alt="" />		<span class="product-title">Black Walnut (100 capsules)</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>13.50</span>
	</li>
<li>
	
	<a href="http://www.test-tfl.com/product/alj-100-capsules/">
		<img width="100" height="100" src="http://www.test-tfl.com/wp-content/uploads/2014/04/1511-ALJ-100-capsules-100x100.jpg" class="attachment-woocommerce_gallery_thumbnail size-woocommerce_gallery_thumbnail" alt="ALJ (100 capsules)" srcset="http://www.test-tfl.com/wp-content/uploads/2014/04/1511-ALJ-100-capsules-100x100.jpg 100w, http://www.test-tfl.com/wp-content/uploads/2014/04/1511-ALJ-100-capsules-280x280.jpg 280w, http://www.test-tfl.com/wp-content/uploads/2014/04/1511-ALJ-100-capsules.jpg 300w" sizes="(max-width: 100px) 100vw, 100px" />		<span class="product-title">ALJ (100 capsules)</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>13.60</span>
	</li>
<li>
	
	<a href="http://www.test-tfl.com/product/brainprotexwhuperzinep468/">
		<img width="100" height="100" src="http://www.test-tfl.com/wp-content/uploads/2014/04/1212-Brain-Protex-w-Huperzine-A-100x100.jpg" class="attachment-woocommerce_gallery_thumbnail size-woocommerce_gallery_thumbnail" alt="Brain Protex w/ Huperzine A" srcset="http://www.test-tfl.com/wp-content/uploads/2014/04/1212-Brain-Protex-w-Huperzine-A-100x100.jpg 100w, http://www.test-tfl.com/wp-content/uploads/2014/04/1212-Brain-Protex-w-Huperzine-A-280x280.jpg 280w, http://www.test-tfl.com/wp-content/uploads/2014/04/1212-Brain-Protex-w-Huperzine-A.jpg 300w" sizes="(max-width: 100px) 100vw, 100px" />		<span class="product-title">Brain Protex w/ Huperzine A</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>27.20</span>
	</li>
<li>
	
	<a href="http://www.test-tfl.com/product/focus_attention_90_capsules_p_2011/">
		<img width="100" height="100" src="http://www.test-tfl.com/wp-content/uploads/2014/04/1449-Focus-Attention-90-capsules-100x100.jpg" class="attachment-woocommerce_gallery_thumbnail size-woocommerce_gallery_thumbnail" alt="Focus Attention (90 capsules)" srcset="http://www.test-tfl.com/wp-content/uploads/2014/04/1449-Focus-Attention-90-capsules-100x100.jpg 100w, http://www.test-tfl.com/wp-content/uploads/2014/04/1449-Focus-Attention-90-capsules-280x280.jpg 280w, http://www.test-tfl.com/wp-content/uploads/2014/04/1449-Focus-Attention-90-capsules.jpg 300w" sizes="(max-width: 100px) 100vw, 100px" />		<span class="product-title">Focus Attention (90 capsules)</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>25.45</span>
	</li>
</ul></aside><aside id="woocommerce_products-12" class="widget woocommerce widget_products"><span class="widget-title "><span>Latest</span></span><div class="is-divider small"></div><ul class="product_list_widget"><li>
	
	<a href="http://www.test-tfl.com/product/15-off-negative-pack-tcm-concentrate-chinese/">
		<img width="100" height="100" src="http://www.test-tfl.com/wp-content/uploads/2018/07/13344.jpg" class="attachment-woocommerce_gallery_thumbnail size-woocommerce_gallery_thumbnail" alt="" />		<span class="product-title">15% OFF - Negative Pack TCM Concentrate, Chinese</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>169.11</span>
	</li>
<li>
	
	<a href="http://www.test-tfl.com/product/buy-5-get-1-free-trigger-immune-tcm-conc-order-quantity-of-1-for-each-6-bottles/">
		<img src="http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/images/placeholder.png" alt="Placeholder" width="100" class="woocommerce-placeholder wp-post-image" height="100" />		<span class="product-title">Buy 5 Get 1 FREE - Trigger Immune TCM Conc. [Order Quantity of 1 For Each 6 Bottles]</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>147.50</span>
	</li>
<li>
	
	<a href="http://www.test-tfl.com/product/buy-9-get-2-free-trigger-immune-tcm-conc-order-quantity-of-1-for-each-11-bottles/">
		<img src="http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/images/placeholder.png" alt="Placeholder" width="100" class="woocommerce-placeholder wp-post-image" height="100" />		<span class="product-title">Buy 9 Get 2 FREE - Trigger Immune TCM Conc. [Order Quantity of 1 For Each 11 Bottles]</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>265.50</span>
	</li>
<li>
	
	<a href="http://www.test-tfl.com/product/buy-5-get-1-free-spleen-activator-tcm-conc-order-quantity-of-1-for-each-6-bottles/">
		<img src="http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/images/placeholder.png" alt="Placeholder" width="100" class="woocommerce-placeholder wp-post-image" height="100" />		<span class="product-title">Buy 5 Get 1 FREE - Spleen Activator TCM Conc. [Order Quantity of 1 For Each 6 Bottles]</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>166.25</span>
	</li>
</ul></aside></div><!-- #secondary -->
</div><!-- end sidebar -->

</div><!-- end row -->
</div><!-- end page-right-sidebar container -->




</main><!-- #main -->

<footer id="footer" class="footer-wrapper">

	
<!-- FOOTER 1 -->


<!-- FOOTER 2 -->
<div class="footer-widgets footer footer-2 dark">
		<div class="row dark large-columns-2 mb-0">
	   		<div id="custom_html-3" class="widget_text col pb-0 widget widget_custom_html"><div class="textwidget custom-html-widget"><a href="/contact7">Contact Us</a></div></div><div id="text-3" class="col pb-0 widget widget_text"><span class="widget-title">Find Us</span><div class="is-divider small"></div>			<div class="textwidget"><p><strong>Address</strong></p>
<p>The Herbs Place<br />
2920 Summerhurst Drive (Not Retail)<br />
Midlothian, VA 23113<br />
866-580-3226 or 434-591-1249</p>
<p><strong>Hours</strong><br />
Monday—Friday: 10:00AM–6:00PM</p>
</div>
		</div>        
		</div><!-- end row -->
</div><!-- end footer 2 -->



<div class="absolute-footer dark medium-text-center text-center">
  <div class="container clearfix">

    
    <div class="footer-primary pull-left">
              <div class="menu-footer-container"><ul id="menu-footer" class="links footer-nav uppercase"><li id="menu-item-132809" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132809"><a href="http://www.test-tfl.com/contact7/">Contact Us</a></li>
</ul></div>            <div class="copyright-footer">
        Copyright 2019 © <strong>The Herbs Place</strong>      </div>
          </div><!-- .left -->
  </div><!-- .container -->
</div><!-- .absolute-footer -->

<a href="#top" class="back-to-top button icon invert plain fixed bottom z-1 is-outline hide-for-medium circle" id="top-link"><i class="icon-angle-up" ></i></a>

</footer><!-- .footer-wrapper -->

</div><!-- #wrapper -->

<!-- Mobile Sidebar -->
<div id="main-menu" class="mobile-sidebar no-scrollbar mfp-hide">
    <div class="sidebar-menu no-scrollbar ">
        <ul class="nav nav-sidebar  nav-vertical nav-uppercase">
              <li class="header-search-form search-form html relative has-icon">
	<div class="header-search-form-wrapper">
		<div class="searchform-wrapper ux-search-box relative form- is-normal"><form role="search" method="get" class="searchform" action="http://www.test-tfl.com/">
		<div class="flex-row relative">
						<div class="flex-col search-form-categories">
			<select class="search_categories resize-select mb-0" name="product_cat"><option value="" selected='selected'>All</option><option value="natria_body_care_page_1_c_89">Natria Body Care</option><option value="on-sale">On Sale</option><option value="home">Home</option><option value="specials">Specials</option></select>			</div><!-- .flex-col -->
									<div class="flex-col flex-grow">
			  <input type="search" class="search-field mb-0" name="s" value="" placeholder="Search&hellip;" />
		    <input type="hidden" name="post_type" value="product" />
        			</div><!-- .flex-col -->
			<div class="flex-col">
				<button type="submit" class="ux-search-submit submit-button secondary button icon mb-0">
					<i class="icon-search" ></i>				</button>
			</div><!-- .flex-col -->
		</div><!-- .flex-row -->
	 <div class="live-search-results text-left z-top"></div>
</form>
</div>	</div>
</li><li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-has-children menu-item-132697"><a href="http://www.test-tfl.com/shop-a-z/" class="nav-top-link">Shop A – Z</a>
<ul class=children>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132709"><a href="/product-category/home/shop_a_z_page_1_c_28/">A</a>
	<ul class=nav-sidebar-ul>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132699"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_b_page_1_c_29/">B</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132700"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_c_page_1_c_27/">C</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132701"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_d_page_1_c_30/">D</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132702"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_e_page_1_c_31/">E</a></li>
	</ul>
</li>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132703"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_f_page_1_c_32/">F</a>
	<ul class=nav-sidebar-ul>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132704"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_g_page_1_c_46/">G</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132705"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_h_page_1_c_47/">H</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132706"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_i_page_1_c_48/">I</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132707"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_j_page_1_c_49/">J</a></li>
	</ul>
</li>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132708"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_k_page_1_c_50/">K</a>
	<ul class=nav-sidebar-ul>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132710"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_l_page_1_c_51/">L</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132711"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_m_page_1_c_52/">M</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132712"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_n_page_1_c_53/">N</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132713"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_o_page_1_c_54/">O</a></li>
	</ul>
</li>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132714"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_p_page_1_c_55/">P</a>
	<ul class=nav-sidebar-ul>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132715"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_q_page_1_c_56/">Q</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132716"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_r_page_1_c_57/">R</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132717"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_s_page_1_c_58/">S</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132718"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_t_page_1_c_59/">T</a></li>
	</ul>
</li>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132719"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_U_page_1_c_60/">U</a>
	<ul class=nav-sidebar-ul>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132720"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_v_page_1_c_61/">V</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132721"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_w_page_1_c_85/">W</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132722"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_x_page_1_c_63/">X</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132723"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_y_page_1_c_64/">Y</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132724"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_z_page_1_c_65/">Z</a></li>
	</ul>
</li>
</ul>
</li>
<li class="menu-item menu-item-type-post_type menu-item-object-page current-menu-item page_item page-item-798 current_page_item menu-item-132665"><a href="http://www.test-tfl.com/rebate_program/" class="nav-top-link">Membership</a></li>
<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132778"><a href="/product-category/home/pet_catalog_page_1_c_87/" class="nav-top-link">Herbs For Pets</a>
<ul class=children>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132777"><a href="/welcome_to_the_herbs_place_for_pets_sp_63/">Pets Home</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132669"><a href="http://www.test-tfl.com/pet_catalog_sp_210/">Pet Catalog – The Herbs Place</a></li>
</ul>
</li>
<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-has-children menu-item-132667"><a href="http://www.test-tfl.com/bandit-s-heartworm-program/" class="nav-top-link">The Heartworm Program</a>
<ul class=children>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132776"><a href="/heartworm-success-stories1/">Heartworm Success Stories</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132769"><a href="http://www.test-tfl.com/bandit-s-heartworm-program/">The Heartworm Program</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132770"><a href="http://www.test-tfl.com/heartworm_prevention_sp_104/">Heartworm Prevention</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132771"><a href="http://www.test-tfl.com/bandit-s-heartworm-programs-faqs/">Heartworm Programs&#8217; FAQs</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132774"><a href="http://www.test-tfl.com/bandit-s-favorite-recipes-2/">Bandit&#8217;s Favorite Recipes</a></li>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132775"><a href="/heartworm_success_stories_sp_105/">Buddy&#8217;s Heartworm Story</a></li>
</ul>
</li>
<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132738"><a href="/product-category/on-sale/" class="nav-top-link">Sale</a></li>
<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132781"><a href="#" class="nav-top-link">More</a>
<ul class=children>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132782"><a href="http://www.test-tfl.com/outside_the_usa_sp_84/">Outside the USA – The Herbs Place</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132783"><a href="http://www.test-tfl.com/f_a_q_sp_150/">F A Q – The Herbs Place</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132784"><a href="http://www.test-tfl.com/pdf_downloads_sp_131/">PDF Downloads – The Herbs Place</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132785"><a href="http://www.test-tfl.com/quality_sp_29/">Nature&#8217;s Sunshine Quality &#8211; The Key To Purity And Potency</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132786"><a href="http://www.test-tfl.com/business_opportunity_sp_62/">Nature&#8217;s Sunshine Business Opportunity/Small Investment</a></li>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132787"><a href="/a_healing_moment_article_list_sp_64">Christian Articles to Encourage and Edify</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132788"><a href="http://www.test-tfl.com/free_online_classes_sp_30/">Free Online Classes – The Herbs Place</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132789"><a href="http://www.test-tfl.com/ordering_options_sp_66/">Ordering Options of The Herbs Place.com</a></li>
</ul>
</li>
<li class="account-item has-icon menu-item">
<a href="http://www.test-tfl.com/my-account/"
    class="nav-top-link nav-top-not-logged-in">
    <span class="header-account-title">
    Login  </span>
</a><!-- .account-login-link -->

</li>
        </ul>
    </div><!-- inner -->
</div><!-- #mobile-menu -->
	<script type="text/javascript">
		var c = document.body.className;
		c = c.replace(/woocommerce-no-js/, 'woocommerce-js');
		document.body.className = c;
	</script>
	<link rel='stylesheet' id='select2-css'  href='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/css/select2.css?ver=3.5.4' type='text/css' media='all' />
<script type='text/javascript'>
/* <![CDATA[ */
var wpcf7 = {"apiSettings":{"root":"http:\/\/www.test-tfl.com\/wp-json\/contact-form-7\/v1","namespace":"contact-form-7\/v1"}};
/* ]]> */
</script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/contact-form-7/includes/js/scripts.js?ver=5.1.1'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/js/jquery-blockui/jquery.blockUI.min.js?ver=2.70'></script>
<script type='text/javascript'>
/* <![CDATA[ */
var wc_add_to_cart_params = {"ajax_url":"\/wp-admin\/admin-ajax.php","wc_ajax_url":"\/?wc-ajax=%%endpoint%%","i18n_view_cart":"View cart","cart_url":"http:\/\/www.test-tfl.com\/cart\/","is_cart":"","cart_redirect_after_add":"no"};
/* ]]> */
</script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/js/frontend/add-to-cart.min.js?ver=3.5.4'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/js/js-cookie/js.cookie.min.js?ver=2.1.4'></script>
<script type='text/javascript'>
/* <![CDATA[ */
var woocommerce_params = {"ajax_url":"\/wp-admin\/admin-ajax.php","wc_ajax_url":"\/?wc-ajax=%%endpoint%%"};
/* ]]> */
</script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/js/frontend/woocommerce.min.js?ver=3.5.4'></script>
<script type='text/javascript'>
/* <![CDATA[ */
var wc_cart_fragments_params = {"ajax_url":"\/wp-admin\/admin-ajax.php","wc_ajax_url":"\/?wc-ajax=%%endpoint%%","cart_hash_key":"wc_cart_hash_876a468afd1d8820c41f1ca5a715d731","fragment_name":"wc_fragments_876a468afd1d8820c41f1ca5a715d731"};
/* ]]> */
</script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/js/frontend/cart-fragments.min.js?ver=3.5.4'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/themes/flatsome/inc/extensions/flatsome-live-search/flatsome-live-search.js?ver=3.7.2'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-includes/js/hoverIntent.min.js?ver=1.8.1'></script>
<script type='text/javascript'>
/* <![CDATA[ */
var flatsomeVars = {"ajaxurl":"http:\/\/www.test-tfl.com\/wp-admin\/admin-ajax.php","rtl":"","sticky_height":"70","user":{"can_edit_pages":false}};
/* ]]> */
</script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/themes/flatsome/assets/js/flatsome.js?ver=3.7.2'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/themes/flatsome/assets/js/woocommerce.js?ver=3.7.2'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-includes/js/wp-embed.min.js?ver=4.9.9'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/js/selectWoo/selectWoo.full.min.js?ver=1.0.4'></script>
<!-- WooCommerce JavaScript -->
<script type="text/javascript">
jQuery(function($) { 

				jQuery( '.dropdown_product_cat' ).change( function() {
					if ( jQuery(this).val() != '' ) {
						var this_page = '';
						var home_url  = 'http://www.test-tfl.com/';
						if ( home_url.indexOf( '?' ) > 0 ) {
							this_page = home_url + '&product_cat=' + jQuery(this).val();
						} else {
							this_page = home_url + '?product_cat=' + jQuery(this).val();
						}
						location.href = this_page;
					} else {
						location.href = 'http://www.test-tfl.com/shop/';
					}
				});

				if ( jQuery().selectWoo ) {
					var wc_product_cat_select = function() {
						jQuery( '.dropdown_product_cat' ).selectWoo( {
							placeholder: 'Select a category',
							minimumResultsForSearch: 5,
							width: '100%',
							allowClear: true,
							language: {
								noResults: function() {
									return 'No matches found';
								}
							}
						} );
					};
					wc_product_cat_select();
				}
			
 });
</script>

<script type="text/javascript">

$(function() {
	$('#result').text(listCookies);
	$('#cook').click(function(e) {
		e.preventDefault();
		document.cookie = "wantmembership=1";
		$('#result').text(listCookies);
	});
	
	$('#uncook').click(function(e) {
		e.preventDefault();
		deleteCookie('wantmembership');
		$('#result').text(listCookies);
	});
	
	function deleteCookie(cname) 
	{
		var d = new Date(); //Create an date object
		d.setTime(d.getTime() - (1000*60*60*24)); //Set the time to the past. 1000 milliseonds = 1 second
		var expires = "expires=" + d.toGMTString(); //Compose the expirartion date
		window.document.cookie = cname+"="+"; "+expires;//Set the cookie with name and the expiration date
	}	
	
	function listCookies() {
		var theCookies = document.cookie.split(';');
		var aString = '';
		for (var i = 1 ; i <= theCookies.length; i++) {
			aString += i + ' ' + theCookies[i-1] + "\n";
		}
		return aString;
	}	
});

</script><script type="text/javascript">

/*jQuery(function($) {

  $('body').on('change', '[name="shipping_method[0]"]', doPOCheck);
  $('#billing_address_1,#billing_address_2,#shipping_address_1,#shipping_address_2,#ship-to-different-address-checkbox').change(doPOCheck);
  */

jQuery(function($) {
  // ADD THIS TO DO THE PO Check AFTER AJAX IS DONE
  $(document).ajaxStop(function() {
    doPOCheck();
  });
  /* REMOVE LINE 4 FROM YOUR CODE */
//  $('body').on('change', '[name="shipping_method[0]"]', doPOCheck);
  $('#billing_address_1,#billing_address_2,#shipping_address_1,#shipping_address_2,#ship-to-different-address-checkbox').change(doPOCheck);


  function doPOCheck ()
  {
    // Only proceed if we UPS is checked
//   if ($('#shipping_method_0_132643').is(':checked'){
if ($('#shipping_method_0_132643, #shipping_method_0_132615, #shipping_method_0_132639, #shipping_method_0_132642, #shipping_method_0_132640,#shipping_method_0_132641').is(':checked')) {
 if ($('#ship-to-different-address-checkbox').is(':checked')) {
        ad1 = $('#shipping_address_1').val();
        ad2 = $('#shipping_address_2').val();
      }
      else {
        ad1 = $('#billing_address_1').val();
        ad2 = $('#billing_address_2').val();
      }
      if (hasPOBox(ad1, ad2)) {

    
showPoError();

  }

      else {
        hidePoError();
      }
    }
	else {
	  hidePoError();
	}
  }
  
  function showPoError() 
  {
    var msg ='<div class="pobox-error woocommerce-NoticeGroup woocommerce-NoticeGroup-checkout"><ul class="woocommerce-error message-wrapper" role="alert"><li><div class="message-container container alert-color medium-text-center"><span class="message-icon icon-close"></span> <strong>UPS can not send to PO Box.</strong></div></li></ul></div>';
    if(!jQuery('.pobox-error').length) {
      $('#place_order').after(msg);
    }
  }

  function hidePoError(){
    $('.pobox-error').remove();
  }
  // This now becomes generic for billing and shipping
  function hasPOBox(ad1, ad2)
  {
    ad1 = ad1.replace(/[^A-Z]/gi,'').substr(0,5).toLowerCase();
    ad2 = ad2.replace(/[^A-Z]/gi,'').substr(0,5).toLowerCase();

    return (ad1=='pobox' || ad2=='pobox');
 }
});

</script>
</body>
</html>

Open in new window


here is the php code

add_action ('woocommerce_new_order', 'display_member');


function display_member($order_id) {

if (isset($_COOKIE['wantmembership'])) {
    // The user wants membership

$order = wc_get_order(  $order_id );

// The text for the note
$note = __("I Want Membership");

// Add the note
$order->add_order_note( $note );

// Save the data
$order->save();
  }
}

Open in new window


For some reason the cookie isn't showing up on that page it seems.

https://gyazo.com/d5cd86619ced61475ac6d4475cd85526
The only reason a cookie will not be available is if
a) protocol / domain / port is different
b) the cookie has expired
c) The cookie has not been setup to be available on all paths

So if you set a cookie on /some-page and don't specify a path it won't be available on /some-other-page

Try adding ';path=/' to the creation i.e.
document.cookie = "wantmembership=1;path=/'";

Open in new window


EDIT
If you don't specify an expire (or max-age) time then the cookie will expire when you close the browser window (end the session). This may not be a factor here as you are going through a cart process - but just to keep that in mind.
The path did the trick on getting it to the checkout page.

https://gyazo.com/f93088127117aa2369eb638f091e7d25

Now I am trying to read the value in my function and it seems my logic may be incorrect.  Since, I can't get the echo to show up.

add_action ('woocommerce_new_order', 'display_member');


function display_member($order_id) {

	if (isset($_COOKIE['wantmembership'])) {
   if ($_COOKIE['wantmembership'] = 1) {
    echo 'YES!';
//if (isset($_COOKIE['wantmembership:1'])) {
    // The user wants membership
//echo "I want membership2";
$order = wc_get_order(  $order_id );

// The text for the note
$note = __("I Want Membership");

// Add the note
$order->add_order_note( $note );

// Save the data
$order->save();
  }
}
}

Open in new window


It seems both the testing of cookie being set and the cookie value aren't testing correctly.
I kept getting an error with the '$' sign in the code.  Wordpress wants it to be jQuery instead so I did make that substitution.

Here is the source code

<!DOCTYPE html>
<!--[if IE 9 ]> <html lang="en-US" class="ie9 loading-site no-js"> <![endif]-->
<!--[if IE 8 ]> <html lang="en-US" class="ie8 loading-site no-js"> <![endif]-->
<!--[if (gte IE 9)|!(IE)]><!--><html lang="en-US" class="loading-site no-js"> <!--<![endif]-->
<head>
	<meta charset="UTF-8" />
	<meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=1.0, user-scalable=no" />

	<link rel="profile" href="http://gmpg.org/xfn/11" />
	<link rel="pingback" href="http://www.test-tfl.com/xmlrpc.php" />

	<script>(function(html){html.className = html.className.replace(/\bno-js\b/,'js')})(document.documentElement);</script>
<title>Nature&#8217;s Sunshine Rebate Program &#8211; The Herbs Place &#8211; The Herbs Place</title>
<link rel='dns-prefetch' href='//s.w.org' />
<link rel="alternate" type="application/rss+xml" title="The Herbs Place &raquo; Feed" href="http://www.test-tfl.com/feed/" />
<link rel="alternate" type="application/rss+xml" title="The Herbs Place &raquo; Comments Feed" href="http://www.test-tfl.com/comments/feed/" />
		<script type="text/javascript">
			window._wpemojiSettings = {"baseUrl":"https:\/\/s.w.org\/images\/core\/emoji\/11\/72x72\/","ext":".png","svgUrl":"https:\/\/s.w.org\/images\/core\/emoji\/11\/svg\/","svgExt":".svg","source":{"concatemoji":"http:\/\/www.test-tfl.com\/wp-includes\/js\/wp-emoji-release.min.js?ver=4.9.9"}};
			!function(a,b,c){function d(a,b){var c=String.fromCharCode;l.clearRect(0,0,k.width,k.height),l.fillText(c.apply(this,a),0,0);var d=k.toDataURL();l.clearRect(0,0,k.width,k.height),l.fillText(c.apply(this,b),0,0);var e=k.toDataURL();return d===e}function e(a){var b;if(!l||!l.fillText)return!1;switch(l.textBaseline="top",l.font="600 32px Arial",a){case"flag":return!(b=d([55356,56826,55356,56819],[55356,56826,8203,55356,56819]))&&(b=d([55356,57332,56128,56423,56128,56418,56128,56421,56128,56430,56128,56423,56128,56447],[55356,57332,8203,56128,56423,8203,56128,56418,8203,56128,56421,8203,56128,56430,8203,56128,56423,8203,56128,56447]),!b);case"emoji":return b=d([55358,56760,9792,65039],[55358,56760,8203,9792,65039]),!b}return!1}function f(a){var c=b.createElement("script");c.src=a,c.defer=c.type="text/javascript",b.getElementsByTagName("head")[0].appendChild(c)}var g,h,i,j,k=b.createElement("canvas"),l=k.getContext&&k.getContext("2d");for(j=Array("flag","emoji"),c.supports={everything:!0,everythingExceptFlag:!0},i=0;i<j.length;i++)c.supports[j[i]]=e(j[i]),c.supports.everything=c.supports.everything&&c.supports[j[i]],"flag"!==j[i]&&(c.supports.everythingExceptFlag=c.supports.everythingExceptFlag&&c.supports[j[i]]);c.supports.everythingExceptFlag=c.supports.everythingExceptFlag&&!c.supports.flag,c.DOMReady=!1,c.readyCallback=function(){c.DOMReady=!0},c.supports.everything||(h=function(){c.readyCallback()},b.addEventListener?(b.addEventListener("DOMContentLoaded",h,!1),a.addEventListener("load",h,!1)):(a.attachEvent("onload",h),b.attachEvent("onreadystatechange",function(){"complete"===b.readyState&&c.readyCallback()})),g=c.source||{},g.concatemoji?f(g.concatemoji):g.wpemoji&&g.twemoji&&(f(g.twemoji),f(g.wpemoji)))}(window,document,window._wpemojiSettings);
		</script>
		<style type="text/css">
img.wp-smiley,
img.emoji {
	display: inline !important;
	border: none !important;
	box-shadow: none !important;
	height: 1em !important;
	width: 1em !important;
	margin: 0 .07em !important;
	vertical-align: -0.1em !important;
	background: none !important;
	padding: 0 !important;
}
</style>
<link rel='stylesheet' id='dashicons-css'  href='http://www.test-tfl.com/wp-includes/css/dashicons.min.css?ver=4.9.9' type='text/css' media='all' />
<link rel='stylesheet' id='admin-bar-css'  href='http://www.test-tfl.com/wp-includes/css/admin-bar.min.css?ver=4.9.9' type='text/css' media='all' />
<link rel='stylesheet' id='contact-form-7-css'  href='http://www.test-tfl.com/wp-content/plugins/contact-form-7/includes/css/styles.css?ver=5.1.1' type='text/css' media='all' />
<style id='woocommerce-inline-inline-css' type='text/css'>
.woocommerce form .form-row .required { visibility: visible; }
</style>
<link rel='stylesheet' id='flatsome-icons-css'  href='http://www.test-tfl.com/wp-content/themes/flatsome/assets/css/fl-icons.css?ver=3.3' type='text/css' media='all' />
<link rel='stylesheet' id='flatsome-main-css'  href='http://www.test-tfl.com/wp-content/themes/flatsome/assets/css/flatsome.css?ver=3.7.2' type='text/css' media='all' />
<link rel='stylesheet' id='flatsome-shop-css'  href='http://www.test-tfl.com/wp-content/themes/flatsome/assets/css/flatsome-shop.css?ver=3.7.2' type='text/css' media='all' />
<link rel='stylesheet' id='flatsome-style-css'  href='http://www.test-tfl.com/wp-content/themes/flatsome-child/style.css?ver=3.0' type='text/css' media='all' />
<script type='text/javascript' src='http://www.test-tfl.com/wp-includes/js/jquery/jquery.js?ver=1.12.4'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-includes/js/jquery/jquery-migrate.min.js?ver=1.4.1'></script>
<link rel='https://api.w.org/' href='http://www.test-tfl.com/wp-json/' />
<link rel="EditURI" type="application/rsd+xml" title="RSD" href="http://www.test-tfl.com/xmlrpc.php?rsd" />
<link rel="wlwmanifest" type="application/wlwmanifest+xml" href="http://www.test-tfl.com/wp-includes/wlwmanifest.xml" /> 
<meta name="generator" content="WordPress 4.9.9" />
<meta name="generator" content="WooCommerce 3.5.4" />
<link rel="canonical" href="http://www.test-tfl.com/rebate_program/" />
<link rel='shortlink' href='http://www.test-tfl.com/?p=798' />
<link rel="alternate" type="application/json+oembed" href="http://www.test-tfl.com/wp-json/oembed/1.0/embed?url=http%3A%2F%2Fwww.test-tfl.com%2Frebate_program%2F" />
<link rel="alternate" type="text/xml+oembed" href="http://www.test-tfl.com/wp-json/oembed/1.0/embed?url=http%3A%2F%2Fwww.test-tfl.com%2Frebate_program%2F&#038;format=xml" />
<style>.bg{opacity: 0; transition: opacity 1s; -webkit-transition: opacity 1s;} .bg-loaded{opacity: 1;}</style><!--[if IE]><link rel="stylesheet" type="text/css" href="http://www.test-tfl.com/wp-content/themes/flatsome/assets/css/ie-fallback.css"><script src="//cdnjs.cloudflare.com/ajax/libs/html5shiv/3.6.1/html5shiv.js"></script><script>var head = document.getElementsByTagName('head')[0],style = document.createElement('style');style.type = 'text/css';style.styleSheet.cssText = ':before,:after{content:none !important';head.appendChild(style);setTimeout(function(){head.removeChild(style);}, 0);</script><script src="http://www.test-tfl.com/wp-content/themes/flatsome/assets/libs/ie-flexibility.js"></script><![endif]-->    <script type="text/javascript">
    WebFontConfig = {
      google: { families: [ "Montserrat","Lato","Montserrat:regular,700","Dancing+Script", ] }
    };
    (function() {
      var wf = document.createElement('script');
      wf.src = 'https://ajax.googleapis.com/ajax/libs/webfont/1/webfont.js';
      wf.type = 'text/javascript';
      wf.async = 'true';
      var s = document.getElementsByTagName('script')[0];
      s.parentNode.insertBefore(wf, s);
    })(); </script>
  	<noscript><style>.woocommerce-product-gallery{ opacity: 1 !important; }</style></noscript>
	<style type="text/css" media="print">#wpadminbar { display:none; }</style>
<style type="text/css" media="screen">
	html { margin-top: 32px !important; }
	* html body { margin-top: 32px !important; }
	@media screen and ( max-width: 782px ) {
		html { margin-top: 46px !important; }
		* html body { margin-top: 46px !important; }
	}
</style>
<style id="custom-css" type="text/css">:root {--primary-color: #008cb2;}/* Site Width */.header-main{height: 91px}#logo img{max-height: 91px}#logo{width:166px;}.header-bottom{min-height: 43px}.header-top{min-height: 30px}.transparent .header-main{height: 30px}.transparent #logo img{max-height: 30px}.has-transparent + .page-title:first-of-type,.has-transparent + #main > .page-title,.has-transparent + #main > div > .page-title,.has-transparent + #main .page-header-wrapper:first-of-type .page-title{padding-top: 110px;}.header.show-on-scroll,.stuck .header-main{height:70px!important}.stuck #logo img{max-height: 70px!important}.search-form{ width: 100%;}.header-bg-color, .header-wrapper {background-color: rgba(255,255,255,0.9)}.header-bottom {background-color: #336633}.stuck .header-main .nav > li > a{line-height: 50px }@media (max-width: 549px) {.header-main{height: 70px}#logo img{max-height: 70px}}.header-top{background-color:#336633!important;}/* Color */.accordion-title.active, .has-icon-bg .icon .icon-inner,.logo a, .primary.is-underline, .primary.is-link, .badge-outline .badge-inner, .nav-outline > li.active> a,.nav-outline >li.active > a, .cart-icon strong,[data-color='primary'], .is-outline.primary{color: #008cb2;}/* Color !important */[data-text-color="primary"]{color: #008cb2!important;}/* Background Color */[data-text-bg="primary"]{background-color: #008cb2;}/* Background */.scroll-to-bullets a,.featured-title, .label-new.menu-item > a:after, .nav-pagination > li > .current,.nav-pagination > li > span:hover,.nav-pagination > li > a:hover,.has-hover:hover .badge-outline .badge-inner,button[type="submit"], .button.wc-forward:not(.checkout):not(.checkout-button), .button.submit-button, .button.primary:not(.is-outline),.featured-table .title,.is-outline:hover, .has-icon:hover .icon-label,.nav-dropdown-bold .nav-column li > a:hover, .nav-dropdown.nav-dropdown-bold > li > a:hover, .nav-dropdown-bold.dark .nav-column li > a:hover, .nav-dropdown.nav-dropdown-bold.dark > li > a:hover, .is-outline:hover, .tagcloud a:hover,.grid-tools a, input[type='submit']:not(.is-form), .box-badge:hover .box-text, input.button.alt,.nav-box > li > a:hover,.nav-box > li.active > a,.nav-pills > li.active > a ,.current-dropdown .cart-icon strong, .cart-icon:hover strong, .nav-line-bottom > li > a:before, .nav-line-grow > li > a:before, .nav-line > li > a:before,.banner, .header-top, .slider-nav-circle .flickity-prev-next-button:hover svg, .slider-nav-circle .flickity-prev-next-button:hover .arrow, .primary.is-outline:hover, .button.primary:not(.is-outline), input[type='submit'].primary, input[type='submit'].primary, input[type='reset'].button, input[type='button'].primary, .badge-inner{background-color: #008cb2;}/* Border */.nav-vertical.nav-tabs > li.active > a,.scroll-to-bullets a.active,.nav-pagination > li > .current,.nav-pagination > li > span:hover,.nav-pagination > li > a:hover,.has-hover:hover .badge-outline .badge-inner,.accordion-title.active,.featured-table,.is-outline:hover, .tagcloud a:hover,blockquote, .has-border, .cart-icon strong:after,.cart-icon strong,.blockUI:before, .processing:before,.loading-spin, .slider-nav-circle .flickity-prev-next-button:hover svg, .slider-nav-circle .flickity-prev-next-button:hover .arrow, .primary.is-outline:hover{border-color: #008cb2}.nav-tabs > li.active > a{border-top-color: #008cb2}.widget_shopping_cart_content .blockUI.blockOverlay:before { border-left-color: #008cb2 }.woocommerce-checkout-review-order .blockUI.blockOverlay:before { border-left-color: #008cb2 }/* Fill */.slider .flickity-prev-next-button:hover svg,.slider .flickity-prev-next-button:hover .arrow{fill: #008cb2;}/* Background Color */[data-icon-label]:after, .secondary.is-underline:hover,.secondary.is-outline:hover,.icon-label,.button.secondary:not(.is-outline),.button.alt:not(.is-outline), .badge-inner.on-sale, .button.checkout, .single_add_to_cart_button{ background-color:#4ad8ff; }[data-text-bg="secondary"]{background-color: #4ad8ff;}/* Color */.secondary.is-underline,.secondary.is-link, .secondary.is-outline,.stars a.active, .star-rating:before, .woocommerce-page .star-rating:before,.star-rating span:before, .color-secondary{color: #4ad8ff}/* Color !important */[data-text-color="secondary"]{color: #4ad8ff!important;}/* Border */.secondary.is-outline:hover{border-color:#4ad8ff}body{font-family:"Lato", sans-serif}.nav > li > a {font-family:"Montserrat", sans-serif;}.nav > li > a {font-weight: 700;}h1,h2,h3,h4,h5,h6,.heading-font, .off-canvas-center .nav-sidebar.nav-vertical > li > a{font-family: "Montserrat", sans-serif;}.alt-font{font-family: "Dancing Script", sans-serif;}a{color: #0837f1;}@media screen and (min-width: 550px){.products .box-vertical .box-image{min-width: 247px!important;width: 247px!important;}}.footer-1{background-color: #222}.footer-2{background-color: #336633}.absolute-footer, html{background-color: #000}/* Custom CSS */#menu-item-132738 {background-color:red;}/* Custom CSS Tablet */@media (max-width: 849px){#menu-item-132738 {background-color:red;}}/* Custom CSS Mobile */@media (max-width: 549px){#menu-item-132738 {background-color:red;}}@media (max-width: 849px){#wpadminbar{display: none!important;}html{margin-top: 0!important}}@media (min-width: 850px){.mfp-content,.stuck,button.mfp-close{top: 32px!important;}.is-full-height{height: calc(100vh - 32px)!important;}}.xdebug-var-dump{z-index: 999999;}.shortcode-error{border: 2px dashed #000;padding: 20px;color:#fff;font-size:16px;background-color: #71cedf;}.custom-product-page .shortcode-error {padding: 15% 10%;text-align: center;}.edit-block-wrapper{position: relative;}.edit-block-button{font-size: 12px!important;background-color: #555!important;margin: 6px 2px 3px 0px!important;border-radius: 4px!important;}.edit-block-button-builder{background-color: #00a0d2!important;}.label-new.menu-item > a:after{content:"New";}.label-hot.menu-item > a:after{content:"Hot";}.label-sale.menu-item > a:after{content:"Sale";}.label-popular.menu-item > a:after{content:"Popular";}</style>		<style type="text/css" id="wp-custom-css">
			#categories_block_left li a { /* colors categories */
  color:#336633;
}
/*#editorial_block_center #editorial_main_image {
  margin:0 auto;
}*/
#index div#center_column  #editorial_main_image img.editorialimg {
  clear:both;
  margin-left:auto;
  margin-right:auto;
}
.rte p{
  font-size:16px;
}
div.rte div.header_text {
  color:#336633;
  font-size:24px;
  margin-bottom:25px;
  margin-top:20px;
  text-align:center;
  margin:0 auto;
}

div.header_text li {
  margin-bottom:10px;
}
div.header_text ul {
  list-style-type:none;
  margin-top:20px;
}
#cart_quantity_down_119_0_0_0 {
  color:blue;
}
.ajax_cart_product_txt_s {
  font-size:12px;
  margin:0;
  padding:0;
}
/*a.button {
  background-color: #ff0000
}*/
div.navbox2col_center_longer {
  color:black;
  font-size:10px;
  background-color:#FFFF99;
  font-weight:normal;
}
div.navbox2col_center_longer p {
  font-size:10px;
}
div.links_navbox_center_longer_top p {
    text-align:center;
  margin:0 auto;
}
div.links_left_navbox_longer, div.links_right_navbox_longer {
   background-color:#FFFF99;
}
div#search_block_top {
  float:right;
  position:relative;
  top:-30px; /*With QV_Contest 135 px and 223 with protein box*/

}
.boldblackcenter {
	font-family: Arial, Helvetica, sans-serif;
	color: #000000;
	font-size: 13px;
	font-weight: bold;
	text-align: center;
	margin: 0 auto;
}
div#cart_vouchers_adder {visibility:hidden;}


@media only screen and (max-width: 220px) {

   body, section, p, div { font-size: 2em; }
  #homepageadvertise li img{max-width: 20%; height:auto;}
/*#page {overflow-y:auto}*/
}
#homepageadvertise li img{max-width: 80%; height:auto;}
.pet_success_navigation {
	text-align:center;
	background-color: #99cc99; 
	padding: 10px; 
	padding-right: 40px; 
	padding-left: 40px; 
	font-size: 20px; 
	margin: 0 auto; 
	width: auto;
}
.pet_success_div {
	margin-top: 15px; 
	margin-bottom: 15px;
}
.pet_success_navigation a {
	margin-left:20px;
}


#editorial_main_image {
  padding: 0 10px;
    text-align: center;
  display:block;
  
}



@media screen and (max-width: 1320px) {
	.main_menu_link{
		line-height: 20px;
		text-align:center
	}
}
	
	#header #search_block_top {
		width:190px;
    top: -30px;
			}
	
@media (max-width: 1320px) {
div.featured-products_block_center {
    margin-right:50px;
  width:80%;
}
}
/*@media screen and (max-device-width: 480px) {*/
@media (max-width: 480px) {
div.featured-products_block_center {
    margin-right:350px;
  width:60%;
}
#search_block_top .button_search {
    height:35px;
    width:37px;
}
  #search_block_top #search_query_top {
  height:35px;
    width:190px;
 /* position:relative;
  right:20px;*/
}
}
@media (max-width: 360px) {
div.featured-products_block_center {
    margin-right:450px;
  width:60%;
  }
#search_block_top .button_search {
  height:35px;
    width:37px;
}
#search_block_top #search_query_top {
  height:35px;
    width:190px;
}

}
div.ans {
  text-align:left;
}
h2.ans a {
  margin-top:20px;
}
#main_section div.rte div.ans > p {
   padding-bottom: 10px
} 
.shophead {
        z-index:1;
        text-align:center;
        margin:0 auto;
        margin-bottom:12px;
}
.shophead a:link {
	color:blue;
	font-size:18px;	
}


.boldred {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 16px;
        color: #FF0000;
        font-weight: bold;
}
.boldred_footer {
        font-family: Arial, Helvetica, sans-serif;
        color: #FF0000;
        font-weight: bold;
}
.boldred_center {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 12px;
        color: #FF0000;
        font-weight: bold;
        margin:0 auto;
        text-align:center;
}

.boldred_padding {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 12px;
        color: #FF0000;
        font-weight: bold;
        padding-bottom:6px;
}
        .boldwhite {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 12px;
        color: #FFFFFF;
        font-weight: bold;
        text-decoration:underline
}

        .boldredheading {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 16px;
        color: #FF0000;
        font-weight: bold;
}

.boldredheading_center {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 14px;
        color: #FF0000;
        font-weight: bold;
        margin:0 auto;
        text-align:center;
}
        .boldblack {
        font-family: Arial, Helvetica, sans-serif;
        color: #000000;
        font-size: 16px;
        font-weight: bold;
}
.normal {
        font-family: Arial, Helvetica, sans-serif;
        color: #000000;
        font-size: 12px;
}
.boldblackcenter {
        font-family: Arial, Helvetica, sans-serif;
        color: #000000;
        font-size: 13px;
        font-weight: bold;
        text-align: center;
        margin: 0 auto;
}
.boldblack_small_underline {
        font-family: Arial, Helvetica, sans-serif;
        color: #000000;
        font-size: 10px;
        font-weight: bold;
        text-decoration:underline;
}
.boldbluecenter {
        font-family: Arial, Helvetica, sans-serif;
        color: #0000FF;
        font-size: 12px;
        font-weight: bold;
        text-align: center;
        margin: 0 auto;
}
.heading {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 18px;
        font-weight: bold;
        color: #000000;
}
.heading2 {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 14px;
        font-weight: bold;
        color: red;
}
b a:link {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 12px;
        font-weight: bold;
        color:#0000FF;
}
.boldblack_indent {
        font-family: Arial, Helvetica, sans-serif;
        color: #000000;
        font-size: 12px;
        font-weight: bold;
        text-indent:2cm;
}
.heading {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 18px;
        font-weight: bold;
        color: #000000;
}
.heading2 {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 14px;
        font-weight: bold;
        color: red;
}
b a:link {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 12px;
        font-weight: bold;
        color:#0000FF;
}
.heading_choices {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 12px;
        font-weight: bold;
        color: #000000;
        padding-top:16px;
        padding:0;
}
.heading_italics {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 14px;
        font-weight: bold;
        color: #000000;
        font-style:italic;
}
.italics {
        font-family: Arial, Helvetica, sans-serif;
        color: #000000;
        font-style:italic;
}
.heading_center {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 14px;
        font-weight: bold;
        color: #000000;
}

.image_center {
margin:0 auto;
text-align:center;
margin-bottom:15px;
}
.image_center_pic{
margin-right:auto;
margin-left:auto;
margin-bottom:20px;
}
.heading_free_shipping {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 14px;
        font-weight: bold;
        color: #000000;
        margin-top:15px;
}
.temp_body_href {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 16px;
        color: blue;
        font-weight: bold;
}
.temp_body_bold {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 16px;
        color: #000000;
        font-weight: bold;
        margin:0;
        padding:0;
        background-color:#FFFF99;
}
.temp_body_bold_menu {
        font-family: Arial, Helvetica, sans-serif;
        font-size: 11px;
        color: #000000;
        font-weight: bold;
        text-transform: uppercase;
}
h1 {
	margin:0 auto;
	text-align:center;}		</style>
	</head>

<body class="page-template page-template-page-left-sidebar page-template-page-left-sidebar-php page page-id-798 logged-in admin-bar no-customize-support woocommerce-no-js lightbox nav-dropdown-has-arrow">


<a class="skip-link screen-reader-text" href="#main">Skip to content</a>

<div id="wrapper">


<header id="header" class="header has-sticky sticky-jump">
   <div class="header-wrapper">
	<div id="top-bar" class="header-top hide-for-sticky nav-dark">
    <div class="flex-row container">
      <div class="flex-col hide-for-medium flex-left">
          <ul class="nav nav-left medium-nav-center nav-small  nav-divided">
                        </ul>
      </div><!-- flex-col left -->

      <div class="flex-col hide-for-medium flex-center">
          <ul class="nav nav-center nav-small  nav-divided">
                        </ul>
      </div><!-- center -->

      <div class="flex-col hide-for-medium flex-right">
         <ul class="nav top-bar-nav nav-right nav-small  nav-divided">
              <li class="header-contact-wrapper">
		<ul id="header-contact" class="nav nav-divided nav-uppercase header-contact">
		
					
						<li class="">
			  <a class="tooltip" title="10:00 - 18:00 ">
			  	   <i class="icon-clock" style="font-size:10px;"></i>			        <span></span>
			  </a>
			 </li>
			
						<li class="">
			  <a href="tel:434-591-1249" class="tooltip" title="434-591-1249">
			     <i class="icon-phone" style="font-size:10px;"></i>			      <span></span>
			  </a>
			</li>
				</ul>
</li><li class="html header-social-icons ml-0">
	<div class="social-icons follow-icons " ><a href="http://facebook.com/theherbsplace" target="_blank" data-label="Facebook"  rel="noopener noreferrer nofollow" class="icon plain facebook tooltip" title="Follow on Facebook"><i class="icon-facebook" ></i></a><a href="http://twitter.com/theherbsplace" target="_blank"  data-label="Twitter"  rel="noopener noreferrer nofollow" class="icon plain  twitter tooltip" title="Follow on Twitter"><i class="icon-twitter" ></i></a><a href="mailto:your@email" data-label="E-mail"  rel="nofollow" class="icon plain  email tooltip" title="Send us an email"><i class="icon-envelop" ></i></a><a href="http://pinterest.com/theherbsplace" target="_blank" rel="noopener noreferrer nofollow"  data-label="Pinterest"  class="icon plain  pinterest tooltip" title="Follow on Pinterest"><i class="icon-pinterest" ></i></a></div></li>          </ul>
      </div><!-- .flex-col right -->

            <div class="flex-col show-for-medium flex-grow">
          <ul class="nav nav-center nav-small mobile-nav  nav-divided">
              <li class="html custom html_topbar_left">[aws_search_form]</li>          </ul>
      </div>
      
    </div><!-- .flex-row -->
</div><!-- #header-top -->
<div id="masthead" class="header-main ">
      <div class="header-inner flex-row container logo-left medium-logo-center" role="navigation">

          <!-- Logo -->
          <div id="logo" class="flex-col logo">
            <!-- Header logo -->
<a href="http://www.test-tfl.com/" title="The Herbs Place" rel="home">
    <img width="166" height="91" src="http://www.test-tfl.com/wp-content/uploads/2018/05/logo.jpg" class="header_logo header-logo" alt="The Herbs Place"/><img  width="166" height="91" src="http://www.test-tfl.com/wp-content/uploads/2018/05/logo.jpg" class="header-logo-dark" alt="The Herbs Place"/></a>
          </div>

          <!-- Mobile Left Elements -->
          <div class="flex-col show-for-medium flex-left">
            <ul class="mobile-nav nav nav-left ">
              <li class="nav-icon has-icon">
  		<a href="#" data-open="#main-menu" data-pos="left" data-bg="main-menu-overlay" data-color="" class="is-small" aria-controls="main-menu" aria-expanded="false">
		
		  <i class="icon-menu" ></i>
		  		</a>
	</li>            </ul>
          </div>

          <!-- Left Elements -->
          <div class="flex-col hide-for-medium flex-left
            flex-grow">
            <ul class="header-nav header-nav-main nav nav-left  nav-uppercase" >
              <li class="header-search-form search-form html relative has-icon">
	<div class="header-search-form-wrapper">
		<div class="searchform-wrapper ux-search-box relative form- is-normal"><form role="search" method="get" class="searchform" action="http://www.test-tfl.com/">
		<div class="flex-row relative">
						<div class="flex-col search-form-categories">
			<select class="search_categories resize-select mb-0" name="product_cat"><option value="" selected='selected'>All</option><option value="natria_body_care_page_1_c_89">Natria Body Care</option><option value="on-sale">On Sale</option><option value="home">Home</option><option value="specials">Specials</option></select>			</div><!-- .flex-col -->
									<div class="flex-col flex-grow">
			  <input type="search" class="search-field mb-0" name="s" value="" placeholder="Search&hellip;" />
		    <input type="hidden" name="post_type" value="product" />
        			</div><!-- .flex-col -->
			<div class="flex-col">
				<button type="submit" class="ux-search-submit submit-button secondary button icon mb-0">
					<i class="icon-search" ></i>				</button>
			</div><!-- .flex-col -->
		</div><!-- .flex-row -->
	 <div class="live-search-results text-left z-top"></div>
</form>
</div>	</div>
</li>            </ul>
          </div>

          <!-- Right Elements -->
          <div class="flex-col hide-for-medium flex-right">
            <ul class="header-nav header-nav-main nav nav-right  nav-uppercase">
              <li class="account-item has-icon
     has-dropdown"
>

<a href="http://www.test-tfl.com/my-account/" class="account-link account-login
  "
  title="My account">

			<span class="header-account-title">
		My account		</span>
	
  
</a><!-- .account-link -->



<ul class="nav-dropdown  nav-dropdown-default">
    
      <li class="woocommerce-MyAccount-navigation-link woocommerce-MyAccount-navigation-link--dashboard is-active active">
          <a href="http://www.test-tfl.com/my-account/">Dashboard</a>
      <!-- empty -->
        </li>
      <li class="woocommerce-MyAccount-navigation-link woocommerce-MyAccount-navigation-link--orders">
          <a href="http://www.test-tfl.com/my-account/orders/">Orders</a>
        </li>
      <li class="woocommerce-MyAccount-navigation-link woocommerce-MyAccount-navigation-link--downloads">
          <a href="http://www.test-tfl.com/my-account/downloads/">Downloads</a>
        </li>
      <li class="woocommerce-MyAccount-navigation-link woocommerce-MyAccount-navigation-link--edit-address">
          <a href="http://www.test-tfl.com/my-account/edit-address/">Addresses</a>
        </li>
      <li class="woocommerce-MyAccount-navigation-link woocommerce-MyAccount-navigation-link--payment-methods">
          <a href="http://www.test-tfl.com/my-account/payment-methods/">Payment methods</a>
        </li>
      <li class="woocommerce-MyAccount-navigation-link woocommerce-MyAccount-navigation-link--edit-account">
          <a href="http://www.test-tfl.com/my-account/edit-account/">Account details</a>
        </li>
      <li class="woocommerce-MyAccount-navigation-link woocommerce-MyAccount-navigation-link--customer-logout">
    <a href="http://www.test-tfl.com/my-account/customer-logout/">Logout</a>
  </li>
</ul>

</li>
<li class="header-divider"></li><li class="cart-item has-icon has-dropdown">

<a href="http://www.test-tfl.com/cart/" title="Cart" class="header-cart-link is-small">


<span class="header-cart-title">
   Cart   /      <span class="cart-price"><span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>13.50</span></span>
  </span>

    <span class="cart-icon image-icon">
    <strong>1</strong>
  </span>
  </a>

 <ul class="nav-dropdown nav-dropdown-default">
    <li class="html widget_shopping_cart">
      <div class="widget_shopping_cart_content">
        

	<ul class="woocommerce-mini-cart cart_list product_list_widget ">
							<li class="woocommerce-mini-cart-item mini_cart_item">
						<a href="http://www.test-tfl.com/cart/?remove_item=1ef91c212e30e14bf125e9374262401f&#038;_wpnonce=d9570dd5dc" class="remove remove_from_cart_button" aria-label="Remove this item" data-product_id="1684" data-cart_item_key="1ef91c212e30e14bf125e9374262401f" data-product_sku="90">&times;</a>													<a href="http://www.test-tfl.com/product/black_walnut_100_capsules_p_376/">
								<img width="247" height="296" src="http://www.test-tfl.com/wp-content/uploads/2018/07/90-247x296.jpg" class="attachment-woocommerce_thumbnail size-woocommerce_thumbnail" alt="" />Black Walnut (100 capsules)							</a>
																		<span class="quantity">1 &times; <span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>13.50</span></span>					</li>
						</ul>

	<p class="woocommerce-mini-cart__total total"><strong>Subtotal:</strong> <span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>13.50</span></p>

	
	<p class="woocommerce-mini-cart__buttons buttons"><a href="http://www.test-tfl.com/cart/" class="button wc-forward">View cart</a><a href="http://www.test-tfl.com/checkout/" class="button checkout wc-forward">Checkout</a></p>


      </div>
    </li>
     </ul><!-- .nav-dropdown -->

</li>
            </ul>
          </div>

          <!-- Mobile Right Elements -->
          <div class="flex-col show-for-medium flex-right">
            <ul class="mobile-nav nav nav-right ">
              <li class="cart-item has-icon">

      <a href="http://www.test-tfl.com/cart/" class="header-cart-link off-canvas-toggle nav-top-link is-small" data-open="#cart-popup" data-class="off-canvas-cart" title="Cart" data-pos="right">
  
    <span class="cart-icon image-icon">
    <strong>1</strong>
  </span> 
  </a>


  <!-- Cart Sidebar Popup -->
  <div id="cart-popup" class="mfp-hide widget_shopping_cart">
  <div class="cart-popup-inner inner-padding">
      <div class="cart-popup-title text-center">
          <h4 class="uppercase">Cart</h4>
          <div class="is-divider"></div>
      </div>
      <div class="widget_shopping_cart_content">
          

	<ul class="woocommerce-mini-cart cart_list product_list_widget ">
							<li class="woocommerce-mini-cart-item mini_cart_item">
						<a href="http://www.test-tfl.com/cart/?remove_item=1ef91c212e30e14bf125e9374262401f&#038;_wpnonce=d9570dd5dc" class="remove remove_from_cart_button" aria-label="Remove this item" data-product_id="1684" data-cart_item_key="1ef91c212e30e14bf125e9374262401f" data-product_sku="90">&times;</a>													<a href="http://www.test-tfl.com/product/black_walnut_100_capsules_p_376/">
								<img width="247" height="296" src="http://www.test-tfl.com/wp-content/uploads/2018/07/90-247x296.jpg" class="attachment-woocommerce_thumbnail size-woocommerce_thumbnail" alt="" />Black Walnut (100 capsules)							</a>
																		<span class="quantity">1 &times; <span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>13.50</span></span>					</li>
						</ul>

	<p class="woocommerce-mini-cart__total total"><strong>Subtotal:</strong> <span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>13.50</span></p>

	
	<p class="woocommerce-mini-cart__buttons buttons"><a href="http://www.test-tfl.com/cart/" class="button wc-forward">View cart</a><a href="http://www.test-tfl.com/checkout/" class="button checkout wc-forward">Checkout</a></p>


      </div>
             <div class="cart-sidebar-content relative"></div>  </div>
  </div>

</li>
            </ul>
          </div>

      </div><!-- .header-inner -->
     
            <!-- Header divider -->
      <div class="container"><div class="top-divider full-width"></div></div>
      </div><!-- .header-main --><div id="wide-nav" class="header-bottom wide-nav nav-dark hide-for-medium">
    <div class="flex-row container">

                        <div class="flex-col hide-for-medium flex-left">
                <ul class="nav header-nav header-bottom-nav nav-left  nav-uppercase">
                    <li id="menu-item-132697" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-has-children  menu-item-132697 has-dropdown"><a href="http://www.test-tfl.com/shop-a-z/" class="nav-top-link">Shop A – Z<i class="icon-angle-down" ></i></a>
<ul class='nav-dropdown nav-dropdown-default'>
	<li id="menu-item-132709" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132709 nav-dropdown-col"><a href="/product-category/home/shop_a_z_page_1_c_28/">A</a>
	<ul class='nav-column nav-dropdown-default'>
		<li id="menu-item-132699" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132699"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_b_page_1_c_29/">B</a></li>
		<li id="menu-item-132700" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132700"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_c_page_1_c_27/">C</a></li>
		<li id="menu-item-132701" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132701"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_d_page_1_c_30/">D</a></li>
		<li id="menu-item-132702" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132702"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_e_page_1_c_31/">E</a></li>
	</ul>
</li>
	<li id="menu-item-132703" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132703 nav-dropdown-col"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_f_page_1_c_32/">F</a>
	<ul class='nav-column nav-dropdown-default'>
		<li id="menu-item-132704" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132704"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_g_page_1_c_46/">G</a></li>
		<li id="menu-item-132705" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132705"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_h_page_1_c_47/">H</a></li>
		<li id="menu-item-132706" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132706"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_i_page_1_c_48/">I</a></li>
		<li id="menu-item-132707" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132707"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_j_page_1_c_49/">J</a></li>
	</ul>
</li>
	<li id="menu-item-132708" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132708 nav-dropdown-col"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_k_page_1_c_50/">K</a>
	<ul class='nav-column nav-dropdown-default'>
		<li id="menu-item-132710" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132710"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_l_page_1_c_51/">L</a></li>
		<li id="menu-item-132711" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132711"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_m_page_1_c_52/">M</a></li>
		<li id="menu-item-132712" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132712"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_n_page_1_c_53/">N</a></li>
		<li id="menu-item-132713" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132713"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_o_page_1_c_54/">O</a></li>
	</ul>
</li>
	<li id="menu-item-132714" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132714 nav-dropdown-col"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_p_page_1_c_55/">P</a>
	<ul class='nav-column nav-dropdown-default'>
		<li id="menu-item-132715" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132715"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_q_page_1_c_56/">Q</a></li>
		<li id="menu-item-132716" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132716"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_r_page_1_c_57/">R</a></li>
		<li id="menu-item-132717" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132717"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_s_page_1_c_58/">S</a></li>
		<li id="menu-item-132718" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132718"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_t_page_1_c_59/">T</a></li>
	</ul>
</li>
	<li id="menu-item-132719" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132719 nav-dropdown-col"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_U_page_1_c_60/">U</a>
	<ul class='nav-column nav-dropdown-default'>
		<li id="menu-item-132720" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132720"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_v_page_1_c_61/">V</a></li>
		<li id="menu-item-132721" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132721"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_w_page_1_c_85/">W</a></li>
		<li id="menu-item-132722" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132722"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_x_page_1_c_63/">X</a></li>
		<li id="menu-item-132723" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132723"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_y_page_1_c_64/">Y</a></li>
		<li id="menu-item-132724" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132724"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_z_page_1_c_65/">Z</a></li>
	</ul>
</li>
</ul>
</li>
<li id="menu-item-132665" class="menu-item menu-item-type-post_type menu-item-object-page current-menu-item page_item page-item-798 current_page_item active  menu-item-132665"><a href="http://www.test-tfl.com/rebate_program/" class="nav-top-link">Membership</a></li>
<li id="menu-item-132778" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132778 has-dropdown"><a href="/product-category/home/pet_catalog_page_1_c_87/" class="nav-top-link">Herbs For Pets<i class="icon-angle-down" ></i></a>
<ul class='nav-dropdown nav-dropdown-default'>
	<li id="menu-item-132777" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132777"><a href="/welcome_to_the_herbs_place_for_pets_sp_63/">Pets Home</a></li>
	<li id="menu-item-132669" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132669"><a href="http://www.test-tfl.com/pet_catalog_sp_210/">Pet Catalog – The Herbs Place</a></li>
</ul>
</li>
<li id="menu-item-132667" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-has-children  menu-item-132667 has-dropdown"><a href="http://www.test-tfl.com/bandit-s-heartworm-program/" class="nav-top-link">The Heartworm Program<i class="icon-angle-down" ></i></a>
<ul class='nav-dropdown nav-dropdown-default'>
	<li id="menu-item-132776" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132776"><a href="/heartworm-success-stories1/">Heartworm Success Stories</a></li>
	<li id="menu-item-132769" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132769"><a href="http://www.test-tfl.com/bandit-s-heartworm-program/">The Heartworm Program</a></li>
	<li id="menu-item-132770" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132770"><a href="http://www.test-tfl.com/heartworm_prevention_sp_104/">Heartworm Prevention</a></li>
	<li id="menu-item-132771" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132771"><a href="http://www.test-tfl.com/bandit-s-heartworm-programs-faqs/">Heartworm Programs&#8217; FAQs</a></li>
	<li id="menu-item-132774" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132774"><a href="http://www.test-tfl.com/bandit-s-favorite-recipes-2/">Bandit&#8217;s Favorite Recipes</a></li>
	<li id="menu-item-132775" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132775"><a href="/heartworm_success_stories_sp_105/">Buddy&#8217;s Heartworm Story</a></li>
</ul>
</li>
<li id="menu-item-132738" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132738"><a href="/product-category/on-sale/" class="nav-top-link">Sale</a></li>
<li id="menu-item-132781" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children  menu-item-132781 has-dropdown"><a href="#" class="nav-top-link">More<i class="icon-angle-down" ></i></a>
<ul class='nav-dropdown nav-dropdown-default'>
	<li id="menu-item-132782" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132782"><a href="http://www.test-tfl.com/outside_the_usa_sp_84/">Outside the USA – The Herbs Place</a></li>
	<li id="menu-item-132783" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132783"><a href="http://www.test-tfl.com/f_a_q_sp_150/">F A Q – The Herbs Place</a></li>
	<li id="menu-item-132784" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132784"><a href="http://www.test-tfl.com/pdf_downloads_sp_131/">PDF Downloads – The Herbs Place</a></li>
	<li id="menu-item-132785" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132785"><a href="http://www.test-tfl.com/quality_sp_29/">Nature&#8217;s Sunshine Quality &#8211; The Key To Purity And Potency</a></li>
	<li id="menu-item-132786" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132786"><a href="http://www.test-tfl.com/business_opportunity_sp_62/">Nature&#8217;s Sunshine Business Opportunity/Small Investment</a></li>
	<li id="menu-item-132787" class="menu-item menu-item-type-custom menu-item-object-custom  menu-item-132787"><a href="/a_healing_moment_article_list_sp_64">Christian Articles to Encourage and Edify</a></li>
	<li id="menu-item-132788" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132788"><a href="http://www.test-tfl.com/free_online_classes_sp_30/">Free Online Classes – The Herbs Place</a></li>
	<li id="menu-item-132789" class="menu-item menu-item-type-post_type menu-item-object-page  menu-item-132789"><a href="http://www.test-tfl.com/ordering_options_sp_66/">Ordering Options of The Herbs Place.com</a></li>
</ul>
</li>
                </ul>
            </div><!-- flex-col -->
            
            
                        <div class="flex-col hide-for-medium flex-right flex-grow">
              <ul class="nav header-nav header-bottom-nav nav-right  nav-uppercase">
                                 </ul>
            </div><!-- flex-col -->
            
            
    </div><!-- .flex-row -->
</div><!-- .header-bottom -->

<div class="header-bg-container fill"><div class="header-bg-image fill"></div><div class="header-bg-color fill"></div></div><!-- .header-bg-container -->   </div><!-- header-wrapper-->
</header>


<main id="main" class="">


<div  class="page-wrapper page-left-sidebar">
<div class="row">

<div id="content" class="large-9 right col" role="main">
	<div class="page-inner">
							
			<div class="ahm_table">
<table class="ahm_member">
<tbody>
<tr>
<th scope="col">
<h1>Benefits</h1>
</th>
<th scope="col">
<h1>Basic</h1>
</th>
<th scope="col">
<h1>SmartStart</h1>
</th>
</tr>
<tr>
<td></td>
<td>$40 Product Order</td>
<td>100 QV Initial Order <a href="/Resources/Prestashop/qv_cart.png" target="_blank" rel="noopener">(example)</a></td>
</tr>
<tr>
<td>No Auto Ships Required</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>No Member Fee</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>No Signup Fee</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>Order Direct</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>30-45% Off Retail</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>$20 Off Coupon &#8211; 2nd Order</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>Members Only Promotions</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>Rebate Checks</td>
<td>✅</td>
<td>✅</td>
</tr>
<tr>
<td>$15 Sunshine/Product Credit</td>
<td></td>
<td>✅</td>
</tr>
</tbody>
</table>
</div>
<h1>Nature&#8217;s Sunshine <span style="text decoration: italics; font-weight: bold; color: red;">Basic</span> Membership Program</h1>
<p align="center"><span style="margin: 0 auto; font-size: 18px; color: #336633; font-weight: bold; margin-top: -10px; margin-bottom: 1.9em;">(Requirement: A sign-up order of $40 or more.)</span></p>
<p><span class="heading">What&#8217;s The Cost?</span></p>
<p>• Membership is <span class="boldred">FREE</span>. No annual fees. No obligations or scheduled orders required.</p>
<p>If you choose to renew your membership each year, you simply place a $40 order. You will get a reminder from Nature&#8217;s Sunshine so you can choose whether to renew or not.</p>
<p><span class="heading">What Are The Benefits of Membership?</span></p>
<p>• With over <span class="boldred">600 products</span>, Nature&#8217;s Sunshine Products (NSP) provides a wide range of products: herbs, vitamin and minerals, supplement specific formulas, children&#8217;s line, pre-packaged programs, 100% authentic essential oils, flower essences, personal care, herbal salves, bulk products, nutritional beverages, xylitol gums &amp; mints, cleaning and laundry concentrate. .</p>
<p>• <span class="boldred">Order directly from Nature&#8217;s Sunshine</span>, the manufacturer, rather than through a distributor, which gives you the freshest product available.</p>
<p>• <span class="boldred">30-45% discount</span> off retail prices <span class="boldred">PLUS sales</span> for further discounts.</p>
<p>• <span class="boldred">20% off coupon</span> for a future order (within 90 days) in your welcome email.</p>
<p>• <span class="boldred">Email perks</span> &#8211; You&#8217;ll be notified of free or reduced shipping promotions, product sales, new products when announced and free educational webinars with sometimes free products just for watching.</p>
<p>• Receive <span class="boldred">rebate checks</span> after your first order. Any month you have 100 QV or more you will qualify for a rebate check. The percentage depends on the QV* amount of your total orders for the month:<br />
10% for 100 &#8212;&#8211; 12% for 300 &#8212;&#8211; 18% for 600 &#8212;&#8211; 27% for 1000</p>
<p>You can order for family, co-workers or friends to increase your QV so you will get a rebate check each month to add to your household budget.</p>
<p><span class="boldred">What Is QV?</span> QV=Qualifying Volume. Each product has a Member Cost and a QV figure. For 90% of the products it&#8217;s the same, but the rest have a lower QV.</p>
<p>• Your welcome email from NSP will include your <span class="boldred">account number and PIN number</span> so you&#8217;ll have instant access to all the benefits and perks on the website. First task is to change the PIN number to what you want it to be.</p>
<h1>Nature&#8217;s Sunshine <span style="text decoration: italics; font-weight: bold; color: red;">SmartStart</span> Membership Program</h1>
<p align="center"><span style="margin: 0 auto; font-size: 18px; color: #336633; font-weight: bold; margin-top: -10px; margin-bottom: 20px;">(Requirement: An initial sign-up order of 100 QV or more.)</span></p>
<p class="boldred" style="text-align: center; margin: 0 auto;">On the SmartStart Program, you get all of the above &#8230; PLUS:</p>
<p>• <span class="boldred">$15 credit</span> will be placed on your account without a deadline for use, other than your account being active.</p>
<p>• With a 300 QV order you will <span class="boldred">qualify for a rebate check on your first order</span>.</p>
<h1><span style="font-weight: bold; text-align: center; margin: 0 auto;">Choosing Membership</span></h1>
<div align="center">
<p>Our shopping cart shows you the QV amount so you can decide on which option to take on your initial order.</p>
<p><span class="boldred">Use the same &#8220;button link&#8221; for either membership.</span></p>
<p><!--<a class="button exclusive biz-op-button" title="I Want Membership!" href="#" data-register="true">Get My Membership</a>--></p>
<p><a id="cook" class="button exclusive biz-op-button" title="I Want Membership!" href="#" data-register="true">Get My Membership</a></p>
<p>Only one (1) membership per household is allowed.</p>
</div>
			
			
			</div><!-- .page-inner -->
</div><!-- end #content large-9 left -->

<div class="large-3 col col-first col-divided">
<div id="secondary" class="widget-area " role="complementary">
		<aside id="woocommerce_product_categories-7" class="widget woocommerce widget_product_categories"><span class="widget-title "><span>Categories</span></span><div class="is-divider small"></div><select  name='product_cat' id='product_cat' class='dropdown_product_cat' >
	<option value='' selected='selected'>Select a category</option>
	<option class="level-0" value="add_adhd_page_1_c_75">ADD &amp; ADHD</option>
	<option class="level-0" value="allergies_skin_coat_problems_page_1_c_92">Allergies &amp; Skin Coat Problems</option>
	<option class="level-0" value="allergy_page_1_c_128">Allergy</option>
	<option class="level-0" value="amino_acids_page_1_c_2">Amino Acids</option>
	<option class="level-0" value="antioxidants_page_1_c_114">Antioxidants</option>
	<option class="level-0" value="ayurvedic_page_1_c_83">Ayurvedic</option>
	<option class="level-0" value="beverages_page_1_c_6">Beverages</option>
	<option class="level-0" value="blood_sugar_page_1_c_78">Blood Sugar</option>
	<option class="level-0" value="bones_joints_muscles_page_1_c_84">Bones &#8211; Joints &#8211; Muscles</option>
	<option class="level-0" value="bones-and-joints-for-pets">Bones and Joints For Pets</option>
	<option class="level-0" value="brain-health-and-memory">Brain Health and Memory</option>
	<option class="level-0" value="bulk_products_page_1_c_3">Bulk Products</option>
	<option class="level-0" value="candida_yeast_page_1_c_118">Candida / Yeast</option>
	<option class="level-0" value="children_page_1_c_4">Children</option>
	<option class="level-0" value="chinese_herbs_page_1_c_5">Chinese Herbs</option>
	<option class="level-0" value="cholesterol_page_1_c_112">Cholesterol</option>
	<option class="level-0" value="circulatory_system_heart_page_1_c_44">Circulatory System &amp; Heart</option>
	<option class="level-0" value="circulatory-system-and-heart-for-pets">Circulatory System and Heart For Pets</option>
	<option class="level-0" value="cleaning_laundry_products_page_1_c_124">Cleaning / Laundry Products</option>
	<option class="level-0" value="cleansing_page_1_c_80">Cleansing</option>
	<option class="level-0" value="digestive-and-intestinal-system-for-pets">Digestive and Intestinal System For Pets</option>
	<option class="level-0" value="digestive_system_page_1_c_38">Digestive System</option>
	<option class="level-0" value="ears-and-eyes-for-pets">Ears and Eyes For Pets</option>
	<option class="level-0" value="energy_page_1_c_82">Energy</option>
	<option class="level-0" value="enzymes_page_1_c_7">Enzymes</option>
	<option class="level-0" value="essential_oil_accessories_page_1_c_66">Essential Oil Accessories</option>
	<option class="level-0" value="essential_oil_blends_page_1_c_34">Essential Oil Blends</option>
	<option class="level-0" value="essential_oil_kits_page_1_c_26">Essential Oil Kits</option>
	<option class="level-0" value="essential_oils_page_1_c_33">Essential Oil Singles</option>
	<option class="level-0" value="essential_oils_100_pure_page_1_c_1">Essential Oils &#8211; 100% Pure</option>
	<option class="level-0" value="eyes_page_1_c_76">Eyes</option>
	<option class="level-0" value="female_page_1_c_73">Female</option>
	<option class="level-0" value="fiber_page_1_c_129">Fiber</option>
	<option class="level-0" value="first-aid-and-wounds-for-pets">First Aid and Wounds For Pets</option>
	<option class="level-0" value="flower_essences_page_1_c_134">Flower Essences</option>
	<option class="level-0" value="getting_started_page_1_c_133">Getting Started</option>
	<option class="level-0" value="gifts_page_1_c_116">Gifts</option>
	<option class="level-0" value="glandular_system_page_1_c_45">Glandular System</option>
	<option class="level-0" value="glandular-system-for-pets">Glandular System For Pets</option>
	<option class="level-0" value="green-products">Green Products</option>
	<option class="level-0" value="gum_and_mints_page_1_c_106">Gum and Mints</option>
	<option class="level-0" value="hair_skin_and_nails_page_1_c_72">Hair, Skin and Nails</option>
	<option class="level-0" value="headaches_pain_and_first_aid_page_1_c_79">Headaches, Pain and First Aid</option>
	<option class="level-0" value="heartworms_and_parasites_page_1_c_93">Heartworms and Parasites</option>
	<option class="level-0" value="herbal_formulas_page_1_c_9">Herbal Formulas</option>
	<option class="level-0" value="herbal_medicine_chest_page_1_c_68">Herbal Medicine Chest</option>
	<option class="level-0" value="herbal_salves_page_1_c_70">Herbal Salves</option>
	<option class="level-0" value="home">Home</option>
	<option class="level-0" value="immune_system_page_1_c_39">Immune System</option>
	<option class="level-0" value="immune-system-for-pets">Immune System For Pets</option>
	<option class="level-0" value="inform-programs">IN.FORM Programs</option>
	<option class="level-0" value="intestinal-system-category-page">Intestinal System Category Page</option>
	<option class="level-0" value="lice_removal_page_1_c_109">Lice Removal</option>
	<option class="level-0" value="liquid_herbs_page_1_c_11">Liquid Herbs</option>
	<option class="level-0" value="liver_page_1_c_137">Liver</option>
	<option class="level-0" value="liver-and-cleansing-for-pets">Liver and Cleansing For Pets</option>
	<option class="level-0" value="male_products_page_1_c_74">Male</option>
	<option class="level-0" value="mood_support_page_1_c_130">Mood Support</option>
	<option class="level-0" value="multi_vitamin_page_1_c_115">Multi-Vitamin</option>
	<option class="level-0" value="natria_body_care_page_1_c_89">Natria Body Care</option>
	<option class="level-0" value="nervous-system-for-pets">Nervous System For Pets</option>
	<option class="level-0" value="nervous_stress_and_depression_page_1_c_42">Nervous, Stress and Depression</option>
	<option class="level-0" value="nutritional-herbs-for-pets">Nutritional Herbs For Pets</option>
	<option class="level-0" value="omega_3_essential_fatty_acids_page_1_c_126">Omega 3 / Essential Fatty Acids</option>
	<option class="level-0" value="on-sale">On Sale</option>
	<option class="level-0" value="personal_care_page_1_c_17">Personal Care</option>
	<option class="level-0" value="pet_catalog_page_1_c_87">Pet Catalog</option>
	<option class="level-0" value="ph_test_strips_page_1_c_21">pH Test Strips</option>
	<option class="level-0" value="pocket_first_aid_page_1_c_69">Pocket First Aid</option>
	<option class="level-0" value="pre_packaged_programs_page_1_c_18">Pre-Packaged Programs</option>
	<option class="level-0" value="pregnancy_page_1_c_81">Pregnancy</option>
	<option class="level-0" value="probiotics_page_1_c_19">Probiotics</option>
	<option class="level-0" value="respiratory-system-for-pets">Respiratory System For Pets</option>
	<option class="level-0" value="respiratory_sinus_allergy_page_1_c_36">Respiratory-Sinus-Allergy</option>
	<option class="level-0" value="shop_a_z_page_1_c_28">Shop A &#8211; Z</option>
	<option class="level-0" value="shop_b_page_1_c_29">Shop B</option>
	<option class="level-0" value="shop_c_page_1_c_27">Shop C</option>
	<option class="level-0" value="shop_d_page_1_c_30">Shop D</option>
	<option class="level-0" value="shop_e_page_1_c_31">Shop E</option>
	<option class="level-0" value="shop_f_page_1_c_32">Shop F</option>
	<option class="level-0" value="shop_g_page_1_c_46">Shop G</option>
	<option class="level-0" value="shop_h_page_1_c_47">Shop H</option>
	<option class="level-0" value="shop_i_page_1_c_48">Shop I</option>
	<option class="level-0" value="shop_j_page_1_c_49">Shop J</option>
	<option class="level-0" value="shop_k_page_1_c_50">Shop K</option>
	<option class="level-0" value="shop_l_page_1_c_51">Shop L</option>
	<option class="level-0" value="shop_m_page_1_c_52">Shop M</option>
	<option class="level-0" value="shop_n_page_1_c_53">Shop N</option>
	<option class="level-0" value="shop_o_page_1_c_54">Shop O</option>
	<option class="level-0" value="shop_p_page_1_c_55">Shop P</option>
	<option class="level-0" value="shop_q_page_1_c_56">Shop Q</option>
	<option class="level-0" value="shop_r_page_1_c_57">Shop R</option>
	<option class="level-0" value="shop_s_page_1_c_58">Shop S</option>
	<option class="level-0" value="shop_t_page_1_c_59">Shop T</option>
	<option class="level-0" value="shop_u_page_1_c_60">Shop U</option>
	<option class="level-0" value="shop_v_page_1_c_61">Shop V</option>
	<option class="level-0" value="shop_w_page_1_c_85">Shop W</option>
	<option class="level-0" value="shop_x_page_1_c_63">Shop X</option>
	<option class="level-0" value="shop_y_page_1_c_64">Shop Y</option>
	<option class="level-0" value="shop_z_page_1_c_65">Shop Z</option>
	<option class="level-0" value="silver-products">Silver Products</option>
	<option class="level-0" value="sleep_page_1_c_86">Sleep</option>
	<option class="level-0" value="solstic-products">Solstic Products</option>
	<option class="level-0" value="specials">Specials</option>
	<option class="level-0" value="structural_system_page_1_c_40">Structural System</option>
	<option class="level-0" value="sunshine_heroes_page_1_c_122">Sunshine Heroes</option>
	<option class="level-0" value="supplements_page_1_c_23">Supplements</option>
	<option class="level-0" value="system_products_page_1_c_135">System Products</option>
	<option class="level-0" value="urinary-system-for-pets">Urinary System For Pets</option>
	<option class="level-0" value="urinary_kidney_bladder_page_1_c_41">Urinary-Kidney-Bladder</option>
	<option class="level-0" value="vital_nutrition_page_1_c_67">Vital Nutrition</option>
	<option class="level-0" value="vitamin_d_products_page_1_c_117">Vitamin D Products</option>
	<option class="level-0" value="water_treatment_systems_page_1_c_24">Water Treatment Systems</option>
	<option class="level-0" value="weight_loss_page_1_c_25">Weight-Loss</option>
	<option class="level-0" value="xylitol_products_page_1_c_107">Xylitol Products</option>
</select>
</aside><aside id="woocommerce_products-11" class="widget woocommerce widget_products"><span class="widget-title "><span>Best Selling</span></span><div class="is-divider small"></div><ul class="product_list_widget"><li>
	
	<a href="http://www.test-tfl.com/product/black_walnut_100_capsules_p_376/">
		<img width="100" height="100" src="http://www.test-tfl.com/wp-content/uploads/2018/07/90.jpg" class="attachment-woocommerce_gallery_thumbnail size-woocommerce_gallery_thumbnail" alt="" />		<span class="product-title">Black Walnut (100 capsules)</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>13.50</span>
	</li>
<li>
	
	<a href="http://www.test-tfl.com/product/alj-100-capsules/">
		<img width="100" height="100" src="http://www.test-tfl.com/wp-content/uploads/2014/04/1511-ALJ-100-capsules-100x100.jpg" class="attachment-woocommerce_gallery_thumbnail size-woocommerce_gallery_thumbnail" alt="ALJ (100 capsules)" srcset="http://www.test-tfl.com/wp-content/uploads/2014/04/1511-ALJ-100-capsules-100x100.jpg 100w, http://www.test-tfl.com/wp-content/uploads/2014/04/1511-ALJ-100-capsules-280x280.jpg 280w, http://www.test-tfl.com/wp-content/uploads/2014/04/1511-ALJ-100-capsules.jpg 300w" sizes="(max-width: 100px) 100vw, 100px" />		<span class="product-title">ALJ (100 capsules)</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>13.60</span>
	</li>
<li>
	
	<a href="http://www.test-tfl.com/product/brainprotexwhuperzinep468/">
		<img width="100" height="100" src="http://www.test-tfl.com/wp-content/uploads/2014/04/1212-Brain-Protex-w-Huperzine-A-100x100.jpg" class="attachment-woocommerce_gallery_thumbnail size-woocommerce_gallery_thumbnail" alt="Brain Protex w/ Huperzine A" srcset="http://www.test-tfl.com/wp-content/uploads/2014/04/1212-Brain-Protex-w-Huperzine-A-100x100.jpg 100w, http://www.test-tfl.com/wp-content/uploads/2014/04/1212-Brain-Protex-w-Huperzine-A-280x280.jpg 280w, http://www.test-tfl.com/wp-content/uploads/2014/04/1212-Brain-Protex-w-Huperzine-A.jpg 300w" sizes="(max-width: 100px) 100vw, 100px" />		<span class="product-title">Brain Protex w/ Huperzine A</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>27.20</span>
	</li>
<li>
	
	<a href="http://www.test-tfl.com/product/focus_attention_90_capsules_p_2011/">
		<img width="100" height="100" src="http://www.test-tfl.com/wp-content/uploads/2014/04/1449-Focus-Attention-90-capsules-100x100.jpg" class="attachment-woocommerce_gallery_thumbnail size-woocommerce_gallery_thumbnail" alt="Focus Attention (90 capsules)" srcset="http://www.test-tfl.com/wp-content/uploads/2014/04/1449-Focus-Attention-90-capsules-100x100.jpg 100w, http://www.test-tfl.com/wp-content/uploads/2014/04/1449-Focus-Attention-90-capsules-280x280.jpg 280w, http://www.test-tfl.com/wp-content/uploads/2014/04/1449-Focus-Attention-90-capsules.jpg 300w" sizes="(max-width: 100px) 100vw, 100px" />		<span class="product-title">Focus Attention (90 capsules)</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>25.45</span>
	</li>
</ul></aside><aside id="woocommerce_products-12" class="widget woocommerce widget_products"><span class="widget-title "><span>Latest</span></span><div class="is-divider small"></div><ul class="product_list_widget"><li>
	
	<a href="http://www.test-tfl.com/product/15-off-negative-pack-tcm-concentrate-chinese/">
		<img width="100" height="100" src="http://www.test-tfl.com/wp-content/uploads/2018/07/13344.jpg" class="attachment-woocommerce_gallery_thumbnail size-woocommerce_gallery_thumbnail" alt="" />		<span class="product-title">15% OFF - Negative Pack TCM Concentrate, Chinese</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>169.11</span>
	</li>
<li>
	
	<a href="http://www.test-tfl.com/product/buy-5-get-1-free-trigger-immune-tcm-conc-order-quantity-of-1-for-each-6-bottles/">
		<img src="http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/images/placeholder.png" alt="Placeholder" width="100" class="woocommerce-placeholder wp-post-image" height="100" />		<span class="product-title">Buy 5 Get 1 FREE - Trigger Immune TCM Conc. [Order Quantity of 1 For Each 6 Bottles]</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>147.50</span>
	</li>
<li>
	
	<a href="http://www.test-tfl.com/product/buy-9-get-2-free-trigger-immune-tcm-conc-order-quantity-of-1-for-each-11-bottles/">
		<img src="http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/images/placeholder.png" alt="Placeholder" width="100" class="woocommerce-placeholder wp-post-image" height="100" />		<span class="product-title">Buy 9 Get 2 FREE - Trigger Immune TCM Conc. [Order Quantity of 1 For Each 11 Bottles]</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>265.50</span>
	</li>
<li>
	
	<a href="http://www.test-tfl.com/product/buy-5-get-1-free-spleen-activator-tcm-conc-order-quantity-of-1-for-each-6-bottles/">
		<img src="http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/images/placeholder.png" alt="Placeholder" width="100" class="woocommerce-placeholder wp-post-image" height="100" />		<span class="product-title">Buy 5 Get 1 FREE - Spleen Activator TCM Conc. [Order Quantity of 1 For Each 6 Bottles]</span>
	</a>

				
	<span class="woocommerce-Price-amount amount"><span class="woocommerce-Price-currencySymbol">&#36;</span>166.25</span>
	</li>
</ul></aside></div><!-- #secondary -->
</div><!-- end sidebar -->

</div><!-- end row -->
</div><!-- end page-right-sidebar container -->




</main><!-- #main -->

<footer id="footer" class="footer-wrapper">

	
<!-- FOOTER 1 -->


<!-- FOOTER 2 -->
<div class="footer-widgets footer footer-2 dark">
		<div class="row dark large-columns-2 mb-0">
	   		<div id="custom_html-3" class="widget_text col pb-0 widget widget_custom_html"><div class="textwidget custom-html-widget"><a href="/contact7">Contact Us</a></div></div><div id="text-3" class="col pb-0 widget widget_text"><span class="widget-title">Find Us</span><div class="is-divider small"></div>			<div class="textwidget"><p><strong>Address</strong></p>
<p>The Herbs Place<br />
2920 Summerhurst Drive (Not Retail)<br />
Midlothian, VA 23113<br />
866-580-3226 or 434-591-1249</p>
<p><strong>Hours</strong><br />
Monday—Friday: 10:00AM–6:00PM</p>
</div>
		</div>        
		</div><!-- end row -->
</div><!-- end footer 2 -->



<div class="absolute-footer dark medium-text-center text-center">
  <div class="container clearfix">

    
    <div class="footer-primary pull-left">
              <div class="menu-footer-container"><ul id="menu-footer" class="links footer-nav uppercase"><li id="menu-item-132809" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132809"><a href="http://www.test-tfl.com/contact7/">Contact Us</a></li>
</ul></div>            <div class="copyright-footer">
        Copyright 2019 © <strong>The Herbs Place</strong>      </div>
          </div><!-- .left -->
  </div><!-- .container -->
</div><!-- .absolute-footer -->

<a href="#top" class="back-to-top button icon invert plain fixed bottom z-1 is-outline hide-for-medium circle" id="top-link"><i class="icon-angle-up" ></i></a>

</footer><!-- .footer-wrapper -->

</div><!-- #wrapper -->

<!-- Mobile Sidebar -->
<div id="main-menu" class="mobile-sidebar no-scrollbar mfp-hide">
    <div class="sidebar-menu no-scrollbar ">
        <ul class="nav nav-sidebar  nav-vertical nav-uppercase">
              <li class="header-search-form search-form html relative has-icon">
	<div class="header-search-form-wrapper">
		<div class="searchform-wrapper ux-search-box relative form- is-normal"><form role="search" method="get" class="searchform" action="http://www.test-tfl.com/">
		<div class="flex-row relative">
						<div class="flex-col search-form-categories">
			<select class="search_categories resize-select mb-0" name="product_cat"><option value="" selected='selected'>All</option><option value="natria_body_care_page_1_c_89">Natria Body Care</option><option value="on-sale">On Sale</option><option value="home">Home</option><option value="specials">Specials</option></select>			</div><!-- .flex-col -->
									<div class="flex-col flex-grow">
			  <input type="search" class="search-field mb-0" name="s" value="" placeholder="Search&hellip;" />
		    <input type="hidden" name="post_type" value="product" />
        			</div><!-- .flex-col -->
			<div class="flex-col">
				<button type="submit" class="ux-search-submit submit-button secondary button icon mb-0">
					<i class="icon-search" ></i>				</button>
			</div><!-- .flex-col -->
		</div><!-- .flex-row -->
	 <div class="live-search-results text-left z-top"></div>
</form>
</div>	</div>
</li><li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-has-children menu-item-132697"><a href="http://www.test-tfl.com/shop-a-z/" class="nav-top-link">Shop A – Z</a>
<ul class=children>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132709"><a href="/product-category/home/shop_a_z_page_1_c_28/">A</a>
	<ul class=nav-sidebar-ul>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132699"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_b_page_1_c_29/">B</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132700"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_c_page_1_c_27/">C</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132701"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_d_page_1_c_30/">D</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132702"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_e_page_1_c_31/">E</a></li>
	</ul>
</li>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132703"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_f_page_1_c_32/">F</a>
	<ul class=nav-sidebar-ul>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132704"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_g_page_1_c_46/">G</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132705"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_h_page_1_c_47/">H</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132706"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_i_page_1_c_48/">I</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132707"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_j_page_1_c_49/">J</a></li>
	</ul>
</li>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132708"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_k_page_1_c_50/">K</a>
	<ul class=nav-sidebar-ul>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132710"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_l_page_1_c_51/">L</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132711"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_m_page_1_c_52/">M</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132712"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_n_page_1_c_53/">N</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132713"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_o_page_1_c_54/">O</a></li>
	</ul>
</li>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132714"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_p_page_1_c_55/">P</a>
	<ul class=nav-sidebar-ul>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132715"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_q_page_1_c_56/">Q</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132716"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_r_page_1_c_57/">R</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132717"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_s_page_1_c_58/">S</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132718"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_t_page_1_c_59/">T</a></li>
	</ul>
</li>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132719"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_U_page_1_c_60/">U</a>
	<ul class=nav-sidebar-ul>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132720"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_v_page_1_c_61/">V</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132721"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_w_page_1_c_85/">W</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132722"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_x_page_1_c_63/">X</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132723"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_y_page_1_c_64/">Y</a></li>
		<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132724"><a href="/product-category/home/shop_a_z_page_1_c_28/shop_z_page_1_c_65/">Z</a></li>
	</ul>
</li>
</ul>
</li>
<li class="menu-item menu-item-type-post_type menu-item-object-page current-menu-item page_item page-item-798 current_page_item menu-item-132665"><a href="http://www.test-tfl.com/rebate_program/" class="nav-top-link">Membership</a></li>
<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132778"><a href="/product-category/home/pet_catalog_page_1_c_87/" class="nav-top-link">Herbs For Pets</a>
<ul class=children>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132777"><a href="/welcome_to_the_herbs_place_for_pets_sp_63/">Pets Home</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132669"><a href="http://www.test-tfl.com/pet_catalog_sp_210/">Pet Catalog – The Herbs Place</a></li>
</ul>
</li>
<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-has-children menu-item-132667"><a href="http://www.test-tfl.com/bandit-s-heartworm-program/" class="nav-top-link">The Heartworm Program</a>
<ul class=children>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132776"><a href="/heartworm-success-stories1/">Heartworm Success Stories</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132769"><a href="http://www.test-tfl.com/bandit-s-heartworm-program/">The Heartworm Program</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132770"><a href="http://www.test-tfl.com/heartworm_prevention_sp_104/">Heartworm Prevention</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132771"><a href="http://www.test-tfl.com/bandit-s-heartworm-programs-faqs/">Heartworm Programs&#8217; FAQs</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132774"><a href="http://www.test-tfl.com/bandit-s-favorite-recipes-2/">Bandit&#8217;s Favorite Recipes</a></li>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132775"><a href="/heartworm_success_stories_sp_105/">Buddy&#8217;s Heartworm Story</a></li>
</ul>
</li>
<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132738"><a href="/product-category/on-sale/" class="nav-top-link">Sale</a></li>
<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-132781"><a href="#" class="nav-top-link">More</a>
<ul class=children>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132782"><a href="http://www.test-tfl.com/outside_the_usa_sp_84/">Outside the USA – The Herbs Place</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132783"><a href="http://www.test-tfl.com/f_a_q_sp_150/">F A Q – The Herbs Place</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132784"><a href="http://www.test-tfl.com/pdf_downloads_sp_131/">PDF Downloads – The Herbs Place</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132785"><a href="http://www.test-tfl.com/quality_sp_29/">Nature&#8217;s Sunshine Quality &#8211; The Key To Purity And Potency</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132786"><a href="http://www.test-tfl.com/business_opportunity_sp_62/">Nature&#8217;s Sunshine Business Opportunity/Small Investment</a></li>
	<li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-132787"><a href="/a_healing_moment_article_list_sp_64">Christian Articles to Encourage and Edify</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132788"><a href="http://www.test-tfl.com/free_online_classes_sp_30/">Free Online Classes – The Herbs Place</a></li>
	<li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-132789"><a href="http://www.test-tfl.com/ordering_options_sp_66/">Ordering Options of The Herbs Place.com</a></li>
</ul>
</li>
<li class="account-item has-icon menu-item">

<a href="http://www.test-tfl.com/my-account/" class="account-link account-login" title="My account">
    <span class="header-account-title">
    My account  </span>
</a>


<ul class="children">
    
      <li class="woocommerce-MyAccount-navigation-link woocommerce-MyAccount-navigation-link--dashboard is-active active">
          <a href="http://www.test-tfl.com/my-account/">Dashboard</a>
      <!-- empty -->
        </li>
      <li class="woocommerce-MyAccount-navigation-link woocommerce-MyAccount-navigation-link--orders">
          <a href="http://www.test-tfl.com/my-account/orders/">Orders</a>
        </li>
      <li class="woocommerce-MyAccount-navigation-link woocommerce-MyAccount-navigation-link--downloads">
          <a href="http://www.test-tfl.com/my-account/downloads/">Downloads</a>
        </li>
      <li class="woocommerce-MyAccount-navigation-link woocommerce-MyAccount-navigation-link--edit-address">
          <a href="http://www.test-tfl.com/my-account/edit-address/">Addresses</a>
        </li>
      <li class="woocommerce-MyAccount-navigation-link woocommerce-MyAccount-navigation-link--payment-methods">
          <a href="http://www.test-tfl.com/my-account/payment-methods/">Payment methods</a>
        </li>
      <li class="woocommerce-MyAccount-navigation-link woocommerce-MyAccount-navigation-link--edit-account">
          <a href="http://www.test-tfl.com/my-account/edit-account/">Account details</a>
        </li>
      <li class="woocommerce-MyAccount-navigation-link woocommerce-MyAccount-navigation-link--customer-logout">
    <a href="http://www.test-tfl.com/my-account/customer-logout/">Logout</a>
  </li>
</ul>
</li>
        </ul>
    </div><!-- inner -->
</div><!-- #mobile-menu -->
	<script type="text/javascript">
		var c = document.body.className;
		c = c.replace(/woocommerce-no-js/, 'woocommerce-js');
		document.body.className = c;
	</script>
	<link rel='stylesheet' id='select2-css'  href='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/css/select2.css?ver=3.5.4' type='text/css' media='all' />
<script type='text/javascript' src='http://www.test-tfl.com/wp-includes/js/admin-bar.min.js?ver=4.9.9'></script>
<script type='text/javascript'>
/* <![CDATA[ */
var wpcf7 = {"apiSettings":{"root":"http:\/\/www.test-tfl.com\/wp-json\/contact-form-7\/v1","namespace":"contact-form-7\/v1"}};
/* ]]> */
</script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/contact-form-7/includes/js/scripts.js?ver=5.1.1'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/js/jquery-blockui/jquery.blockUI.min.js?ver=2.70'></script>
<script type='text/javascript'>
/* <![CDATA[ */
var wc_add_to_cart_params = {"ajax_url":"\/wp-admin\/admin-ajax.php","wc_ajax_url":"\/?wc-ajax=%%endpoint%%","i18n_view_cart":"View cart","cart_url":"http:\/\/www.test-tfl.com\/cart\/","is_cart":"","cart_redirect_after_add":"no"};
/* ]]> */
</script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/js/frontend/add-to-cart.min.js?ver=3.5.4'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/js/js-cookie/js.cookie.min.js?ver=2.1.4'></script>
<script type='text/javascript'>
/* <![CDATA[ */
var woocommerce_params = {"ajax_url":"\/wp-admin\/admin-ajax.php","wc_ajax_url":"\/?wc-ajax=%%endpoint%%"};
/* ]]> */
</script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/js/frontend/woocommerce.min.js?ver=3.5.4'></script>
<script type='text/javascript'>
/* <![CDATA[ */
var wc_cart_fragments_params = {"ajax_url":"\/wp-admin\/admin-ajax.php","wc_ajax_url":"\/?wc-ajax=%%endpoint%%","cart_hash_key":"wc_cart_hash_876a468afd1d8820c41f1ca5a715d731","fragment_name":"wc_fragments_876a468afd1d8820c41f1ca5a715d731"};
/* ]]> */
</script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/js/frontend/cart-fragments.min.js?ver=3.5.4'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/themes/flatsome/inc/extensions/flatsome-live-search/flatsome-live-search.js?ver=3.7.2'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-includes/js/hoverIntent.min.js?ver=1.8.1'></script>
<script type='text/javascript'>
/* <![CDATA[ */
var flatsomeVars = {"ajaxurl":"http:\/\/www.test-tfl.com\/wp-admin\/admin-ajax.php","rtl":"","sticky_height":"100","user":{"can_edit_pages":true}};
/* ]]> */
</script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/themes/flatsome/assets/js/flatsome.js?ver=3.7.2'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/themes/flatsome/assets/js/woocommerce.js?ver=3.7.2'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-includes/js/wp-embed.min.js?ver=4.9.9'></script>
<script type='text/javascript' src='http://www.test-tfl.com/wp-content/plugins/woocommerce/assets/js/selectWoo/selectWoo.full.min.js?ver=1.0.4'></script>
<!-- WooCommerce JavaScript -->
<script type="text/javascript">
jQuery(function($) { 

				jQuery( '.dropdown_product_cat' ).change( function() {
					if ( jQuery(this).val() != '' ) {
						var this_page = '';
						var home_url  = 'http://www.test-tfl.com/';
						if ( home_url.indexOf( '?' ) > 0 ) {
							this_page = home_url + '&product_cat=' + jQuery(this).val();
						} else {
							this_page = home_url + '?product_cat=' + jQuery(this).val();
						}
						location.href = this_page;
					} else {
						location.href = 'http://www.test-tfl.com/shop/';
					}
				});

				if ( jQuery().selectWoo ) {
					var wc_product_cat_select = function() {
						jQuery( '.dropdown_product_cat' ).selectWoo( {
							placeholder: 'Select a category',
							minimumResultsForSearch: 5,
							width: '100%',
							allowClear: true,
							language: {
								noResults: function() {
									return 'No matches found';
								}
							}
						} );
					};
					wc_product_cat_select();
				}
			
 });
</script>
	<!--[if lte IE 8]>
		<script type="text/javascript">
			document.body.className = document.body.className.replace( /(^|\s)(no-)?customize-support(?=\s|$)/, '' ) + ' no-customize-support';
		</script>
	<![endif]-->
	<!--[if gte IE 9]><!-->
		<script type="text/javascript">
			(function() {
				var request, b = document.body, c = 'className', cs = 'customize-support', rcs = new RegExp('(^|\\s+)(no-)?'+cs+'(\\s+|$)');

						request = true;
		
				b[c] = b[c].replace( rcs, ' ' );
				// The customizer requires postMessage and CORS (if the site is cross domain)
				b[c] += ( window.postMessage && request ? ' ' : ' no-' ) + cs;
			}());
		</script>
	<!--<![endif]-->
			<div id="wpadminbar" class="nojq nojs">
							<a class="screen-reader-shortcut" href="#wp-toolbar" tabindex="1">Skip to toolbar</a>
						<div class="quicklinks" id="wp-toolbar" role="navigation" aria-label="Toolbar" tabindex="0">
				<ul id="wp-admin-bar-root-default" class="ab-top-menu">
		<li id="wp-admin-bar-wp-logo" class="menupop"><a class="ab-item" aria-haspopup="true" href="http://www.test-tfl.com/wp-admin/about.php"><span class="ab-icon"></span><span class="screen-reader-text">About WordPress</span></a><div class="ab-sub-wrapper"><ul id="wp-admin-bar-wp-logo-default" class="ab-submenu">
		<li id="wp-admin-bar-about"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/about.php">About WordPress</a>		</li></ul><ul id="wp-admin-bar-wp-logo-external" class="ab-sub-secondary ab-submenu">
		<li id="wp-admin-bar-wporg"><a class="ab-item" href="https://wordpress.org/">WordPress.org</a>		</li>
		<li id="wp-admin-bar-documentation"><a class="ab-item" href="https://codex.wordpress.org/">Documentation</a>		</li>
		<li id="wp-admin-bar-support-forums"><a class="ab-item" href="https://wordpress.org/support/">Support Forums</a>		</li>
		<li id="wp-admin-bar-feedback"><a class="ab-item" href="https://wordpress.org/support/forum/requests-and-feedback">Feedback</a>		</li></ul></div>		</li>
		<li id="wp-admin-bar-site-name" class="menupop"><a class="ab-item" aria-haspopup="true" href="http://www.test-tfl.com/wp-admin/">The Herbs Place</a><div class="ab-sub-wrapper"><ul id="wp-admin-bar-site-name-default" class="ab-submenu">
		<li id="wp-admin-bar-dashboard"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/">Dashboard</a>		</li></ul><ul id="wp-admin-bar-appearance" class="ab-submenu">
		<li id="wp-admin-bar-themes"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/themes.php">Themes</a>		</li>
		<li id="wp-admin-bar-widgets"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/widgets.php">Widgets</a>		</li>
		<li id="wp-admin-bar-menus"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/nav-menus.php">Menus</a>		</li></ul></div>		</li>
		<li id="wp-admin-bar-flatsome_panel" class="menupop"><a class="ab-item" aria-haspopup="true" href="http://www.test-tfl.com/wp-admin/admin.php?page=flatsome-panel"><svg style="width:20px; margin-top:-4px; height:20px;vertical-align:middle;" width="184px" height="186px" viewBox="0 0 184 186" version="1.1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink"> <!-- Generator: Sketch 3.8.1 (29687) - http://www.bohemiancoding.com/sketch --> <title>Logo-white</title> <desc>Created with Sketch.</desc> <defs></defs> <g id="Logo" stroke="none" stroke-width="1" fill="none" fill-rule="evenodd"> <g id="Logo-white" fill="#FFFFFF"> <g id="Group"> <path d="M92.6963305,153.35517 L69.6726254,130.331465 L92.6963305,107.30776 L92.6963305,66.7055226 L49.3715069,110.030346 L32.472925,93.1317642 L92.6963305,32.9083587 L92.6963305,0.803652143 L0.106126393,93.3938562 L92.6963305,185.98406 L92.6963305,153.35517 Z" id="Combined-Shape"></path> </g> <g id="Group" opacity="0.502623601" transform="translate(136.800003, 93.000000) scale(-1, 1) translate(-136.800003, -93.000000) translate(90.300003, 0.000000)"> <path d="M92.6963305,153.35517 L69.6726254,130.331465 L92.6963305,107.30776 L92.6963305,66.7055226 L49.3715069,110.030346 L32.472925,93.1317642 L92.6963305,32.9083587 L92.6963305,0.803652143 L0.106126393,93.3938562 L92.6963305,185.98406 L92.6963305,153.35517 Z" id="Combined-Shape" opacity="0.387068563"></path> </g> </g> </g> </svg> Flatsome</a><div class="ab-sub-wrapper"><ul id="wp-admin-bar-flatsome_panel-default" class="ab-submenu">
		<li id="wp-admin-bar-theme_options" class="menupop"><a class="ab-item" aria-haspopup="true" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bpanel%5D="><span class="dashicons dashicons-admin-generic" style="font-size:20px; -webkit-font-smoothing: antialiased; font-weight:400!important; padding-right:4px; font-family:dashicons!important;margin-top:-2px;"></span> Theme Options</a><div class="ab-sub-wrapper"><ul id="wp-admin-bar-theme_options-default" class="ab-submenu">
		<li id="wp-admin-bar-options_header" class="menupop"><a class="ab-item" aria-haspopup="true" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bpanel%5D=header"><span class="dashicons dashicons-arrow-up-alt dashicons-header" style="font-size:20px; -webkit-font-smoothing: antialiased; font-weight:400!important; padding-right:4px; font-family:dashicons!important;margin-top:-2px;"></span> Header</a><div class="ab-sub-wrapper"><ul id="wp-admin-bar-options_header-default" class="ab-submenu">
		<li id="wp-admin-bar-options_header_presets"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=header-presets">Presets</a>		</li>
		<li id="wp-admin-bar-options_header_logo"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=title_tagline">Logo & Site Identity</a>		</li>
		<li id="wp-admin-bar-options_header_top"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=top_bar">Top Bar</a>		</li>
		<li id="wp-admin-bar-options_header_main"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=main_bar">Header Main</a>		</li>
		<li id="wp-admin-bar-options_header_bottom"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=bottom_bar"> Header Bottom</a>		</li>
		<li id="wp-admin-bar-options_header_mobile"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=header_mobile"> Header Mobile</a>		</li>
		<li id="wp-admin-bar-options_header_sticky"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=header_sticky"> Sticky Header</a>		</li>
		<li id="wp-admin-bar-options_header_dropdown"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=header_dropdown">Dropdown Style</a>		</li></ul></div>		</li>
		<li id="wp-admin-bar-options_layout"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=layout"><span class="dashicons dashicons-editor-table" style="font-size:20px; -webkit-font-smoothing: antialiased; font-weight:400!important; padding-right:4px; font-family:dashicons!important;margin-top:-2px;"></span> Layout</a>		</li>
		<li id="wp-admin-bar-options_static_front_page"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=static_front_page"><span class="dashicons dashicons-admin-home" style="font-size:20px; -webkit-font-smoothing: antialiased; font-weight:400!important; padding-right:4px; font-family:dashicons!important;margin-top:-2px;"></span> Homepage</a>		</li>
		<li id="wp-admin-bar-options_style" class="menupop"><a class="ab-item" aria-haspopup="true" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bpanel%5D=style"><span class="dashicons dashicons-admin-appearance" style="font-size:20px; -webkit-font-smoothing: antialiased; font-weight:400!important; padding-right:4px; font-family:dashicons!important;margin-top:-2px;"></span> Style</a><div class="ab-sub-wrapper"><ul id="wp-admin-bar-options_style-default" class="ab-submenu">
		<li id="wp-admin-bar-options_style_colors"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=colors">Colors</a>		</li>
		<li id="wp-admin-bar-options_style_global"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=global-styles">Global Styles</a>		</li>
		<li id="wp-admin-bar-options_style_type"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=type">Typography</a>		</li>
		<li id="wp-admin-bar-options_style_css"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=custom-css">Custom CSS</a>		</li>
		<li id="wp-admin-bar-options_style_lightbox"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=lightbox">Image Lightbox</a>		</li></ul></div>		</li>
		<li id="wp-admin-bar-options_shop" class="menupop"><a class="ab-item" aria-haspopup="true" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bpanel%5D=woocommerce"><span class="dashicons dashicons-cart" style="font-size:20px; -webkit-font-smoothing: antialiased; font-weight:400!important; padding-right:4px; font-family:dashicons!important;margin-top:-2px;"></span> Shop (WooCommerce)</a><div class="ab-sub-wrapper"><ul id="wp-admin-bar-options_shop-default" class="ab-submenu">
		<li id="wp-admin-bar-options_shop_store_notice"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=woocommerce_store_notice">Store Notice</a>		</li>
		<li id="wp-admin-bar-options_shop_category_page"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=woocommerce_product_catalog">Product Catalog</a>		</li>
		<li id="wp-admin-bar-options_shop_product_page"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=product-page">Product Page</a>		</li>
		<li id="wp-admin-bar-options_shop_my_account"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=fl-my-account">My Account</a>		</li>
		<li id="wp-admin-bar-options_shop_payment_icons"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=payment-icons">Payment Icons</a>		</li>
		<li id="wp-admin-bar-options_shop_product_images"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=woocommerce_product_images">Product Images</a>		</li>
		<li id="wp-admin-bar-options_shop_checkout"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=woocommerce_checkout">Checkout</a>		</li>
		<li id="wp-admin-bar-options_shop_cart"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=cart-checkout">Cart</a>		</li>
		<li id="wp-admin-bar-options_advanced_woocommerce_2"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=optionsframework&#038;tab=of-option-woocommerce">Advanced</a>		</li></ul></div>		</li>
		<li id="wp-admin-bar-options_pages"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=pages"><span class="dashicons dashicons-admin-page" style="font-size:20px; -webkit-font-smoothing: antialiased; font-weight:400!important; padding-right:4px; font-family:dashicons!important;margin-top:-2px;"></span> Pages</a>		</li>
		<li id="wp-admin-bar-options_blog"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bpanel%5D=blog"><span class="dashicons dashicons-edit" style="font-size:20px; -webkit-font-smoothing: antialiased; font-weight:400!important; padding-right:4px; font-family:dashicons!important;margin-top:-2px;"></span> Blog</a>		</li>
		<li id="wp-admin-bar-options_portfolio"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=fl-portfolio"><span class="dashicons dashicons-portfolio" style="font-size:20px; -webkit-font-smoothing: antialiased; font-weight:400!important; padding-right:4px; font-family:dashicons!important;margin-top:-2px;"></span> Portfolio</a>		</li>
		<li id="wp-admin-bar-options_footer"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=footer"><span class="dashicons dashicons-arrow-down-alt" style="font-size:20px; -webkit-font-smoothing: antialiased; font-weight:400!important; padding-right:4px; font-family:dashicons!important;margin-top:-2px;"></span> Footer</a>		</li>
		<li id="wp-admin-bar-options_menus" class="menupop"><a class="ab-item" aria-haspopup="true" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bpanel%5D=nav_menus"><span class="dashicons dashicons-menu " style="font-size:20px; -webkit-font-smoothing: antialiased; font-weight:400!important; padding-right:4px; font-family:dashicons!important;margin-top:-2px;"></span> Menus</a><div class="ab-sub-wrapper"><ul id="wp-admin-bar-options_menus-default" class="ab-submenu">
		<li id="wp-admin-bar-options_menus_backend"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/nav-menus.php">Back-end editor</a>		</li></ul></div>		</li>
		<li id="wp-admin-bar-options_widgets" class="menupop"><a class="ab-item" aria-haspopup="true" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bpanel%5D=widgets"><span class="dashicons dashicons-welcome-widgets-menus" style="font-size:20px; -webkit-font-smoothing: antialiased; font-weight:400!important; padding-right:4px; font-family:dashicons!important;margin-top:-2px;"></span> Widgets</a><div class="ab-sub-wrapper"><ul id="wp-admin-bar-options_widgets-default" class="ab-submenu">
		<li id="wp-admin-bar-options_widgets_backend"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/widgets.php">Back-end editor</a>		</li></ul></div>		</li>
		<li id="wp-admin-bar-options_share"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=share"><span class="dashicons dashicons-share" style="font-size:20px; -webkit-font-smoothing: antialiased; font-weight:400!important; padding-right:4px; font-family:dashicons!important;margin-top:-2px;"></span> Share</a>		</li>
		<li id="wp-admin-bar-options_reset"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http://www.test-tfl.com/rebate_program/&#038;autofocus%5Bsection%5D=advanced"><span class="dashicons dashicons-admin-generic" style="font-size:20px; -webkit-font-smoothing: antialiased; font-weight:400!important; padding-right:4px; font-family:dashicons!important;margin-top:-2px;"></span> Reset</a>		</li></ul></div>		</li>
		<li id="wp-admin-bar-options_advanced" class="menupop"><a class="ab-item" aria-haspopup="true" href="http://www.test-tfl.com/wp-admin/admin.php?page=optionsframework&#038;tab="><span class="dashicons dashicons-admin-tools" style="font-size:20px; -webkit-font-smoothing: antialiased; font-weight:400!important; padding-right:4px; font-family:dashicons!important;margin-top:-2px;"></span> Advanced</a><div class="ab-sub-wrapper"><ul id="wp-admin-bar-options_advanced-default" class="ab-submenu">
		<li id="wp-admin-bar-options_advanced_custom_scripts"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=optionsframework&#038;tab=of-option-globalsettings">Global Settings</a>		</li>
		<li id="wp-admin-bar-options_advanced_custom_css"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=optionsframework&#038;tab=of-option-customcss">Custom CSS</a>		</li>
		<li id="wp-admin-bar-options_ux_builder"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=optionsframework&#038;tab=of-option-uxbuilder">UX Builder</a>		</li>
		<li id="wp-admin-bar-options_advanced_custom_lazyloading"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=optionsframework&#038;tab=of-option-lazyloading">Lazy Loading</a>		</li>
		<li id="wp-admin-bar-options_advanced_site_loader"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=optionsframework&#038;tab=of-option-siteloader">Site Loader</a>		</li>
		<li id="wp-admin-bar-options_advanced_site_search"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=optionsframework&#038;tab=of-option-sitesearch">Site Search</a>		</li>
		<li id="wp-admin-bar-options_advanced_google_apis"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=optionsframework&#038;tab=of-option-googleapis">Google APIs</a>		</li>
		<li id="wp-admin-bar-options_advanced_maintenance"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=optionsframework&#038;tab=of-option-maintenancemode">Maintenance</a>		</li>
		<li id="wp-admin-bar-options_advanced_404"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=optionsframework&#038;tab=of-option-404page">404 Page</a>		</li>
		<li id="wp-admin-bar-options_advanced_custom_fonts"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=optionsframework&#038;tab=of-option-customfonts">Custom Fonts</a>		</li>
		<li id="wp-admin-bar-options_advanced_catalog_mode"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=optionsframework&#038;tab=of-option-catalogmode">Catalog Mode</a>		</li>
		<li id="wp-admin-bar-options_advanced_infinite_scroll"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=optionsframework&#038;tab=of-option-infinitescroll">Infinite Scroll</a>		</li>
		<li id="wp-admin-bar-options_advanced_portfolio"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=optionsframework&#038;tab=of-option-portfolio">Portfolio</a>		</li>
		<li id="wp-admin-bar-options_advanced_woocommerce"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=optionsframework&#038;tab=of-option-woocommerce">WooCommerce</a>		</li>
		<li id="wp-admin-bar-options_advanced_integrations"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=optionsframework&#038;tab=of-option-integrations">Integrations</a>		</li>
		<li id="wp-admin-bar-options_advanced_backup"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=optionsframework&#038;tab=of-option-backupandimport">Backup / Import</a>		</li></ul></div>		</li>
		<li id="wp-admin-bar-flatsome_panel_license"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=flatsome-panel">Theme License</a>		</li>
		<li id="wp-admin-bar-flatsome_panel_support"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=flatsome-panel-support">Help & Guides</a>		</li>
		<li id="wp-admin-bar-flatsome_panel_changelog"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=flatsome-panel-changelog">Change log</a>		</li>
		<li id="wp-admin-bar-flatsome_panel_setup_wizard"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/admin.php?page=flatsome-setup">Setup Wizard</a>		</li></ul></div>		</li>
		<li id="wp-admin-bar-customize" class="hide-if-no-customize"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/customize.php?url=http%3A%2F%2Fwww.test-tfl.com%2Frebate_program%2F">Customize</a>		</li>
		<li id="wp-admin-bar-updates"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/update-core.php" title="3 Plugin Updates, 3 Theme Updates"><span class="ab-icon"></span><span class="ab-label">6</span><span class="screen-reader-text">3 Plugin Updates, 3 Theme Updates</span></a>		</li>
		<li id="wp-admin-bar-comments"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/edit-comments.php"><span class="ab-icon"></span><span class="ab-label awaiting-mod pending-count count-3" aria-hidden="true">3</span><span class="screen-reader-text">3 comments awaiting moderation</span></a>		</li>
		<li id="wp-admin-bar-new-content" class="menupop"><a class="ab-item" aria-haspopup="true" href="http://www.test-tfl.com/wp-admin/post-new.php"><span class="ab-icon"></span><span class="ab-label">New</span></a><div class="ab-sub-wrapper"><ul id="wp-admin-bar-new-content-default" class="ab-submenu">
		<li id="wp-admin-bar-new-post"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/post-new.php">Post</a>		</li>
		<li id="wp-admin-bar-new-media"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/media-new.php">Media</a>		</li>
		<li id="wp-admin-bar-new-page"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/post-new.php?post_type=page">Page</a>		</li>
		<li id="wp-admin-bar-new-blocks"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/post-new.php?post_type=blocks">Block</a>		</li>
		<li id="wp-admin-bar-new-product"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/post-new.php?post_type=product">Product</a>		</li>
		<li id="wp-admin-bar-new-shop_order"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/post-new.php?post_type=shop_order">Order</a>		</li>
		<li id="wp-admin-bar-new-featured_item"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/post-new.php?post_type=featured_item">Portfolio</a>		</li>
		<li id="wp-admin-bar-new-user"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/user-new.php">User</a>		</li></ul></div>		</li>
		<li id="wp-admin-bar-edit" class="menupop"><a class="ab-item" aria-haspopup="true" href="http://www.test-tfl.com/wp-admin/post.php?post=798&#038;action=edit">Edit Page</a><div class="ab-sub-wrapper"><ul id="wp-admin-bar-edit-default" class="ab-submenu">
		<li id="wp-admin-bar-edit_uxbuilder"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/edit.php?page=uxbuilder&#038;post_id=798">Edit with UX Builder</a>		</li></ul></div>		</li></ul><ul id="wp-admin-bar-top-secondary" class="ab-top-secondary ab-top-menu">
		<li id="wp-admin-bar-search" class="admin-bar-search"><div class="ab-item ab-empty-item" tabindex="-1"><form action="http://www.test-tfl.com/" method="get" id="adminbarsearch"><input class="adminbar-input" name="s" id="adminbar-search" type="text" value="" maxlength="150" /><label for="adminbar-search" class="screen-reader-text">Search</label><input type="submit" class="adminbar-button" value="Search"/></form></div>		</li>
		<li id="wp-admin-bar-my-account" class="menupop with-avatar"><a class="ab-item" aria-haspopup="true" href="http://www.test-tfl.com/wp-admin/profile.php">Howdy, <span class="display-name">sharingsunshine</span><img alt='' src='http://1.gravatar.com/avatar/ad0398725f89f015f9acd28476177591?s=26&#038;d=mm&#038;r=g' srcset='http://1.gravatar.com/avatar/ad0398725f89f015f9acd28476177591?s=52&#038;d=mm&#038;r=g 2x' class='avatar avatar-26 photo' height='26' width='26' /></a><div class="ab-sub-wrapper"><ul id="wp-admin-bar-user-actions" class="ab-submenu">
		<li id="wp-admin-bar-user-info"><a class="ab-item" tabindex="-1" href="http://www.test-tfl.com/wp-admin/profile.php"><img alt='' src='http://1.gravatar.com/avatar/ad0398725f89f015f9acd28476177591?s=64&#038;d=mm&#038;r=g' srcset='http://1.gravatar.com/avatar/ad0398725f89f015f9acd28476177591?s=128&#038;d=mm&#038;r=g 2x' class='avatar avatar-64 photo' height='64' width='64' /><span class='display-name'>sharingsunshine</span></a>		</li>
		<li id="wp-admin-bar-edit-profile"><a class="ab-item" href="http://www.test-tfl.com/wp-admin/profile.php">Edit My Profile</a>		</li>
		<li id="wp-admin-bar-logout"><a class="ab-item" href="http://www.test-tfl.com/wp-login.php?action=logout&#038;_wpnonce=470d5f8ee1">Log Out</a>		</li></ul></div>		</li></ul>			</div>
						<a class="screen-reader-shortcut" href="http://www.test-tfl.com/wp-login.php?action=logout&#038;_wpnonce=470d5f8ee1">Log Out</a>
					</div>

		<script type="text/javascript">

jQuery(function() {
	jQuery('#result').text(listCookies);
	jQuery('#cook').click(function(e) {
		e.preventDefault();
		document.cookie = "wantmembership=1; path=/";
		jQuery('#result').text(listCookies);
	});
	
	jQuery('#uncook').click(function(e) {
		e.preventDefault();
		deleteCookie('wantmembership');
		jQuery('#result').text(listCookies);
	});
	
	function deleteCookie(cname) 
	{
		var d = new Date(); //Create an date object
		d.setTime(d.getTime() - (1000*60*60*24)); //Set the time to the past. 1000 milliseonds = 1 second
		var expires = "expires=" + d.toGMTString(); //Compose the expirartion date
		window.document.cookie = cname+"="+"; "+expires;//Set the cookie with name and the expiration date
	}	
	
	function listCookies() {
		var theCookies = document.cookie.split(';');
		var aString = '';
		for (var i = 1 ; i <= theCookies.length; i++) {
			aString += i + ' ' + theCookies[i-1] + "n";
		}
		return aString;
	}	
});

</script><script type="text/javascript">

/*jQuery(function($) {

  $('body').on('change', '[name="shipping_method[0]"]', doPOCheck);
  $('#billing_address_1,#billing_address_2,#shipping_address_1,#shipping_address_2,#ship-to-different-address-checkbox').change(doPOCheck);
  */

jQuery(function($) {
  // ADD THIS TO DO THE PO Check AFTER AJAX IS DONE
  $(document).ajaxStop(function() {
    doPOCheck();
  });
  /* REMOVE LINE 4 FROM YOUR CODE */
//  $('body').on('change', '[name="shipping_method[0]"]', doPOCheck);
  $('#billing_address_1,#billing_address_2,#shipping_address_1,#shipping_address_2,#ship-to-different-address-checkbox').change(doPOCheck);


  function doPOCheck ()
  {
    // Only proceed if we UPS is checked
//   if ($('#shipping_method_0_132643').is(':checked'){
if ($('#shipping_method_0_132643, #shipping_method_0_132615, #shipping_method_0_132639, #shipping_method_0_132642, #shipping_method_0_132640,#shipping_method_0_132641').is(':checked')) {
 if ($('#ship-to-different-address-checkbox').is(':checked')) {
        ad1 = $('#shipping_address_1').val();
        ad2 = $('#shipping_address_2').val();
      }
      else {
        ad1 = $('#billing_address_1').val();
        ad2 = $('#billing_address_2').val();
      }
      if (hasPOBox(ad1, ad2)) {

    
showPoError();

  }

      else {
        hidePoError();
      }
    }
	else {
	  hidePoError();
	}
  }
  
  function showPoError() 
  {
    var msg ='<div class="pobox-error woocommerce-NoticeGroup woocommerce-NoticeGroup-checkout"><ul class="woocommerce-error message-wrapper" role="alert"><li><div class="message-container container alert-color medium-text-center"><span class="message-icon icon-close"></span> <strong>UPS can not send to PO Box.</strong></div></li></ul></div>';
    if(!jQuery('.pobox-error').length) {
      $('#place_order').after(msg);
    }
  }

  function hidePoError(){
    $('.pobox-error').remove();
  }
  // This now becomes generic for billing and shipping
  function hasPOBox(ad1, ad2)
  {
    ad1 = ad1.replace(/[^A-Z]/gi,'').substr(0,5).toLowerCase();
    ad2 = ad2.replace(/[^A-Z]/gi,'').substr(0,5).toLowerCase();

    return (ad1=='pobox' || ad2=='pobox');
 }
});

</script>
</body>
</html>

Open in new window

Not sure if your last post means you are working or still have an issue?
This is my issue -
Now I am trying to read the value in my function and it seems my logic may be incorrect.  Since, I can't get the echo to show up.

Open in new window



My last post was giving you the source code and explaining why I substituted jQuery for the "$" sign.

So, please help with the php to test for the cookie and its value.
Ok, I am still confused about where we are.

You said you changed $ to jQuery - I am assuming that fixed the client.

You are saying something about the echo not showing up - but your last post was HTML (front end code).

So I don't know where we are with this.
this is a copy of the php code I posted above


This is what isn't working.

Now I am trying to read the value in my function and it seems my logic may be incorrect.  Since, I can't get the echo to show up.

add_action ('woocommerce_new_order', 'display_member');


function display_member($order_id) {

	if (isset($_COOKIE['wantmembership'])) {
   if ($_COOKIE['wantmembership'] = 1) {
    echo 'YES!';
//if (isset($_COOKIE['wantmembership:1'])) {
    // The user wants membership
//echo "I want membership2";
$order = wc_get_order(  $order_id );

// The text for the note
$note = __("I Want Membership");

// Add the note
$order->add_order_note( $note );

// Save the data
$order->save();
  }
}
}

Open in new window


Right now the cookie is showing on the checkout page but my php logic isn't showing its existence.  I need help with testing for the cookie's existence on the checkout page and if it is present to write a message in the Order Notes box.
Ok so do this at the start of your function.

echo '<pre class="ee_debug" style="display: none">' . print_r($_COOKIE, true) . '</pre>';

Open in new window


Do a View Source on your page.

Search for the text "ee_debug"

Post the results here.
It doesn't show up at all.

Here is my code with your test inserted.

add_action ('woocommerce_new_order', 'display_member');

//echo '<pre class="ee_debug" style="display: none">' . print_r($_COOKIE, true) . '</pre>';
function display_member($order_id) {
echo '<pre class="ee_debug" style="display: none">' . print_r($_COOKIE, true) . '</pre>';
	if (isset($_COOKIE['wantmembership'])) {
   //if ($_COOKIE['wantmembership'] = 1) {
    echo 'YES!';
//if (isset($_COOKIE['wantmembership:1'])) {
    // The user wants membership
//echo "I want membership2";
$order = wc_get_order(  $order_id );

// The text for the note
$note = __("I Want Membership");

// Add the note
$order->add_order_note( $note );

// Save the data
$order->save();
  }
}

Open in new window

Hi,

First check if cookies is set in the browser : using chrome right click  / inspect click on Application tab and select cookies at the right.

Have you checked the link I provided about WP & custom cookies ?
https://premium.wpmudev.org/blog/set-get-delete-cookies/
https://www.wpbeginner.com/wp-tutorials/how-to-set-get-and-delete-wordpress-cookies-like-a-pro/

Cookies are not that easy to us,e this is why I do prefer localstorage...
ASKER CERTIFIED SOLUTION
Avatar of Julian Hansen
Julian Hansen
Flag of South Africa image

Link to home
membership
This solution is only available to members.
To access this solution, you must be a member of Experts Exchange.
Start Free Trial
you were correct

	<pre class="ee_debug" style="display: none">Array
(
    [__stripe_mid] => 64c96aca-233e-4091-a8a5-2eef8b3ffc06
    [wp-settings-69338] => editor=html
    [wp-settings-time-69338] => 1548774822
    [of_current_opt] => #of-option-globalsettings
    [wp_woocommerce_session_ec34ebe84fc325c20ff14f13d4d89876] => ce0f477d8bf01c601d8f3113b3fcc354||1548969520||1548965920||2173822770d04d88ad3a9bfb8abc8cdb
    [wordpress_test_cookie] => WP Cookie check
    [woocommerce_items_in_cart] => 1
    [woocommerce_cart_hash] => f1e39a061842b8f884c91f54c2ab6fba
    [wordpress_logged_in_ec34ebe84fc325c20ff14f13d4d89876] => sharingsunshine|1548972461|sXqfvPjiY96SFwZJOXNyUKODb2YZtd8Vr1h6JHJkCrA|c4b2f47b2eead8b4f23032764afe3babd9932be9183650096fcd334a2d25e95d
    [wantmembership] => 1
    [__stripe_sid] => 43c996d1-f787-45db-b38e-74a122d96ec5
)
</pre>YES!<br />
<b>Fatal error</b>:  Uncaught Error: Call to a member function add_order_note() on boolean in C:\xampp\htdocs\tfl\wp-content\themes\flatsome-child\functions.php:285
Stack trace:
#0 C:\xampp\htdocs\tfl\wp-includes\class-wp-hook.php(286): display_member(Object(WC_Checkout))
#1 C:\xampp\htdocs\tfl\wp-includes\class-wp-hook.php(310): WP_Hook-&gt;apply_filters('', Array)
#2 C:\xampp\htdocs\tfl\wp-includes\plugin.php(453): WP_Hook-&gt;do_action(Array)
#3 C:\xampp\htdocs\tfl\wp-content\plugins\woocommerce\templates\checkout\form-shipping.php(57): do_action('woocommerce_bef...', Object(WC_Checkout))
#4 C:\xampp\htdocs\tfl\wp-content\plugins\woocommerce\includes\wc-core-functions.php(211): include('C:\\xampp\\htdocs...')
#5 C:\xampp\htdocs\tfl\wp-content\plugins\woocommerce\includes\class-wc-checkout.php(269): wc_get_template('checkout/form-s...', Array)
#6 C:\xampp\htdocs\tfl\wp-includes\class-wp-hook.php(286): WC_Checkout-&gt;checkout_form_shipping('')
#7 C:\xampp\htdocs\tfl\wp-includes\class-wp-hook.php(310): WP_Hook-&gt;apply_filters('', Array)
# in <b>C:\xampp\htdocs\tfl\wp-content\themes\flatsome-child\functions.php</b> on line <b>285</b><br />

Open in new window

Ok looks like you solved it - I see the wantmembership COOKIE, your YES is echoed you just need to sort out the add_order_note() error.
Thanks, for your help.  I will post another question on getting the comment into the order notes section.
You are welcome.