Home Oral cavity Services for searching keywords. Improving the relevance of search in sphinxsearch Wood pigeon search php keywords

Services for searching keywords. Improving the relevance of search in sphinxsearch Wood pigeon search php keywords

I have title (varchar), description (text), keywords (varchar) fields in my mysql table.

I kept keywords field as I thought I would be searching in this field only. But I now require to search among all three fields. so for keywords "word1 word2 word3", my query becomes

SELECT * FROM myTable WHERE (name LIKE "%word1%" OR description LIKE "%word1%" OR keywords LIKE "%word1%" OR name LIKE "%word2%" OR description LIKE "%word2%" OR keywords LIKE "% word2%" OR name LIKE "%word3%" OR description LIKE "%word3%" OR keywords LIKE "%word3%") AND status = "live"

Looks a bit messy but this works. But now I need to implement synonym search. so for a given word assuming there are a few synonyms available this query becomes more messy as I loop through all of the words. As the requirements are getting clearer, I will need to join this myTable to some other tables as well.

    Do you think the above way is messy and will cause problems as the data grow?

    How can I avoid above mess? Is there any cleaner solution I can go by? Any example will help me.

  • Is there any other method/technique you can recommend to me?

EDIT

@Peter Stuifzand suggested me that I could create one search_index table and store all 3 fields (title,keyword,desc) info on that and do full text search. I understand that additionally this table will include reference to myTable primary key as well.

But my advanced search may include joining mytable with Category table, geographic_location table (for searching within 10, 20 miles etc), filtering by someother criteria and of course, sorting of search results. Do you think using mysql fulltext will not slow it down?

By Ibrahim Diallo

Published Jul 2 2014 ~ 16 minutes read

Search is an important feature on a website. When my few readers want to look for a particular passage on my blog, they use the search box. It used to be powered by Google Search, but I have since then changed it to my own home-brewed version not because I can do better but because it was an interesting challenge.

If you are in a hurry and just want your site to be searchable, well do what I did before, use Google.

// In search.php file $term = isset($_GET["query"])?$_GET["query"]: ""; $term = urlencode($term); $website = urlencode("www.yourwebsite.com"); $redirect = "https://www.google.com/search?q=site%3A($website)+($term)"; header("Location: $redirect"); exit;

What it does is pretty simple. Get the term passed by the user, and forward it to Google search page. Limit the search result to our current domain using the site: keyword in the search query. All your pages that are indexed by Google will be available through search now. If you do want to handle your search in house however, then keep reading.

Homemade Search Solution

Before we go any further, try using the search box on this blog. It uses the same process that I will describe below. If you feel that this is what you want then please continue reading.

This solution is catered to small websites. I make use of LIKE with wild cards on both ends, meaning your search cannot be indexed. This means the solution will work fine for your blog or personal website that doesn't contain tons of data. Port it to a bigger website and it might become very slow. MySQL offers Full Text Search which is not what we are doing here.

Note: If you have 5000 blog posts you are still fine. .

We will take the structure of this blog as a reference. Each blog post has:

  • A title p_title
  • A url p_url
  • A summary p_summary
  • A post content p_content
  • And catergories category.tagname

For every field that matches with our search term, we will give it a score. The score will be based on the importance of the match:

// the exact term matches is found in the title $scoreFullTitle = 6; // match the title in part $scoreTitleKeyword = 5; // the exact term matches is found in the summary $scoreFullSummary = 5; // match the summary in part $scoreSummaryKeyword = 4; // the exact term matches is found in the content $scoreFullDocument = 4; // match the document in part $scoreDocumentKeyword = 3; // matches a category $scoreCategoryKeyword = 2; // matches the url $scoreUrlKeyword = 1;

Before we get started, there are a few words that do not contribute much to a search that should be removed. Example "in","it","a","the","of" ... . We will filter those out and feel free to add any word you think is irrelevant. Another thing is, we want to limit the length of our query. We don"t want a user to write a novel in the search field and crash our MySQL server.

// Remove unnecessary words from the search term and return them as an array function filterSearchKeys($query)( $query = trim(preg_replace("/(\s+)+/", " ", $query)); $words = array(); // expand this list with your words. $list = array("in","it","a","the","of","or","I","you", "he","me","us","they","she","to","but","that","this","those","then"); $c = 0; foreach(explode(" ", $query) as $key)( if (in_array($key, $list))( continue; ) $words = $key; if ($c >= 15)( break; ) $c++ ; ) return $words; ) // limit words number of characters function limitChars($query, $limit = 200)( return substr($query, 0,$limit); )

Our helper functions can now limit character count and filter useless words. The way we will implement our algorithm is by giving a score every time we find a match. We will match words using the if statement and accumulate points as we match more words. At the end we can use that score to sort our results

Note: I will not be showing how to connect to MySQL database. If you are having problems to efficiently connect to the database I recommend reading this.

Let's give our function a structure first. Note I left placeholders so we can implement sections separately.

Function search($query)( $query = trim($query); if (mb_strlen($query)===0)( // no need for empty search right? return false; ) $query = limitChars($query) ; // Weighing scores $scoreFullTitle = 6; $scoreTitleKeyword = 5; $scoreFullSummary = 5; $scoreSummaryKeyword = 4; $scoreFullDocument = 4; $scoreDocumentKeyword = 3; $scoreCategoryKeyword = 2; $scoreUrlKeyword = 1; $keywords = filterSearchKeys ( $query); $escQuery = DB::escape($query); // see note above to get db object $titleSQL = array(); $sumSQL = array(); $docSQL = array(); $categorySQL = array (); $urlSQL = array(); /** Matching full occurrences PLACE HOLDER **/ /** Matching Keywords PLACE HOLDER **/ $sql = "SELECT p.p_id,p.p_title,p.p_date_published,p. p_url, p.p_summary,p.p_content,p.thumbnail, ((-- Title score ".implode(" + ", $titleSQL).")+ (-- Summary ".implode(" + ", $sumSQL) .")+ (-- document ".implode(" + ", $docSQL).")+ (-- tag/category ".implode(" + ", $categorySQL).")+ (-- url ". implode(" + ", $urlSQL).")) as relevance FROM post p WHERE p.status = "published" HAVING relevance >

In the query, all scores will be summed up as the relevance variable and we can use it to sort the results.

Matching full occurrences

We make sure we have some keywords first then add our query.

If (count($keywords) > 1)( $titleSQL = "if (p_title LIKE "%".$escQuery."%",($scoreFullTitle),0)"; $sumSQL = "if (p_summary LIKE "%" .$escQuery."%",($scoreFullSummary),0)"; $docSQL = "if (p_content LIKE "%".$escQuery."%",($scoreFullDocument),0)"; )

Those are the matches with higher score. If the search term matches an article that contains these, they will have higher chances of appearing on top.

Matching keywords occurrences

We loop through all keywords and check if they match any of the fields. For the category match, I used a sub-query since a post can have multiple categories.

Foreach($keywords as $key)( $titleSQL = "if (p_title LIKE "%.DB::escape($key)."%",($scoreTitleKeyword),0)"; $sumSQL = "if (p_summary LIKE "%".DB::escape($key).."%",($scoreSummaryKeyword),0)"; $docSQL = "if (p_content LIKE "%".DB::escape($key)."% ",($scoreDocumentKeyword),0)"; $urlSQL = "if (p_url LIKE "%".DB::escape($key)."%",($scoreUrlKeyword),0)"; $categorySQL = "if ((SELECT count(category.tag_id) FROM category JOIN post_category ON post_category.tag_id = category.tag_id WHERE post_category.post_id = p.post_id AND category.name = "".DB::escape($key).") > 0,($scoreCategoryKeyword),0)"; )

Also as pointed by a commenter below, we have to make sure that the these variables are not empty arrays or the query will fail.

// Just incase it "s empty, add 0 if (empty($titleSQL))( $titleSQL = 0; ) if (empty($sumSQL))( $sumSQL = 0; ) if (empty($docSQL))( $docSQL = 0; ) if (empty($urlSQL))( $urlSQL = 0; ) if (empty($tagSQL))( $tagSQL = 0; )

At the end the queries are all concatenated and added together to determine the relevance of the post to the search term.

// Remove unnecessary words from the search term and return them as an array function filterSearchKeys($query)( $query = trim(preg_replace("/(\s+)+/", " ", $query)); $words = array(); // expand this list with your words. $list = array("in","it","a","the","of","or","I","you", "he","me","us","they","she","to","but","that","this","those","then"); $c = 0; foreach(explode(" ", $query) as $key)( if (in_array($key, $list))( continue; ) $words = $key; if ($c >= 15)( break; ) $c++ ; ) return $words; ) // limit words number of characters function limitChars($query, $limit = 200)( return substr($query, 0,$limit); ) function search($query)( $query = trim ($query); if (mb_strlen($query)===0)( // no need for empty search right? return false; ) $query = limitChars($query); // Weighing scores $scoreFullTitle = 6; $ scoreTitleKeyword = 5; $scoreFullSummary = 5; $scoreSummaryKeyword = 4; $scoreFullDocument = 4; $scoreDocumentKeyword = 3; $scoreCategoryKeyword = 2; $scoreUrlKeyword = 1; $keywords = filterSearchKeys($query); $escQuery = DB::escape($query); // see note above to get db object $titleSQL = array(); $sumSQL = array(); $docSQL = array(); $categorySQL = array(); $urlSQL = array(); /** Matching full occurrences **/ if (count($keywords) > 1)( $titleSQL = "if (p_title LIKE "%".$escQuery."%",($scoreFullTitle),0)"; $sumSQL = "if (p_summary LIKE "%".$escQuery."%",($scoreFullSummary),0)"; $docSQL = "if (p_content LIKE "%".$escQuery."%",($scoreFullDocument), 0)"; ) /** Matching Keywords **/ foreach($keywords as $key)( $titleSQL = "if (p_title LIKE "%".DB::escape($key)."%",($scoreTitleKeyword ),0)"; $sumSQL = "if (p_summary LIKE "%".DB::escape($key)."%",($scoreSummaryKeyword),0)"; $docSQL = "if (p_content LIKE "% ".DB::escape($key)."%",($scoreDocumentKeyword),0)"; $urlSQL = "if (p_url LIKE "%".DB::escape($key).."%",( $scoreUrlKeyword),0)"; $categorySQL = "if ((SELECT count(category.tag_id) FROM category JOIN post_category ON post_category.tag_id = category.tag_id WHERE post_category.post_id = p.post_id AND category.name = "". DB::escape($key)."") > 0,($scoreCategoryKeyword),0)"; ) // Just incase it"s empty, add 0 if (empty($titleSQL))( $titleSQL = 0; ) if (empty($sumSQL))( $sumSQL = 0; ) if (empty($docSQL))( $docSQL = 0; ) if (empty($urlSQL))( $urlSQL = 0; ) if (empty($tagSQL))( $tagSQL = 0; ) $sql = " SELECT p.p_id,p.p_title,p.p_date_published,p.p_url, p.p_summary,p.p_content,p.thumbnail, ((-- Title score ".implode(" + ", $titleSQL). ")+ (-- Summary ".implode(" + ", $sumSQL).")+ (-- document ".implode(" + ", $docSQL).")+ (-- tag/category ".implode (" + ", $categorySQL).")+ (-- url ".implode(" + ", $urlSQL).")) as relevance FROM post p WHERE p.status = "published" HAVING relevance > 0 ORDER BY relevance DESC,p.page_views DESC LIMIT 25"; $results = DB::query($sql); if (!$results)( return false; ) return $results; )

Now your search.php file can look like this:

$term = isset($_GET["query"])?$_GET["query"]: ""; $search_results = search($term); if (!$search_results) ( echo "No results"; exit; ) // Print page with results here.

We created a simple search algorithm that can handle a fair amount of content. I arbitrarily chose the score for each match, feel free to tweak it to something that works best for you. And there is always room for improvement.

It is a good idea to track the search term coming from your users, this way you can see if most users search for the same thing. If there is a pattern, then you can save them a trip and just cache the results using Memcached.

If you want to see this search algorithm in action, go ahead and try looking for an article on the search box on top of the page. I have added extra features like returning the part where the match was found in the text. Feel free to add features to yours.

Did you like this article? You can subscribe to read more awesome ones. .

On a related note, here are some interesting articles.

It is time to deal with mysql_* functions once and for all. These methods are deprecated and slow. The time to upgrade has long passed yet we still see it everywhere. Since I cannot force every author to update their tutorial and blogs, I decided to write a post to hopefully rank better and provide the essential information to help new comers.

Making your own website shouldn't be too difficult. Hosting companies like Godaddy or Hostgator make it super easy for anyone to get started; they allow you to create a whole website without ever writing code. For most people, it is plenty to run a WordPress blog. If this is what you are looking for you should head to Godaddy.com right now. We are done here. But on the other hand, if you want to have control and not be limited by the short comings of a shared hosting without busting your wallet, you have come to the right place.

Vim is my favorite text editor on the terminal. After playing for a little while with nano and emacs, I finally settled with vim for its simplicity (bare with me please). Although it can be customized and used like an entire IDE, I use it mostly for editing files on my servers and making small but crucial changes. Let's not get into Editor war and get started.

Comments(45)

Zaryel Aug 12 2015:

Ian Mustafa Sep 26 2015:

Rob Sep 29 2015:

adeem Feb 11 2016:

Ivan Venediktov Apr 9 2016.

Of course, everyone who has at least some idea of ​​search engine promotion knows about the meaning of meta tags. Everyone is aware of the importance of title, description, h1-h6, alt and other tags. No one denies that they affect website optimization. But search engines have an ambivalent attitude towards one of the tags - the keywords tag.

In recent years, there has been a heated debate on the Internet that continues to this day: is it worth using the keywords meta tag at all? Unfortunately, no one can still give an exact answer. Let's consider different points of view and try to understand this issue.

What are keywords?

Keywords are keywords (no more than 20 for one page of the site) corresponding to the content of the page.

In the page code this meta tag looks like this:





Initially, the tag had a significant impact on the relevance of the site’s pages, and consequently on the site’s ranking in the top positions of search engines.

Knowing this, the site owners began to cheat - abuse keywords or add a large number of inappropriate words to this tag. And the search engines discovered this quite quickly.

What is happening now?

As they say, from one extreme to another: as a result, search engines stopped attaching any meaning to this tag at all.

Yandex

Yandex representatives stated the following about keywords: “...may be taken into account when determining whether a page is relevant to search queries”.

Please note that the keyword here is Maybe. After all Maybe doesn't mean at all taken into account.

Google

The system leaves no doubts and gives no grounds for thought. Everything is concise and clear here: “We don’t use keywords meta-tag in a search-ranking”, “Google has ignored the keywords meta tag for years and currently we see no need to change that policy”.

“We do not use the keywords meta tag in search rankings”, “Google has ignored the keywords meta tag for many years, and there is currently no need to change this policy”.

Rambler, Yahoo, Mail.ru

They share the opinion of Google and believe that the keywords meta tag has exhausted its usefulness. Therefore, it is not taken into account by these search engines at all.

But why do many people still use keywords?

Most likely, this is due to Yandex’s ambiguous wording about the tag. The logic of site owners is this: if there is hope that Yandex will take the tag into account, and Google, Rambler, Yahoo and Mail.ru are neutral about the meta tag, then filling it out will not make things worse.

What if it does?

There is an opinion among optimizers that filling in the keywords tag can be harmful. If search engines do not consider a tag as a tag, then the text included in it is read as regular site text. And if you have already used these keys in other tags and in the body of the text, then there is a risk of “overspamming” the page with keys. Well, overspam (excessive nausea) can get you under the filter.

1PS point of view

So far we have described the general situation and the different opinions on the issue. Everyone has their own point of view. Our point is that it is better not to fill in the keywords tag. There is definitely no benefit from it, but there is still a risk of falling under the filter.

It’s better to promote your website with the right content and tags , <H>, <alt>and other methods of technical optimization. By the way, most of these techniques are taken into account in the Search Engine Promotion service.</p> <p>P.S. Good luck in promoting your resource.</p> <p>We help a variety of clients with their internet marketing and websites, and one question we often get is “How do you add keywords to a website?” You might picture us adding extremely complicated formulas and codes into a computer screen.</p> <p>But the truth is the basics are easier than you might think. We even teach our clients that manage their own business blogs how to keyword their website pages so that they can be found on search engines easier. The goal of this blog article is to teach you some fundamentals on how to add keywords to a website. Not sure you wan"t to put in the time? Take a look at our SEO Services here, we would be happy to help you.</p> <h2>Why Should You Know How to Add Keywords to a Website?</h2> <p>By learning how to add keywords to a website you will be able to keyword your own blogs, website pages, and other internet marketing materials. You will also gain context for why SEO is so important for your business.</p> <h3>How Can Adding Keywords to My Website Help My Business?</h3> <p>Adding keywords to your website helps search engines understand what your website can offer someone searching, and ultimately bring you more qualified traffic. How? With identifiers, like keywords. <b>Without Keywords on your website pages there is no way for a search engine to categorize your website and show it to the right people searching</b>.Think of it this way, a well written paper has a thesis, and supporting arguments that relate to the thesis. Readers of well written papers have a clear understanding of what the subject is and what the paper is about. This is the same theory behind Google and other search engines. In fact two students from Stanford created Google with this same idea in mind.</p> <p>A well made website has a main subject, and often has sub categories that relate to the main subject, and by keywording each of these areas we are able to give a clear picture to search engines, and people searching are able to find you more easily . For example:</p> <p><b>Your Main Subject Might Be:</b> Doughnuts</p> <p><b>Your Sub-Categories or Topics Could Be:</b> Cake, Dougnut Holes, Bars,…</p> <h4>Choosing Keywords for Your Website</h4> <p>Now that you understand the framework of a site and how it matters it’s time to choose keywords. How? We use a number of tools and perform extensive research for our keywords; however one tool that is free is the Google Keyword Tool. Simply input your location information and category, then type in the main subject of your website. The tool will generate a number of keywords, and give you stats like these:</p> <p><b>Competition:</b>(Low, Med, High) This tells you how many people are trying to keyword for that word or phrase. The higher the competition the more difficult it is to rank high in Google for that search term.</p> <p><b>Global Monthly Volume:</b> </span> How many searches are made per month globally for that term.</p> <p><b>Local Monthly:</b> Is determined by the information you put into your search. If you specified your location as the U.S. then it would be the number of monthly searches for that term in the U.S.</p> <p>While this tool is easy to use, all keywords are not treated the same. In fact some keywords bring you more traffic than others, and some might bring you a lot of traffic that never converts. This is why we highly recommend business owners hiring an agency that is educated in SEO and keywording to help them with their internet marketing.</p> <h3>How Many Keywords Do I Need to Add Per Page?</h3> <p>After you have conducted your keyword research you will need to choose <b>one keyword</b> for each of your website pages or blogs. Keywords should be specific to the page topic and relate to your overall website subject.</p> <p><b>Example of Good Keyword Choice:</b></p> <p><i>Main Website Theme:</i> Donut</p> <p><i>Website Page:</i> Maple Donut</p> <p><i>Assigned Keyword:</i> Best Maple Donut</p> <p><b>Example of Bad Keyword Choice:</b></p> <p><i>Main Website Theme:</i> Donut</p> <p><i>Website Page:</i> Maple Donut</p> <p><i>Assigned Keyword:</i> Donut recipes</p> <h3>How to Add Keywords to Your Website Page:</h3> <p>When adding keywords to your website, it is important to include your keyword in 6 places on each page of your website. Including your keyword in these 6 areas will help search engines identify the subject of your page and rank your page in search results.</p> <ol><li>Page Title</li> <li>Meta Description</li> <li>Header</li> <li>Sub Header</li> <li>Body Paragraphs</li> <li>Image Alt Tags</li> </ol><p><b>Page Title & Meta Description:</b></p> <p>Page Titles & Meta Descriptions are a more technical part of keywording your website. However, it is important to recognize how valuable they can be for your internet marketing efforts. What are Page Titles & Meta Descriptions? These parts of your website page actually show up in search results, they are the first impression a searcher gets of your website page.</p> <p><img src='https://i0.wp.com/blog.halfabubbleout.com/hs-fs/hub/215313/file-29901144-png/blog-images/search-example-resized-600.png' align="Center" width="100%" loading=lazy loading=lazy></p> <p>If you do not have access to your website Page Titles or Meta Descriptions then it will be important to check with your website management company that those areas are filled out correctly for SEO.</p> <p><b>Headers:</b></p> <p>Headers are a lot like billboards for search engines. They are one of the biggest ways to show search engines what your main subject is for your page. It is important that you include your entire keyword in your header.</p> <p><b>Sub-Headers:</b></p> <p>Sub-headers are another area to tell search engines what you want the website page to be found for. Think of this area as real-estate, if you don’t try to include your keywords in the sub-header then you are missing out.</p> <p><b>Body Paragraph:</b></p> <p>When writing the body content for your website page you should try to include your keyword, or at least parts of your keyword. Remember to keep your writing natural, search engines will actually penalize you if your writing over stuffs keywords and appears unnatural. When you first try to write with keywords you might find it difficult, but keep practicing! It really does get easier, and you will get better at shaping your content for adding keywords.</p> <p><b>Image Alt Tags:</b></p> <p>Images are a great addition to any webpage, in fact they can even help search engines rank you. Alt tags are essentially a label that you assign to your image so that search engines can read the image. If you don’t use Alt tags for images then search engines will not see it. By keywording these images Alt Tags you are telling search engines "I used a picture and it relates to the subject of my page."</p> <p>There you have it, now you know the basics of how to add keywords to a website. We know it looks daunting, but if you have the time to write your own blogs or website content, then we highly recommend you use some of the tips listed above. These tactics can bring you more traffic to your website, and help qualify your website leads. That means no wasted visits and more customers for your business.</p> <p><i>If you found this article helpful in anyway please ‘share’ it with a friend.</i></p></p> <p>I have already been asked several times to write an article about <b>how to implement search on a website using PHP</b>. This is not an easy task, I would even say very difficult, since there are a huge number of nuances and obstacles. In this article I will analyze <b>website search algorithm</b>.</p> <p>Let's assume that our website has a lot of different materials (articles, news, notes, etc.). All this stuff is in the database. And our task is <b>implement search on the site</b>. The simplest algorithm is the following:</p> <ol><li>Create <b>HTML form</b> with a search bar, as well as a " button <b>Submit</b>". Users will enter a search query in the text field, and then click on the button.</li> <li>Get the search query (usually passed by the method <b>GET</b>, but sometimes they also use <b>POST</b>), and also, in order to protect against <b>XSS</b>, pass it through the function <b>htmlspecialchars()</b>.</li> <li>Make a selection from the corresponding tables (with articles, news, notes, etc.) of those records that contain the search query. I show an example SQL query for such cases: SELECT * FROM articles WHERE `text_article` LIKE %search% Accordingly, instead of <b>search</b> the search string is substituted.</li> <li>Having received the records, we display them in the required form, preferably by relevance. For example, I did this on my website: where there are the most matches, that article is the most relevant, therefore, I put it first. Most likely, this method of assessing relevance will also suit you.</li> </ol><p>Many of you will say that there is nothing complicated here. And they will be partly right, however, let's look at this example of a search string: " <b>I'm looking for this text</b>". The question arises: " <i>What exactly are you looking for?</i>". Either the exact occurrence of the text is being searched" <b>I'm looking for this text</b>". Or, perhaps, a text is searched where all three words are present, but which may not follow each other. Or, perhaps, a text is searched where at least one of these words is present.</p> <p>And this is where the task becomes significantly more complicated. You can create a complex syntax system (as in search engines), for example, an exact occurrence is searched if the query is specified in quotes. And you can give users a choice of exactly how they want to conduct the search (using radio buttons). This is how it was done on my website. Therefore, one more point is added to the previous algorithm: <b>compiling an SQL query</b>. Here is an example of an SQL query when you need to pull out all materials that contain at least one word from the query " <b>I'm looking for this text</b>":</p><p>SELECT * FROM articles WHERE (`text_article` LIKE "%looking for%" OR `text_article` LIKE "%this%" OR `text_article` LIKE "%text%")</p><p>Accordingly, in the search script you should generate similar <b>SQL queries</b>, send to the database, receive a response and output it. This gets even more complicated if you're displaying posts by relevance, since it's hard to tell right away which should be more relevant: <b>3 </b> exact occurrences of the request, or <b>10 </b> occurrences of query parts. On my site, preference is always given to exact occurrences, but this point is already quite controversial. Of course, this is difficult, and if you are doing this for the first time, you will definitely spend several hours. I hope mine <b>algorithm for implementing website search via PHP</b> It will help you.</p> <script type="text/javascript"> <!-- var _acic={dataProvider:10};(function(){var e=document.createElement("script");e.type="text/javascript";e.async=true;e.src="https://www.acint.net/aci.js";var t=document.getElementsByTagName("script")[0];t.parentNode.insertBefore(e,t)})() //--> </script><br> <br> <script>document.write("<img style='display:none;' src='//counter.yadro.ru/hit;artfast_after?t44.1;r"+ escape(document.referrer)+((typeof(screen)=="undefined")?"": ";s"+screen.width+"*"+screen.height+"*"+(screen.colorDepth? screen.colorDepth:screen.pixelDepth))+";u"+escape(document.URL)+";h"+escape(document.title.substring(0,150))+ ";"+Math.random()+ "border='0' width='1' height='1' loading=lazy loading=lazy>");</script> </div> </article> <script> var block_td_uid_7_5a5dcf40018b6 = new tdBlock(); block_td_uid_7_5a5dcf40018b6.id = "td_uid_7_5a5dcf40018b6"; block_td_uid_7_5a5dcf40018b6.atts = '{ "limit":3,"sort":"","post_ids":"","tag_slug":"","autors_id":"","installed_post_types":"","category_id":"","category_ids":"","custom_title":"","custom_url":"","show_child_cat":"","sub_cat_ajax":"","ajax_pagination":"next_prev","header_color":"","header_text_color":"","ajax_pagination_infinite_stop":"","td_column_number":3,"td_ajax_preloading":"","td_ajax_filter_type":"td_custom_related","td_ajax_filter_ids":"","td_filter_default_txt":"\u0412\u0441\u0435","color_preset":"","border_top":"","class":"td_uid_7_5a5dcf40018b6_rand","el_class":"","offset":"","css":"","live_filter":"cur_post_same_categories","live_filter_cur_post_id":1538,"live_filter_cur_post_author":"5"} '; block_td_uid_7_5a5dcf40018b6.td_column_number = "3"; block_td_uid_7_5a5dcf40018b6.block_type = "td_block_related_posts"; block_td_uid_7_5a5dcf40018b6.post_count = "3"; block_td_uid_7_5a5dcf40018b6.found_posts = "67"; block_td_uid_7_5a5dcf40018b6.header_color = ""; block_td_uid_7_5a5dcf40018b6.ajax_pagination_infinite_stop = ""; block_td_uid_7_5a5dcf40018b6.max_num_pages = "23"; tdBlocksArray.push(block_td_uid_7_5a5dcf40018b6); </script> <div class="td_block_wrap td_block_related_posts td_uid_7_5a5dcf40018b6_rand td_with_ajax_pagination td-pb-border-top" data-td-block-uid="td_uid_7_5a5dcf40018b6"> <div id=td_uid_7_5a5dcf40018b6 class="td_block_inner"> <div class="td-related-row"> <div class="td-related-span4"> <div class="td_module_related_posts td-animation-stack td_mod_related_posts"> <div class="td-module-image"> <div class="td-module-thumb"><a href="https://stomatp22.ru/en/50-psalom-carya-davida-obyasneniya-cerkovnyh-i-domashnih-molitv-tolkovanie.html" rel="bookmark" title="Explanations of church and home prayers"><img width="238" height="178" class="entry-thumb" src="/uploads/7f139d9d952dc53e20f8159a9a8cf9b5.jpg" sizes="(max-width: 238px) 100vw, 238px" alt="Explanations of church and home prayers" title="Explanations of church and home prayers"/ loading=lazy loading=lazy></a></div> <a href="https://stomatp22.ru/en/category/pulpitis/" class="td-post-category">Pulpitis</a> </div> <div class="item-details"> <h3 class="entry-title td-module-title"><a href="https://stomatp22.ru/en/50-psalom-carya-davida-obyasneniya-cerkovnyh-i-domashnih-molitv-tolkovanie.html" rel="bookmark" title="Explanations of church and home prayers">Explanations of church and home prayers</a></h3> </div> </div> </div> <div class="td-related-span4"> <div class="td_module_related_posts td-animation-stack td_mod_related_posts"> <div class="td-module-image"> <div class="td-module-thumb"><a href="https://stomatp22.ru/en/tolkovanie-evangeliya-ot-matfeya-10-glava-bolshaya-hristianskaya-biblioteka.html" rel="bookmark" title="Great Christian Library"><img width="238" height="178" class="entry-thumb" src="/uploads/4004759e93cae1ae92ad3f2945e58fe4.jpg" sizes="(max-width: 238px) 100vw, 238px" alt="Great Christian Library" title="Great Christian Library"/ loading=lazy loading=lazy></a></div> <a href="https://stomatp22.ru/en/category/pulpitis/" class="td-post-category">Pulpitis</a> </div> <div class="item-details"> <h3 class="entry-title td-module-title"><a href="https://stomatp22.ru/en/tolkovanie-evangeliya-ot-matfeya-10-glava-bolshaya-hristianskaya-biblioteka.html" rel="bookmark" title="Great Christian Library">Great Christian Library</a></h3> </div> </div> </div> <div class="td-related-span4"> <div class="td_module_related_posts td-animation-stack td_mod_related_posts"> <div class="td-module-image"> <div class="td-module-thumb"><a href="https://stomatp22.ru/en/obnaruzhili-staruyu-obgorevshuyu-cerkovnuyu-svechu-magiya-cerkovnoi-svechi-s-chem.html" rel="bookmark" title="Found an old burnt church candle"><img width="238" height="178" class="entry-thumb" src="/uploads/c7ecb86945ab20eabb1edc34b767d70d.jpg" sizes="(max-width: 238px) 100vw, 238px" alt="Found an old burnt church candle" title="Found an old burnt church candle"/ loading=lazy loading=lazy></a></div> <a href="https://stomatp22.ru/en/category/orthopedics/" class="td-post-category">Orthopedics</a> </div> <div class="item-details"> <h3 class="entry-title td-module-title"><a href="https://stomatp22.ru/en/obnaruzhili-staruyu-obgorevshuyu-cerkovnuyu-svechu-magiya-cerkovnoi-svechi-s-chem.html" rel="bookmark" title="Found an old burnt church candle">Found an old burnt church candle</a></h3> </div> </div> </div> </div> </div> <div class="td-next-prev-wrap"><a href="#" class="td-ajax-prev-page ajax-page-disabled" id="prev-page-td_uid_7_5a5dcf40018b6" data-td_block_id="td_uid_7_5a5dcf40018b6"><i class="td-icon-font td-icon-menu-left"></i></a><a href="#" class="td-ajax-next-page" id="next-page-td_uid_7_5a5dcf40018b6" data-td_block_id="td_uid_7_5a5dcf40018b6"><i class="td-icon-font td-icon-menu-right"></i></a></div> </div> </div> </div> <div class="td-pb-span4 td-main-sidebar"> <div class="td-ss-main-sidebar"> <div class="td_block_wrap td_block_9 td_block_widget td_uid_12_5a5dcf7cac471_rand td-pb-border-top" data-td-block-uid="td_uid_12_5a5dcf7cac471"> <style scoped> .td_uid_12_5a5dcf7cac471_rand .td_module_wrap:hover .entry-title a, .td_uid_12_5a5dcf7cac471_rand .td-load-more-wrap a:hover, .td_uid_12_5a5dcf7cac471_rand .td_quote_on_blocks, .td_uid_12_5a5dcf7cac471_rand .td-wrapper-pulldown-filter .td-pulldown-filter-display-option:hover, .td_uid_12_5a5dcf7cac471_rand .td-wrapper-pulldown-filter a.td-pulldown-filter-link:hover, .td_uid_12_5a5dcf7cac471_rand .td-instagram-user a { color: #1360a1; } .td_uid_12_5a5dcf7cac471_rand .td-next-prev-wrap a:hover i { background-color: #1360a1; border-color: #1360a1; } .td_uid_12_5a5dcf7cac471_rand .td_module_wrap .td-post-category:hover, .td_uid_12_5a5dcf7cac471_rand .td-trending-now-title, .td_uid_12_5a5dcf7cac471_rand .block-title span, .td_uid_12_5a5dcf7cac471_rand .td-weather-information:before, .td_uid_12_5a5dcf7cac471_rand .td-weather-week:before, .td_uid_12_5a5dcf7cac471_rand .td-exchange-header:before, .td_uid_12_5a5dcf7cac471_rand .block-title a { background-color: #1360a1; } .td_uid_12_5a5dcf7cac471_rand .td-trending-now-title, .td_uid_12_5a5dcf7cac471_rand .block-title span, .td_uid_12_5a5dcf7cac471_rand .block-title a { color: #fff; } </style> <h4 class="block-title"><span>New on the site</span></h4> <div id=td_uid_12_5a5dcf7cac471 class="td_block_inner"> <div class="td-block-span12"> <div class="td_module_8 td_module_wrap"> <div class="item-details"> <h3 class="entry-title td-module-title"><a href="https://stomatp22.ru/en/razrushenie-otnoshenii-runami-silnyi-runicheskii-otvorot.html" rel="bookmark" title="Strong runic lapel Runes for destroying relationships with a rival reviews">Strong runic lapel Runes for destroying relationships with a rival reviews</a></h3> <div class="meta-info"> </div> </div> </div> </div> <div class="td-block-span12"> <div class="td_module_8 td_module_wrap"> <div class="item-details"> <h3 class="entry-title td-module-title"><a href="https://stomatp22.ru/en/ssora-v-29-lunnyi-den-lunnyi-den-rozhdeniya-harakteristika-teh-kto.html" rel="bookmark" title="Quarrel on the 29th lunar day. Lunar birthday. Characteristics of those born on the twenty-ninth lunar day">Quarrel on the 29th lunar day. Lunar birthday. Characteristics of those born on the twenty-ninth lunar day</a></h3> <div class="meta-info"> </div> </div> </div> </div> <div class="td-block-span12"> <div class="td_module_8 td_module_wrap"> <div class="item-details"> <h3 class="entry-title td-module-title"><a href="https://stomatp22.ru/en/skolko-budet-nahoditsya-moshchi-nikolaya-chudotvorca-moshchi-svyatitelya-nikolaya.html" rel="bookmark" title="Relics of St. Nicholas the Wonderworker">Relics of St. Nicholas the Wonderworker</a></h3> <div class="meta-info"> </div> </div> </div> </div> <div class="td-block-span12"> <div class="td_module_8 td_module_wrap"> <div class="item-details"> <h3 class="entry-title td-module-title"><a href="https://stomatp22.ru/en/chto-nuzhno-govorit-vo-vremya-china-proshcheniya-liturgika-uchebnoe.html" rel="bookmark" title="What to say during the rite of forgiveness">What to say during the rite of forgiveness</a></h3> <div class="meta-info"> </div> </div> </div> </div> <div class="td-block-span12"> <div class="td_module_8 td_module_wrap"> <div class="item-details"> <h3 class="entry-title td-module-title"><a href="https://stomatp22.ru/en/sobor-arhistratiga-mihaila-i-prochih-nebesnyh-sil-besplotnyh.html" rel="bookmark" title="The meaning of the word cherub What is a cherub">The meaning of the word cherub What is a cherub</a></h3> <div class="meta-info"> </div> </div> </div> </div> </div> </div> <div class="td_block_wrap td_block_8 td_block_widget td_uid_19_5a5dcf7cb72c3_rand td-pb-border-top" data-td-block-uid="td_uid_19_5a5dcf7cb72c3"> <style scoped> .td_uid_19_5a5dcf7cb72c3_rand .td_module_wrap:hover .entry-title a, .td_uid_19_5a5dcf7cb72c3_rand .td-load-more-wrap a:hover, .td_uid_19_5a5dcf7cb72c3_rand .td_quote_on_blocks, .td_uid_19_5a5dcf7cb72c3_rand .td-wrapper-pulldown-filter .td-pulldown-filter-display-option:hover, .td_uid_19_5a5dcf7cb72c3_rand .td-wrapper-pulldown-filter a.td-pulldown-filter-link:hover, .td_uid_19_5a5dcf7cb72c3_rand .td-instagram-user a { color: #1360a1; } .td_uid_19_5a5dcf7cb72c3_rand .td-next-prev-wrap a:hover i { background-color: #1360a1; border-color: #1360a1; } .td_uid_19_5a5dcf7cb72c3_rand .td_module_wrap .td-post-category:hover, .td_uid_19_5a5dcf7cb72c3_rand .td-trending-now-title, .td_uid_19_5a5dcf7cb72c3_rand .block-title span, .td_uid_19_5a5dcf7cb72c3_rand .td-weather-information:before, .td_uid_19_5a5dcf7cb72c3_rand .td-weather-week:before, .td_uid_19_5a5dcf7cb72c3_rand .td-exchange-header:before, .td_uid_19_5a5dcf7cb72c3_rand .block-title a { background-color: #1360a1; } .td_uid_19_5a5dcf7cb72c3_rand .td-trending-now-title, .td_uid_19_5a5dcf7cb72c3_rand .block-title span, .td_uid_19_5a5dcf7cb72c3_rand .block-title a { color: #fff; } </style> > <h4 class="block-title"><span>Most popular</span></h4> <div id=td_uid_19_5a5dcf7cb72c3 class="td_block_inner"> <div class="td-block-span12"> <div class="td_module_7 td_module_wrap td-animation-stack"> <div class="td-module-thumb"><a href="https://stomatp22.ru/en/prepodobnyi-lev-optinskii-uchenie-o-vechnoi-zhizni-prepodobnyi-lev-optinskii.html" rel="bookmark" title="Venerable Leo, Optina"><img width="100" height="75" class="entry-thumb" src="/uploads/f4f9b3cd10ca433533f7f6ea21d8d22a.jpg" sizes="(max-width: 100px) 100vw, 100px" alt="Venerable Leo, Optina" title="Venerable Leo, Optina"/ loading=lazy loading=lazy></a></div> <div class="item-details"> <h3 class="entry-title td-module-title"><a href="https://stomatp22.ru/en/prepodobnyi-lev-optinskii-uchenie-o-vechnoi-zhizni-prepodobnyi-lev-optinskii.html" rel="bookmark" title="Venerable Leo, Optina">Venerable Leo, Optina</a></h3> <div class="meta-info"> </div> </div> </div> </div> <div class="td-block-span12"> <div class="td_module_7 td_module_wrap td-animation-stack"> <div class="td-module-thumb"><a href="https://stomatp22.ru/en/michurinskaya-i-morshanskaya-rozhdestvenskoe-poslanie-episkopa.html" rel="bookmark" title="Christmas message from Bishop Hermogen of Michurin and Morsha"><img width="100" height="75" class="entry-thumb" src="/uploads/1aac6d082d52f2967e34125090b7f838.jpg" sizes="(max-width: 100px) 100vw, 100px" alt="Christmas message from Bishop Hermogen of Michurin and Morsha" title="Christmas message from Bishop Hermogen of Michurin and Morsha"/ loading=lazy loading=lazy></a></div> <div class="item-details"> <h3 class="entry-title td-module-title"><a href="https://stomatp22.ru/en/michurinskaya-i-morshanskaya-rozhdestvenskoe-poslanie-episkopa.html" rel="bookmark" title="Christmas message from Bishop Hermogen of Michurin and Morsha">Christmas message from Bishop Hermogen of Michurin and Morsha</a></h3> <div class="meta-info"> </div> </div> </div> </div> <div class="td-block-span12"> <div class="td_module_7 td_module_wrap td-animation-stack"> <div class="td-module-thumb"><a href="https://stomatp22.ru/en/arhimandrit-ieronim-arhimandrit-ieronim-shurygin-molyus-chtoby-gospod.html" rel="bookmark" title="Archimandrite Jerome (Shurygin): “I pray that the Lord will grant me love Jerome Shurygin biography"><img width="100" height="75" class="entry-thumb" src="/uploads/7cd4af1f004d6e18275561b7f89830e2.jpg" sizes="(max-width: 100px) 100vw, 100px" alt="Archimandrite Jerome (Shurygin): “I pray that the Lord will grant me love Jerome Shurygin biography" title="Archimandrite Jerome (Shurygin): “I pray that the Lord will grant me love Jerome Shurygin biography"/ loading=lazy loading=lazy></a></div> <div class="item-details"> <h3 class="entry-title td-module-title"><a href="https://stomatp22.ru/en/arhimandrit-ieronim-arhimandrit-ieronim-shurygin-molyus-chtoby-gospod.html" rel="bookmark" title="Archimandrite Jerome (Shurygin): “I pray that the Lord will grant me love Jerome Shurygin biography">Archimandrite Jerome (Shurygin): “I pray that the Lord will grant me love Jerome Shurygin biography</a></h3> <div class="meta-info"> </div> </div> </div> </div> <div class="td-block-span12"> <div class="td_module_7 td_module_wrap td-animation-stack"> <div class="td-module-thumb"><a href="https://stomatp22.ru/en/kvest-dlya-detei-na-ulice---komandnaya-igra-s-poiskom-spryatannogo-syurpriza-vo.html" rel="bookmark" title="Interesting quest tasks"><img width="100" height="75" class="entry-thumb" src="/uploads/195a4d499d299b69ea9dd2f5bac1bb03.jpg" sizes="(max-width: 100px) 100vw, 100px" alt="Interesting quest tasks" title="Interesting quest tasks"/ loading=lazy loading=lazy></a></div> <div class="item-details"> <h3 class="entry-title td-module-title"><a href="https://stomatp22.ru/en/kvest-dlya-detei-na-ulice---komandnaya-igra-s-poiskom-spryatannogo-syurpriza-vo.html" rel="bookmark" title="Interesting quest tasks">Interesting quest tasks</a></h3> <div class="meta-info"> </div> </div> </div> </div> <div class="td-block-span12"> <div class="td_module_7 td_module_wrap td-animation-stack"> <div class="td-module-thumb"><a href="https://stomatp22.ru/en/zarubezhnye-skazochniki-zarubezhnye-skazochniki-skazki-i-rasskazy-zarubezhnyh.html" rel="bookmark" title="Foreign storytellers Tales and stories of foreign writers"><img width="100" height="75" class="entry-thumb" src="/uploads/2cf884bfa4ee2db9a05a77fe93f5be8f.jpg" sizes="(max-width: 100px) 100vw, 100px" alt="Foreign storytellers Tales and stories of foreign writers" title="Foreign storytellers Tales and stories of foreign writers"/ loading=lazy loading=lazy></a></div> <div class="item-details"> <h3 class="entry-title td-module-title"><a href="https://stomatp22.ru/en/zarubezhnye-skazochniki-zarubezhnye-skazochniki-skazki-i-rasskazy-zarubezhnyh.html" rel="bookmark" title="Foreign storytellers Tales and stories of foreign writers">Foreign storytellers Tales and stories of foreign writers</a></h3> <div class="meta-info"> </div> </div> </div> </div> </div> </div> <div class="td-a-rec td-a-rec-id-sidebar " align="center"> <div id="galyze2" style="height:500px;width:300px;" align="center"></div> </div> </div> </div> </div> </div> </div> <div class="td-footer-container td-container"> <div class="td-pb-row"> <div class="td-pb-span12"> </div> </div> <div class="td-pb-row"> <div class="td-pb-span4"> <div class="td-footer-info td-pb-padding-side"><div class="footer-logo-wrap"><a href="https://stomatp22.ru/en/"></a></div><div class="footer-text-wrap">© 2023. Dental consultation portal.</div><div class="footer-social-wrap td-social-style2"> <span class="td-social-icon-wrap"> <a target="_blank" href="https://www.facebook.com/sharer/sharer.php?u=https://stomatp22.ru/servisy-dlya-poiska-klyuchevyh-slov-uluchshaem-relevantnost-poiska-v-sphinxsearch.html" title="Facebook"> <i class="td-icon-font td-icon-facebook"></i> </a> </span> <span class="td-social-icon-wrap"> <a target="_blank" href="" title="Instagram"> <i class="td-icon-font td-icon-instagram"></i> </a> </span> <span class="td-social-icon-wrap"> <a target="_blank" href="https://vk.com/share.php?url=https://stomatp22.ru/servisy-dlya-poiska-klyuchevyh-slov-uluchshaem-relevantnost-poiska-v-sphinxsearch.html" title="VKontakte"> <i class="td-icon-font td-icon-vk"></i> </a> </span></div></div> </div> <div class="td-pb-span4"> <div class="td_block_wrap td_block_popular_categories td_block_widget td_uid_22_5a5dcf7cbb072_rand widget widget_categories td-pb-border-top" data-td-block-uid="td_uid_22_5a5dcf7cbb072" > <style scoped> .td_uid_22_5a5dcf7cbb072_rand .td_module_wrap:hover .entry-title a, .td_uid_22_5a5dcf7cbb072_rand .td-load-more-wrap a:hover, .td_uid_22_5a5dcf7cbb072_rand .td_quote_on_blocks, .td_uid_22_5a5dcf7cbb072_rand .td-wrapper-pulldown-filter .td-pulldown-filter-display-option:hover, .td_uid_22_5a5dcf7cbb072_rand .td-wrapper-pulldown-filter a.td-pulldown-filter-link:hover, .td_uid_22_5a5dcf7cbb072_rand .td-instagram-user a { color: #ffffff; } .td_uid_22_5a5dcf7cbb072_rand .td-next-prev-wrap a:hover i { background-color: #ffffff; border-color: #ffffff; } .td_uid_22_5a5dcf7cbb072_rand .td_module_wrap .td-post-category:hover, .td_uid_22_5a5dcf7cbb072_rand .td-trending-now-title, .td_uid_22_5a5dcf7cbb072_rand .block-title span, .td_uid_22_5a5dcf7cbb072_rand .td-weather-information:before, .td_uid_22_5a5dcf7cbb072_rand .td-weather-week:before, .td_uid_22_5a5dcf7cbb072_rand .td-exchange-header:before, .td_uid_22_5a5dcf7cbb072_rand .block-title a { background-color: #ffffff; } .td_uid_22_5a5dcf7cbb072_rand .td-trending-now-title, .td_uid_22_5a5dcf7cbb072_rand .block-title span, .td_uid_22_5a5dcf7cbb072_rand .block-title a { color: #222222; } </style><h4 class="block-title"><span>POPULAR SECTIONS</span></h4><ul class="td-pb-padding-side"> <li><a href="https://stomatp22.ru/en/category/orthopedics/">Orthopedics</a></li> <li><a href="https://stomatp22.ru/en/category/tongue-coating/">Coated tongue</a></li> <li><a href="https://stomatp22.ru/en/category/breath/">Smell from the mouth</a></li> <li><a href="https://stomatp22.ru/en/category/wisdom-teeth/">Wisdom teeth</a></li> <li><a href="https://stomatp22.ru/en/category/gums/">Gums</a></li> <li><a href="https://stomatp22.ru/en/category/stomatitis/">Stomatitis</a></li> <li><a href="https://stomatp22.ru/en/category/removal/">Removal</a></li> </ul></div> </div> <div class="td-pb-span4"> <aside class="widget woocommerce widget_product_categories"><div class="block-title"><span>Latest articles</span></div><ul class="product-categories"> <li class="cat-item cat-item-434"><a href="https://stomatp22.ru/en/podgotovka-k-sochineniyu-opisaniyu-peizazhnaya-zarisovka.html">Preparing for a descriptive essay</a></li> <li class="cat-item cat-item-434"><a href="https://stomatp22.ru/en/analiz-monitoringa-v-srednei-analiz-rezultatov-monitoringa-po-razdelam-programmy-v-srednei-gruppe.html">Analysis of monitoring results by program sections in the middle group</a></li> <li class="cat-item cat-item-434"><a href="https://stomatp22.ru/en/den-pobedy-prazdnichnyi-utrennik-v-starshei-i-podgotovitelnoi-gruppe-den.html">“Victory Day” Festive matinee in the senior and preparatory groups Dance “White cap” preparatory group</a></li> <li class="cat-item cat-item-434"><a href="https://stomatp22.ru/en/samaya-malenkaya-zvezda-vo-vselennoi-naidena-samaya-malenkaya-zvezda-vo.html">The smallest star in the universe has been found. Hot little star</a></li> <li class="cat-item cat-item-434"><a href="https://stomatp22.ru/en/opisanie-imeni-darya-taina-i-znachenie-imeni-darya-darya-imya-chto.html">The secret and meaning of the name Daria Daria name what does it mean</a></li> </ul></aside> </div> </div> </div> </div> </div> <style type="text/css" media="screen"> /* custom css theme panel */ .icons img { display: inline-block; vertical-align: middle; } .menu-item-2892 { background-color: #d12d11; } /*.menu-item-798 { */ /* background-color: #fba52a;*/ /*} */ /*.menu-item-2383 { */ /* background-color: #fffff;*/ /*} */ /*.menu-item-2383 a { */ /* background-color: #000000;*/ /*} */ .woocommerce-loop-product__title { line-height: 18px; } </style> <script type='text/javascript' src='https://stomatp22.ru/wp-content/plugins/bbpress/templates/default/js/editor.js?ver=2.5.14-6684'></script> <script type='text/javascript' src='https://stomatp22.ru/wp-content/plugins/contact-form-7/includes/js/scripts.js?ver=4.9.1'></script> <script type='text/javascript' src='https://stomatp22.ru/wp-content/plugins/woocommerce/assets/js/jquery-blockui/jquery.blockUI.min.js?ver=2.70'></script> <script type='text/javascript' src='https://stomatp22.ru/wp-content/plugins/woocommerce/assets/js/js-cookie/js.cookie.min.js?ver=2.1.4'></script> <script type='text/javascript' src='https://stomatp22.ru/wp-content/plugins/woocommerce/assets/js/frontend/woocommerce.min.js?ver=3.2.5'></script> <script type='text/javascript' src='https://stomatp22.ru/wp-content/plugins/woocommerce/assets/js/frontend/cart-fragments.min.js?ver=3.2.5'></script> <script type='text/javascript' src='https://stomatp22.ru/wp-content/plugins/wp-polls/polls-js.js?ver=2.73.8'></script> <script type='text/javascript' src='https://stomatp22.ru/wp-content/themes/Newsmag/js/tagdiv_theme.js?ver=3.2'></script> <script type='text/javascript' src='/wp-includes/js/wp-embed.min.js?ver=4.9.1'></script> <script type='text/javascript' src='https://stomatp22.ru/wp-content/plugins/js_composer/assets/js/dist/js_composer_front.min.js?ver=4.12.1'></script> <script> (function() { var html_jquery_obj = jQuery('html'); if (html_jquery_obj.length && (html_jquery_obj.is('.ie8') || html_jquery_obj.is('.ie9'))) { var path = '/wp-content/themes/Newsmag/style.css'; jQuery.get(path, function(data) { var str_split_separator = '#td_css_split_separator'; var arr_splits = data.split(str_split_separator); var arr_length = arr_splits.length; if (arr_length > 1) { var dir_path = '/wp-content/themes/Newsmag'; var splited_css = ''; for (var i = 0; i < arr_length; i++) { if (i > 0) { arr_splits[i] = str_split_separator + ' ' + arr_splits[i]; } //jQuery('head').append('<style>' + arr_splits[i] + '</style>'); var formated_str = arr_splits[i].replace(/\surl\(\'(?!data\:)/gi, function regex_function(str) { return ' url(\'' + dir_path + '/' + str.replace(/url\(\'/gi, '').replace(/^\s+|\s+$/gm, ''); }); splited_css += "<style>" + formated_str + "</style>"; } var td_theme_css = jQuery('link#td-theme-css'); if (td_theme_css.length) { td_theme_css.after(splited_css); } } }); } })(); </script> <script type="text/javascript"> <!-- var _acic={dataProvider:10};(function(){var e=document.createElement("script");e.type="text/javascript";e.async=true;e.src="https://www.acint.net/aci.js";var t=document.getElementsByTagName("script")[0];t.parentNode.insertBefore(e,t)})() //--> </script><br> <br> </body> </html>