Scrapy Html

Selectors — Scrapy 2.5.1 documentation

When you’re scraping web pages, the most common task you need to perform is
to extract data from the HTML source. There are several libraries available to
achieve this, such as:
BeautifulSoup is a very popular web scraping library among Python
programmers which constructs a Python object based on the structure of the
HTML code and also deals with bad markup reasonably well, but it has one
drawback: it’s slow.
lxml is an XML parsing library (which also parses HTML) with a pythonic
API based on ElementTree. (lxml is not part of the Python
standard library. )
Scrapy comes with its own mechanism for extracting data. They’re called
selectors because they “select” certain parts of the HTML document specified
either by XPath or CSS expressions.
XPath is a language for selecting nodes in XML documents, which can also be
used with HTML. CSS is a language for applying styles to HTML documents. It
defines selectors to associate those styles with specific HTML elements.
Note
Scrapy Selectors is a thin wrapper around parsel library; the purpose of
this wrapper is to provide better integration with Scrapy Response objects.
parsel is a stand-alone web scraping library which can be used without
Scrapy. It uses lxml library under the hood, and implements an
easy API on top of lxml API. It means Scrapy selectors are very similar
in speed and parsing accuracy to lxml.
Using selectors¶
Constructing selectors¶
Response objects expose a Selector instance
on. selector attribute:
>>> (‘//span/text()’)()
‘good’
Querying responses using XPath and CSS is so common that responses include two
more shortcuts: () and ():
>>> (‘span::text’)()
Scrapy selectors are instances of Selector class
constructed by passing either TextResponse object or
markup as a string (in text argument).
Usually there is no need to construct Scrapy selectors manually:
response object is available in Spider callbacks, so in most cases
it is more convenient to use () and ()
shortcuts. By using lector or one of these shortcuts
you can also ensure the response body is parsed only once.
But if required, it is possible to use Selector directly.
Constructing from text:
>>> from lector import Selector
>>> body = ‘good
>>> Selector(text=body)(‘//span/text()’)()
Constructing from response – HtmlResponse is one of
TextResponse subclasses:
>>> from import HtmlResponse
>>> response = HtmlResponse(url=”, body=body)
>>> Selector(response=response)(‘//span/text()’)()
Selector automatically chooses the best parsing rules
(XML vs HTML) based on input type.
To explain how to use the selectors we’ll use the Scrapy shell (which
provides interactive testing) and an example page located in the Scrapy
documentation server:
For the sake of completeness, here’s its full HTML code:



Example website



First, let’s open the shell:
scrapy shell
Then, after the shell loads, you’ll have the response available as response
shell variable, and its attached selector in lector attribute.
Since we’re dealing with HTML, the selector will automatically use an HTML parser.
So, by looking at the HTML code of that
page, let’s construct an XPath for selecting the text inside the title tag:
>>> (‘//title/text()’)
[]
To actually extract the textual data, you must call the selector ()
or () methods, as follows:
>>> (‘//title/text()’)()
[‘Example website’]
‘Example website’
() always returns a single result; if there are several matches,
content of a first match is returned; if there are no matches, None
is returned. () returns a list with all results.
Notice that CSS selectors can select text or attribute nodes using CSS3
pseudo-elements:
>>> (‘title::text’)()
As you can see, () and () methods return a
SelectorList instance, which is a list of new
selectors. This API can be used for quickly selecting nested data:
>>> (‘img’)(‘@src’)()
[”,
”,
”]
If you want to extract only the first matched element, you can call the
selector () (or its alias. extract_first() commonly used in
previous Scrapy versions):
>>> (‘//div[@id=”images”]/a/text()’)()
‘Name: My image 1 ‘
It returns None if no element was found:
>>> (‘//div[@id=”not-exists”]/text()’)() is None
True
A default return value can be provided as an argument, to be used instead
of None:
>>> (‘//div[@id=”not-exists”]/text()’)(default=’not-found’)
‘not-found’
Instead of using e. g. ‘@src’ XPath it is possible to query for attributes
using property of a Selector:
>>> [[‘src’] for img in (‘img’)]
As a shortcut, is also available on SelectorList directly;
it returns attributes for the first matching element:
>>> (‘img’)[‘src’]

This is most useful when only a single result is expected, e. when selecting
by id, or selecting unique elements on a web page:
>>> (‘base’)[‘href’]
Now we’re going to get the base URL and some image links:
>>> (‘//base/@href’)()
>>> (‘base::attr(href)’)()
>>> (‘//a[contains(@href, “image”)]/@href’)()
>>> (‘a[href*=image]::attr(href)’)()
>>> (‘//a[contains(@href, “image”)]/img/@src’)()
>>> (‘a[href*=image] img::attr(src)’)()
Extensions to CSS Selectors¶
Per W3C standards, CSS selectors do not support selecting text nodes
or attribute values.
But selecting these is so essential in a web scraping context
that Scrapy (parsel) implements a couple of non-standard pseudo-elements:
to select text nodes, use::text
to select attribute values, use::attr(name) where name is the
name of the attribute that you want the value of
Warning
These pseudo-elements are Scrapy-/Parsel-specific.
They will most probably not work with other libraries like
lxml or PyQuery.
Examples:
title::text selects children text nodes of a descendant element:<br /> *::text selects all descendant text nodes of the current selector context:<br /> >>> (‘#images *::text’)()<br /> [‘\n ‘,<br /> ‘Name: My image 1 ‘,<br /> ‘\n ‘,<br /> ‘Name: My image 2 ‘,<br /> ‘Name: My image 3 ‘,<br /> ‘Name: My image 4 ‘,<br /> ‘Name: My image 5 ‘,<br /> ‘\n ‘]<br /> foo::text returns no results if foo element exists, but contains<br /> no text (i. e. text is empty):<br /> >>> (‘img::text’)()<br /> []<br /> This means (‘foo::text’)() could return None even if an element<br /> exists. Use default=” if you always want a string:<br /> >>> (‘img::text’)(default=”)<br /> a::attr(href) selects the href attribute value of descendant links:<br /> >>> (‘a::attr(href)’)()<br /> See also: Selecting element attributes.<br /> You cannot chain these pseudo-elements. But in practice it would not<br /> make much sense: text nodes do not have attributes, and attribute values<br /> are string values already and do not have children nodes.<br /> Nesting selectors¶<br /> The selection methods (() or ()) return a list of selectors<br /> of the same type, so you can call the selection methods for those selectors<br /> too. Here’s an example:<br /> >>> links = (‘//a[contains(@href, “image”)]’)<br /> >>> ()<br /> [‘<a href="">Name: My image 1 <br /><img decoding="async" src=""></a>‘,<br /> ‘<a href="">Name: My image 2 <br /><img decoding="async" src=""></a>‘,<br /> ‘<a href="">Name: My image 3 <br /><img decoding="async" src=""></a>‘,<br /> ‘<a href="">Name: My image 4 <br /><img decoding="async" src=""></a>‘,<br /> ‘<a href="">Name: My image 5 <br /><img decoding="async" src=""></a>‘]<br /> >>> for index, link in enumerate(links):… href_xpath = (‘@href’)()… img_xpath = (‘img/@src’)()… print(f’Link number {index} points to url {href_xpath! r} and image {img_xpath! r}’)<br /> Link number 0 points to url ” and image ”<br /> Link number 1 points to url ” and image ”<br /> Link number 2 points to url ” and image ”<br /> Link number 3 points to url ” and image ”<br /> Link number 4 points to url ” and image ”<br /> Selecting element attributes¶<br /> There are several ways to get a value of an attribute. First, one can use<br /> XPath syntax:<br /> >>> (“//a/@href”)()<br /> [”, ”, ”, ”, ”]<br /> XPath syntax has a few advantages: it is a standard XPath feature, and<br /> @attributes can be used in other parts of an XPath expression – e. g.<br /> it is possible to filter by attribute value.<br /> Scrapy also provides an extension to CSS selectors (::attr(… ))<br /> which allows to get attribute values:<br /> In addition to that, there is a property of Selector.<br /> You can use it if you prefer to lookup attributes in Python<br /> code, without using XPaths or CSS extensions:<br /> >>> [[‘href’] for a in (‘a’)]<br /> This property is also available on SelectorList; it returns a dictionary<br /> with attributes of a first matching element. It is convenient to use when<br /> a selector is expected to give a single result (e. when selecting by element<br /> ID, or when selecting an unique element on a page):<br /> >>> (‘base’)<br /> {‘href’: ”}<br /> property of an empty SelectorList is empty:<br /> >>> (‘foo’)<br /> {}<br /> Using selectors with regular expressions¶<br /> Selector also has a () method for extracting<br /> data using regular expressions. However, unlike using () or<br /> () methods, () returns a list of strings. So you<br /> can’t construct nested () calls.<br /> Here’s an example used to extract image names from the HTML code above:<br /> >>> (‘//a[contains(@href, “image”)]/text()’)(r’Name:\s*(. *)’)<br /> [‘My image 1’,<br /> ‘My image 2’,<br /> ‘My image 3’,<br /> ‘My image 4’,<br /> ‘My image 5’]<br /> There’s an additional helper reciprocating () (and its<br /> alias. extract_first()) for (), named. re_first().<br /> Use it to extract just the first matching string:<br /> >>> (‘//a[contains(@href, “image”)]/text()’). re_first(r’Name:\s*(. *)’)<br /> ‘My image 1’<br /> extract() and extract_first()¶<br /> If you’re a long-time Scrapy user, you’re probably familiar<br /> with. extract() and. extract_first() selector methods. Many blog posts<br /> and tutorials are using them as well. These methods are still supported<br /> by Scrapy, there are no plans to deprecate them.<br /> However, Scrapy usage docs are now written using () and<br /> () methods. We feel that these new methods result in a more concise<br /> and readable code.<br /> The following examples show how these methods map to each other.<br /> () is the same as SelectorList. extract_first():<br /> >>> (‘a::attr(href)’). extract_first()<br /> () is the same as SelectorList. extract():<br /> >>> (‘a::attr(href)’). extract()<br /> () is the same as Selector. extract():<br /> >>> (‘a::attr(href)’)[0]()<br /> >>> (‘a::attr(href)’)[0]. extract()<br /> For consistency, there is also (), which returns a list:<br /> [”]<br /> So, the main difference is that output of () and () methods<br /> is more predictable: () always returns a single result, ()<br /> always returns a list of all extracted results. With. extract() method<br /> it was not always obvious if a result is a list or not; to get a single<br /> result either. extract() or. extract_first() should be called.<br /> Working with XPaths¶<br /> Here are some tips which may help you to use XPath with Scrapy selectors<br /> effectively. If you are not much familiar with XPath yet,<br /> you may want to take a look first at this XPath tutorial.<br /> Working with relative XPaths¶<br /> Keep in mind that if you are nesting selectors and use an XPath that starts<br /> with /, that XPath will be absolute to the document and not relative to the<br /> Selector you’re calling it from.<br /> For example, suppose you want to extract all </p> <p> elements inside </p> <div> elements. First, you would get all </p> <div> elements:<br /> >>> divs = (‘//div’)<br /> At first, you may be tempted to use the following approach, which is wrong, as<br /> it actually extracts all </p> <p> elements from the document, not only those<br /> inside </p> <div> elements:<br /> >>> for p in (‘//p’): # this is wrong – gets all </p> <p> from the whole document… print(())<br /> This is the proper way to do it (note the dot prefixing the. //p XPath):<br /> >>> for p in (‘. //p’): # extracts all </p> <p> inside… print(())<br /> Another common case would be to extract all direct </p> <p> children:<br /> >>> for p in (‘p’):… print(())<br /> For more details about relative XPaths see the Location Paths section in the<br /> XPath specification.<br /> When querying by class, consider using CSS¶<br /> Because an element can contain multiple CSS classes, the XPath way to select elements<br /> by class is the rather verbose:<br /> *[contains(concat(‘ ‘, normalize-space(@class), ‘ ‘), ‘ someclass ‘)]<br /> If you use @class=’someclass’ you may end up missing elements that have<br /> other classes, and if you just use contains(@class, ‘someclass’) to make up<br /> for that you may end up with more elements that you want, if they have a different<br /> class name that shares the string someclass.<br /> As it turns out, Scrapy selectors allow you to chain selectors, so most of the time<br /> you can just select by class using CSS and then switch to XPath when needed:<br /> >>> from scrapy import Selector<br /> >>> sel = Selector(text=’</p> <div class="hero shout"><time datetime="2014-07-23 19:00">Special date</time></div> <p>‘)<br /> >>> (”)(‘. /time/@datetime’)()<br /> [‘2014-07-23 19:00’]<br /> This is cleaner than using the verbose XPath trick shown above. Just remember<br /> to use the. in the XPath expressions that will follow.<br /> Beware of the difference between //node[1] and (//node)[1]¶<br /> //node[1] selects all the nodes occurring first under their respective parents.<br /> (//node)[1] selects all the nodes in the document, and then gets only the first of them.<br /> Example:<br /> >>> sel = Selector(text=”””…. : </p> <ul class="list">…. : </p> <li>1</li> <p>…. : </p> <li>2</li> <p>…. : </p> <li>3</li> <p>…. : </ul> <p>…. : </p> <li>4</li> <p>…. : </p> <li>5</li> <p>…. : </p> <li>6</li> <p>…. : </ul> <p>“””)<br /> >>> xp = lambda x: (x)()<br /> This gets all first </p> <li> elements under whatever it is its parent:<br /> >>> xp(“//li[1]”)<br /> [‘</p> <li>1</li> <p>‘, ‘</p> <li>4</li> <p>‘]<br /> And this gets the first </p> <li> element in the whole document:<br /> >>> xp(“(//li)[1]”)<br /> [‘</p> <li>1</li> <p>‘]<br /> This gets all first </p> <li> elements under an <ul> parent:<br /> >>> xp(“//ul/li[1]”)<br /> And this gets the first </p> <li> element under an <ul> parent in the whole document:<br /> >>> xp(“(//ul/li)[1]”)<br /> Using text nodes in a condition¶<br /> When you need to use the text content as argument to an XPath string function,<br /> avoid using. //text() and use just. instead.<br /> This is because the expression. //text() yields a collection of text elements – a node-set.<br /> And when a node-set is converted to a string, which happens when it is passed as argument to<br /> a string function like contains() or starts-with(), it results in the text for the first element only.<br /> >>> sel = Selector(text=’<a href="#">Click here to go to the <strong>Next Page</strong></a>‘)<br /> Converting a node-set to string:<br /> >>> (‘//a//text()’)() # take a peek at the node-set<br /> [‘Click here to go to the ‘, ‘Next Page’]<br /> >>> (“string(//a[1]//text())”)() # convert it to string<br /> [‘Click here to go to the ‘]<br /> A node converted to a string, however, puts together the text of itself plus of all its descendants:<br /> >>> (“//a[1]”)() # select the first node<br /> [‘<a href="#">Click here to go to the <strong>Next Page</strong></a>‘]<br /> >>> (“string(//a[1])”)() # convert it to string<br /> [‘Click here to go to the Next Page’]<br /> So, using the. //text() node-set won’t select anything in this case:<br /> >>> (“//a[contains(. //text(), ‘Next Page’)]”)()<br /> But using the. to mean the node, works:<br /> >>> (“//a[contains(., ‘Next Page’)]”)()<br /> Variables in XPath expressions¶<br /> XPath allows you to reference variables in your XPath expressions, using<br /> the $somevariable syntax. This is somewhat similar to parameterized<br /> queries or prepared statements in the SQL world where you replace<br /> some arguments in your queries with placeholders like?,<br /> which are then substituted with values passed with the query.<br /> Here’s an example to match an element based on its “id” attribute value,<br /> without hard-coding it (that was shown previously):<br /> >>> # `$val` used in the expression, a `val` argument needs to be passed<br /> >>> (‘//div[@id=$val]/a/text()’, val=’images’)()<br /> Here’s another example, to find the “id” attribute of a </p> <div> tag containing<br /> five <a> children (here we pass the value 5 as an integer):<br /> >>> (‘//div[count(a)=$cnt]/@id’, cnt=5)()<br /> ‘images’<br /> All variable references must have a binding value when calling ()<br /> (otherwise you’ll get a ValueError: XPath error: exception).<br /> This is done by passing as many named arguments as necessary.<br /> parsel, the library powering Scrapy selectors, has more details and examples<br /> on XPath variables.<br /> Removing namespaces¶<br /> When dealing with scraping projects, it is often quite convenient to get rid of<br /> namespaces altogether and just work with element names, to write more<br /> simple/convenient XPaths. You can use the<br /> move_namespaces() method for that.<br /> Let’s show an example that illustrates this with the Python Insider blog atom feed.<br /> First, we open the shell with the url we want to scrape:<br /> $ scrapy shell<br /> This is how the file starts:<br /> <? xml version="1. 0" encoding="UTF-8"? ><br /> <? xml-stylesheet... <feed xmlns_blogger=" xmlns_georss=" xmlns_gd=" xmlns_thr=" xmlns_feedburner=">…<br /> You can see several namespace declarations including a default<br /> “ and another one using the “gd:” prefix for<br /> “.<br /> Once in the shell we can try selecting all <link> objects and see that it<br /> doesn’t work (because the Atom XML namespace is obfuscating those nodes):<br /> >>> (“//link”)<br /> But once we call the move_namespaces() method, all<br /> nodes can be accessed directly by their names:<br /> >>> move_namespaces()<br /> [<Selector xpath='//link' data='<link rel="alternate" type="text/html" h'>,<br /> <Selector xpath='//link' data='<link rel="next" type="application/atom+'>,…<br /> If you wonder why the namespace removal procedure isn’t always called by default<br /> instead of having to call it manually, this is because of two reasons, which, in order<br /> of relevance, are:<br /> Removing namespaces requires to iterate and modify all nodes in the<br /> document, which is a reasonably expensive operation to perform by default<br /> for all documents crawled by Scrapy<br /> There could be some cases where using namespaces is actually required, in<br /> case some element names clash between namespaces. These cases are very rare<br /> though.<br /> Using EXSLT extensions¶<br /> Being built atop lxml, Scrapy selectors support some EXSLT extensions<br /> and come with these pre-registered namespaces to use in XPath expressions:<br /> prefix<br /> namespace<br /> usage<br /> re<br /> regular expressions<br /> set<br /> set manipulation<br /> Regular expressions¶<br /> The test() function, for example, can prove quite useful when XPath’s<br /> starts-with() or contains() are not sufficient.<br /> Example selecting links in list item with a “class” attribute ending with a digit:<br /> >>> doc = “””… </p> <div>… </p> <ul>… </p> <li class="item-0"><a href="">first item</a></li> <p>… </p> <li class="item-1"><a href="">second item</a></li> <p>… </p> <li class="item-inactive"><a href="">third item</a></li> <p>… </p> <li class="item-1"><a href="">fourth item</a></li> <p>… </p> <li class="item-0"><a href="">fifth item</a></li> <p>… </ul> <p>… </p></div> <p>… “””<br /> >>> sel = Selector(text=doc, type=”html”)<br /> >>> (‘//li//@href’)()<br /> >>> (‘//li[re:test(@class, “item-\d$”)]//@href’)()<br /> [”, ”, ”, ”]<br /> C library libxslt doesn’t natively support EXSLT regular<br /> expressions so lxml’s implementation uses hooks to Python’s re module.<br /> Thus, using regexp functions in your XPath expressions may add a small<br /> performance penalty.<br /> Set operations¶<br /> These can be handy for excluding parts of a document tree before<br /> extracting text elements for example.<br /> Example extracting microdata (sample content taken from)<br /> with groups of itemscopes and corresponding itemprops:<br /> >>> doc = “””… </p> <div itemscope itemtype=">… <span itemprop="name">Kenmore White 17″ Microwave</span>… <img decoding="async" src="" alt='Kenmore 17" Microwave' />… </p> <div itemprop="aggregateRating"... itemscope itemtype=">… Rated <span itemprop="ratingValue">3. 5</span>/5… based on <span itemprop="reviewCount">11</span> customer reviews… </div> <p>…… </p> <div itemprop="offers" itemscope itemtype=">… <span itemprop="price">$55. 00</span>… <link itemprop="availability" href=" />In stock… Product description:… <span itemprop="description">0. 7 cubic feet countertop microwave…. Has six preset cooking categories and convenience features like… Add-A-Minute and Child Lock. </span>…… Customer reviews:…… </p> <div itemprop="review" itemscope itemtype=">… <span itemprop="name">Not a happy camper</span> -… by <span itemprop="author">Ellie</span>,… <meta itemprop="datePublished" content="2011-04-01">April 1, 2011… </p> <div itemprop="reviewRating" itemscope itemtype=">… <meta itemprop="worstRating" content = "1">… <span itemprop="ratingValue">1</span>/… <span itemprop="bestRating">5</span>stars… <span itemprop="description">The lamp burned out and now I have to replace… it. </span>… <span itemprop="name">Value purchase</span> -… by <span itemprop="author">Lucas</span>,… <meta itemprop="datePublished" content="2011-03-25">March 25, 2011… <meta itemprop="worstRating" content = "1"/>… <span itemprop="ratingValue">4</span>/… <span itemprop="description">Great microwave for the price. It is small and… fits in my apartment. </div> <p>……… “””<br /> >>> for scope in (‘//div[@itemscope]’):… print(“current scope:”, (‘@itemtype’)())… props = (”’… set:difference(. /descendant::*/@itemprop,…. //*[@itemscope]/*/@itemprop)”’)… print(f” properties: {()}”)… print(“”)<br /> current scope: [”]<br /> properties: [‘name’, ‘aggregateRating’, ‘offers’, ‘description’, ‘review’, ‘review’]<br /> properties: [‘ratingValue’, ‘reviewCount’]<br /> properties: [‘price’, ‘availability’]<br /> properties: [‘name’, ‘author’, ‘datePublished’, ‘reviewRating’, ‘description’]<br /> properties: [‘worstRating’, ‘ratingValue’, ‘bestRating’]<br /> Here we first iterate over itemscope elements, and for each one,<br /> we look for all itemprops elements and exclude those that are themselves<br /> inside another itemscope.<br /> Other XPath extensions¶<br /> Scrapy selectors also provide a sorely missed XPath extension function<br /> has-class that returns True for nodes that have all of the specified<br /> HTML classes.<br /> For the following HTML:</p> <p class="foo bar-baz">First</p> <p class="foo">Second</p> <p class="bar">Third</p> <p>Fourth</p> <p>You can use it like this:<br /> >>> (‘//p[has-class(“foo”)]’)<br /> [<Selector xpath='//p[has-class("foo")]' data=' <p class="foo bar-baz">First</p> <p>‘>,<br /> <Selector xpath='//p[has-class("foo")]' data=' <p class="foo">Second</p> <p>‘>]<br /> >>> (‘//p[has-class(“foo”, “bar-baz”)]’)<br /> [<Selector xpath='//p[has-class("foo", "bar-baz")]' data=' <p class="foo bar-baz">First</p> <p>‘>]<br /> >>> (‘//p[has-class(“foo”, “bar”)]’)<br /> So XPath //p[has-class(“foo”, “bar-baz”)] is roughly equivalent to CSS<br /> Please note, that it is slower in most of the cases,<br /> because it’s a pure-Python function that’s invoked for every node in question<br /> whereas the CSS lookup is translated into XPath and thus runs more efficiently,<br /> so performance-wise its uses are limited to situations that are not easily<br /> described with CSS selectors.<br /> Parsel also simplifies adding your own XPath extensions.<br /> t_xpathfunc(fname, func)[source]¶<br /> Register a custom extension function to use in XPath expressions.<br /> The function func registered under fname identifier will be called<br /> for every matching node, being passed a context parameter as well as<br /> any parameters passed from the corresponding XPath expression.<br /> If func is None, the extension function will be removed.<br /> See more in lxml documentation.<br /> Built-in Selectors reference¶<br /> Selector objects¶<br /> class lector(*args, **kwargs)[source]¶<br /> An instance of Selector is a wrapper over response to select<br /> certain parts of its content.<br /> response is an HtmlResponse or an<br /> XmlResponse object that will be used for selecting<br /> and extracting data.<br /> text is a unicode string or utf-8 encoded text for cases when a<br /> response isn’t available. Using text and response together is<br /> undefined behavior.<br /> type defines the selector type, it can be “html”, “xml”<br /> or None (default).<br /> If type is None, the selector automatically chooses the best type<br /> based on response type (see below), or defaults to “html” in case it<br /> is used together with text.<br /> If type is None and a response is passed, the selector type is<br /> inferred from the response type as follows:<br /> “html” for HtmlResponse type<br /> “xml” for XmlResponse type<br /> “html” for anything else<br /> Otherwise, if type is set, the selector type will be forced and no<br /> detection will occur.<br /> xpath(query, namespaces=None, **kwargs)[source]¶<br /> Find nodes matching the xpath query and return the result as a<br /> SelectorList instance with all elements flattened. List<br /> elements implement Selector interface too.<br /> query is a string containing the XPATH query to apply.<br /> namespaces is an optional prefix: namespace-uri mapping (dict)<br /> for additional prefixes to those registered with register_namespace(prefix, uri).<br /> Contrary to register_namespace(), these prefixes are not<br /> saved for future calls.<br /> Any additional named arguments can be used to pass values for XPath<br /> variables in the XPath expression, e. :<br /> (‘//a[href=$url]’, url=”)<br /> For convenience, this method can be called as ()<br /> css(query)[source]¶<br /> Apply the given CSS selector and return a SelectorList instance.<br /> query is a string containing the CSS selector to apply.<br /> In the background, CSS queries are translated into XPath queries using<br /> cssselect library and run () method.<br /> get()[source]¶<br /> Serialize and return the matched nodes in a single unicode string.<br /> Percent encoded content is unquoted.<br /> See also: extract() and extract_first()<br /> attrib¶<br /> Return the attributes dictionary for underlying element.<br /> re(regex, replace_entities=True)[source]¶<br /> Apply the given regex and return a list of unicode strings with the<br /> matches.<br /> regex can be either a compiled regular expression or a string which<br /> will be compiled to a regular expression using mpile(regex).<br /> By default, character entity references are replaced by their<br /> corresponding character (except for & and <).<br /> Passing replace_entities as False switches off these<br /> replacements.<br /> re_first(regex, default=None, replace_entities=True)[source]¶<br /> Apply the given regex and return the first unicode string which<br /> matches. If there is no match, return the default value (None if<br /> the argument is not provided).<br /> register_namespace(prefix, uri)[source]¶<br /> Register the given namespace to be used in this Selector.<br /> Without registering namespaces you can’t select or extract data from<br /> non-standard namespaces. See Selector examples on XML response.<br /> remove_namespaces()[source]¶<br /> Remove all namespaces, allowing to traverse the document using<br /> namespace-less xpaths. See Removing namespaces.<br /> __bool__()[source]¶<br /> Return True if there is any real content selected or False<br /> otherwise. In other words, the boolean value of a Selector is<br /> given by the contents it selects.<br /> getall()[source]¶<br /> Serialize and return the matched node in a 1-element list of unicode strings.<br /> This method is added to Selector for consistency; it is more useful<br /> with SelectorList. See also: extract() and extract_first()<br /> SelectorList objects¶<br /> class lectorList(iterable=(), /)[source]¶<br /> The SelectorList class is a subclass of the builtin list<br /> class, which provides a few additional methods.<br /> xpath(xpath, namespaces=None, **kwargs)[source]¶<br /> Call the () method for each element in this list and return<br /> their results flattened as another SelectorList.<br /> query is the same argument as the one in ()<br /> Call the () method for each element is this list and return<br /> their results flattened, as a list of unicode strings.<br /> get(default=None)[source]¶<br /> Return the result of () for the first element in this list.<br /> If the list is empty, return the default value.<br /> corresponding character (except for & and <.<br /> Call the () method for the first element in this list and<br /> return the result in an unicode string. If the list is empty or the<br /> regex doesn’t match anything, return the default value (None if<br /> Return the attributes dictionary for the first element.<br /> If the list is empty, return an empty dict.<br /> Examples¶<br /> Selector examples on HTML response¶<br /> Here are some Selector examples to illustrate several concepts.<br /> In all cases, we assume there is already a Selector instantiated with<br /> a HtmlResponse object like this:<br /> sel = Selector(html_response)<br /> Select all </p> <h1> elements from an HTML response body, returning a list of<br /> Selector objects (i. a SelectorList object):<br /> Extract the text of all </p> <h1> elements from an HTML response body,<br /> returning a list of strings:<br /> (“//h1”)() # this includes the h1 tag<br /> (“//h1/text()”)() # this excludes the h1 tag<br /> Iterate over all </p> <p> tags and print their class attribute:<br /> for node in (“//p”):<br /> print([‘class’])<br /> Selector examples on XML response¶<br /> Here are some examples to illustrate concepts for Selector objects<br /> instantiated with an XmlResponse object:<br /> sel = Selector(xml_response)<br /> Select all <product> elements from an XML response body, returning a list<br /> of Selector objects (i. a SelectorList object):<br /> Extract all prices from a Google Base XML feed which requires registering<br /> a namespace:<br /> gister_namespace(“g”, “)<br /> (“//g:price”)()<br /> <img decoding="async" src="https://bilderupload.net/wp-content/uploads/2021/12/images-17.jpeg" alt="Scrapy Tutorial — Scrapy 2.5.1 documentation" title="Scrapy Tutorial — Scrapy 2.5.1 documentation" /></p> <h2>Scrapy Tutorial — Scrapy 2.5.1 documentation</h2> <p>In this tutorial, we’ll assume that Scrapy is already installed on your system.<br /> If that’s not the case, see Installation guide.<br /> We are going to scrape, a website<br /> that lists quotes from famous authors.<br /> This tutorial will walk you through these tasks:<br /> Creating a new Scrapy project<br /> Writing a spider to crawl a site and extract data<br /> Exporting the scraped data using the command line<br /> Changing spider to recursively follow links<br /> Using spider arguments<br /> Scrapy is written in Python. If you’re new to the language you might want to<br /> start by getting an idea of what the language is like, to get the most out of<br /> Scrapy.<br /> If you’re already familiar with other languages, and want to learn Python quickly, the Python Tutorial is a good resource.<br /> If you’re new to programming and want to start with Python, the following books<br /> may be useful to you:<br /> Automate the Boring Stuff With Python<br /> How To Think Like a Computer Scientist<br /> Learn Python 3 The Hard Way<br /> You can also take a look at this list of Python resources for non-programmers,<br /> as well as the suggested resources in the learnpython-subreddit.<br /> Creating a project¶<br /> Before you start scraping, you will have to set up a new Scrapy project. Enter a<br /> directory where you’d like to store your code and run:<br /> scrapy startproject tutorial<br /> This will create a tutorial directory with the following contents:<br /> tutorial/<br /> # deploy configuration file<br /> tutorial/ # project’s Python module, you’ll import your code from here<br /> # project items definition file<br /> # project middlewares file<br /> # project pipelines file<br /> # project settings file<br /> spiders/ # a directory where you’ll later put your spiders<br /> Our first Spider¶<br /> Spiders are classes that you define and that Scrapy uses to scrape information<br /> from a website (or a group of websites). They must subclass<br /> Spider and define the initial requests to make,<br /> optionally how to follow links in the pages, and how to parse the downloaded<br /> page content to extract data.<br /> This is the code for our first Spider. Save it in a file named<br /> under the tutorial/spiders directory in your project:<br /> import scrapy<br /> class QuotesSpider():<br /> name = “quotes”<br /> def start_requests(self):<br /> urls = [<br /> ”,<br /> ”, ]<br /> for url in urls:<br /> yield quest(url=url, )<br /> def parse(self, response):<br /> page = (“/”)[-2]<br /> filename = f’quotes-{page}’<br /> with open(filename, ‘wb’) as f:<br /> ()<br /> (f’Saved file {filename}’)<br /> As you can see, our Spider subclasses<br /> and defines some attributes and methods:<br /> name: identifies the Spider. It must be<br /> unique within a project, that is, you can’t set the same name for different<br /> Spiders.<br /> start_requests(): must return an iterable of<br /> Requests (you can return a list of requests or write a generator function)<br /> which the Spider will begin to crawl from. Subsequent requests will be<br /> generated successively from these initial requests.<br /> parse(): a method that will be called to handle<br /> the response downloaded for each of the requests made. The response parameter<br /> is an instance of TextResponse that holds<br /> the page content and has further helpful methods to handle it.<br /> The parse() method usually parses the response, extracting<br /> the scraped data as dicts and also finding new URLs to<br /> follow and creating new requests (Request) from them.<br /> How to run our spider¶<br /> To put our spider to work, go to the project’s top level directory and run:<br /> This command runs the spider with name quotes that we’ve just added, that<br /> will send some requests for the domain. You will get an output<br /> similar to this:… (omitted for brevity)<br /> 2016-12-16 21:24:05 [] INFO: Spider opened<br /> 2016-12-16 21:24:05 [scrapy. extensions. logstats] INFO: Crawled 0 pages (at 0 pages/min), scraped 0 items (at 0 items/min)<br /> 2016-12-16 21:24:05 [] DEBUG: Telnet console listening on 127. 0. 1:6023<br /> 2016-12-16 21:24:05 [] DEBUG: Crawled (404) <GET > (referer: None)<br /> 2016-12-16 21:24:05 [] DEBUG: Crawled (200) <GET > (referer: None)<br /> 2016-12-16 21:24:05 [quotes] DEBUG: Saved file<br /> 2016-12-16 21:24:05 [] INFO: Closing spider (finished)…<br /> Now, check the files in the current directory. You should notice that two new<br /> files have been created: and, with the content<br /> for the respective URLs, as our parse method instructs.<br /> Note<br /> If you are wondering why we haven’t parsed the HTML yet, hold<br /> on, we will cover that soon.<br /> What just happened under the hood? ¶<br /> Scrapy schedules the quest objects<br /> returned by the start_requests method of the Spider. Upon receiving a<br /> response for each one, it instantiates Response objects<br /> and calls the callback method associated with the request (in this case, the<br /> parse method) passing the response as argument.<br /> A shortcut to the start_requests method¶<br /> Instead of implementing a start_requests() method<br /> that generates quest objects from URLs,<br /> you can just define a start_urls class attribute<br /> with a list of URLs. This list will then be used by the default implementation<br /> of start_requests() to create the initial requests<br /> for your spider:<br /> start_urls = [<br /> The parse() method will be called to handle each<br /> of the requests for those URLs, even though we haven’t explicitly told Scrapy<br /> to do so. This happens because parse() is Scrapy’s<br /> default callback method, which is called for requests without an explicitly<br /> assigned callback.<br /> Storing the scraped data¶<br /> The simplest way to store the scraped data is by using Feed exports, with the following command:<br /> scrapy crawl quotes -O<br /> That will generate a file containing all scraped items,<br /> serialized in JSON.<br /> The -O command-line switch overwrites any existing file; use -o instead<br /> to append new content to any existing file. However, appending to a JSON file<br /> makes the file contents invalid JSON. When appending to a file, consider<br /> using a different serialization format, such as JSON Lines:<br /> scrapy crawl quotes -o<br /> The JSON Lines format is useful because it’s stream-like, you can easily<br /> append new records to it. It doesn’t have the same problem of JSON when you run<br /> twice. Also, as each record is a separate line, you can process big files<br /> without having to fit everything in memory, there are tools like JQ to help<br /> doing that at the command-line.<br /> In small projects (like the one in this tutorial), that should be enough.<br /> However, if you want to perform more complex things with the scraped items, you<br /> can write an Item Pipeline. A placeholder file<br /> for Item Pipelines has been set up for you when the project is created, in<br /> tutorial/ Though you don’t need to implement any item<br /> pipelines if you just want to store the scraped items.<br /> Following links¶<br /> Let’s say, instead of just scraping the stuff from the first two pages<br /> from, you want quotes from all the pages in the website.<br /> Now that you know how to extract data from pages, let’s see how to follow links<br /> from them.<br /> First thing is to extract the link to the page we want to follow. Examining<br /> our page, we can see there is a link to the next page with the following<br /> markup:</p> <ul class="pager"> <li class="next"> <a href="/page/2/">Next <span aria-hidden="true">→</span></a> </li> </ul> <p>We can try extracting it in the shell:<br /> >>> (‘ a’)()<br /> ‘<a href="/page/2/">Next <span aria-hidden="true">→</span></a>‘<br /> This gets the anchor element, but we want the attribute href. For that,<br /> Scrapy supports a CSS extension that lets you select the attribute contents,<br /> like this:<br /> >>> (‘ a::attr(href)’)()<br /> ‘/page/2/’<br /> There is also an attrib property available<br /> (see Selecting element attributes for more):<br /> >>> (‘ a’)[‘href’]<br /> Let’s see now our spider modified to recursively follow the link to the next<br /> page, extracting data from it:<br /> for quote in (”):<br /> yield {<br /> ‘text’: (”)(),<br /> ‘author’: (”)(),<br /> ‘tags’: (‘ ‘)(), }<br /> next_page = (‘ a::attr(href)’)()<br /> if next_page is not None:<br /> next_page = response. urljoin(next_page)<br /> yield quest(next_page, )<br /> Now, after extracting the data, the parse() method looks for the link to<br /> the next page, builds a full absolute URL using the<br /> urljoin() method (since the links can be<br /> relative) and yields a new request to the next page, registering itself as<br /> callback to handle the data extraction for the next page and to keep the<br /> crawling going through all the pages.<br /> What you see here is Scrapy’s mechanism of following links: when you yield<br /> a Request in a callback method, Scrapy will schedule that request to be sent<br /> and register a callback method to be executed when that request finishes.<br /> Using this, you can build complex crawlers that follow links according to rules<br /> you define, and extract different kinds of data depending on the page it’s<br /> visiting.<br /> In our example, it creates a sort of loop, following all the links to the next page<br /> until it doesn’t find one – handy for crawling blogs, forums and other sites with<br /> pagination.<br /> A shortcut for creating Requests¶<br /> As a shortcut for creating Request objects you can use<br /> ‘author’: (‘span small::text’)(),<br /> yield (next_page, )<br /> Unlike quest, supports relative URLs directly – no<br /> need to call urljoin. Note that just returns a Request<br /> instance; you still have to yield this Request.<br /> You can also pass a selector to instead of a string;<br /> this selector should extract necessary attributes:<br /> for href in (‘ a::attr(href)’):<br /> yield (href, )<br /> For <a> elements there is a shortcut: uses their href<br /> attribute automatically. So the code can be shortened further:<br /> for a in (‘ a’):<br /> yield (a, )<br /> To create multiple requests from an iterable, you can use<br /> llow_all instead:<br /> anchors = (‘ a’)<br /> yield from llow_all(anchors, )<br /> or, shortening it further:<br /> yield from llow_all(css=’ a’, )<br /> More examples and patterns¶<br /> Here is another spider that illustrates callbacks and following links,<br /> this time for scraping author information:<br /> class AuthorSpider():<br /> name = ‘author’<br /> start_urls = [”]<br /> author_page_links = (‘ + a’)<br /> yield from llow_all(author_page_links, rse_author)<br /> pagination_links = (‘ a’)<br /> yield from llow_all(pagination_links, )<br /> def parse_author(self, response):<br /> def extract_with_css(query):<br /> return (query)(default=”)()<br /> ‘name’: extract_with_css(”),<br /> ‘birthdate’: extract_with_css(”),<br /> ‘bio’: extract_with_css(”), }<br /> This spider will start from the main page, it will follow all the links to the<br /> authors pages calling the parse_author callback for each of them, and also<br /> the pagination links with the parse callback as we saw before.<br /> Here we’re passing callbacks to<br /> llow_all as positional<br /> arguments to make the code shorter; it also works for<br /> Request.<br /> The parse_author callback defines a helper function to extract and cleanup the<br /> data from a CSS query and yields the Python dict with the author data.<br /> Another interesting thing this spider demonstrates is that, even if there are<br /> many quotes from the same author, we don’t need to worry about visiting the<br /> same author page multiple times. By default, Scrapy filters out duplicated<br /> requests to URLs already visited, avoiding the problem of hitting servers too<br /> much because of a programming mistake. This can be configured by the setting<br /> DUPEFILTER_CLASS.<br /> Hopefully by now you have a good understanding of how to use the mechanism<br /> of following links and callbacks with Scrapy.<br /> As yet another example spider that leverages the mechanism of following links,<br /> check out the CrawlSpider class for a generic<br /> spider that implements a small rules engine that you can use to write your<br /> crawlers on top of it.<br /> Also, a common pattern is to build an item with data from more than one page,<br /> using a trick to pass additional data to the callbacks.<br /> Using spider arguments¶<br /> You can provide command line arguments to your spiders by using the -a<br /> option when running them:<br /> scrapy crawl quotes -O -a tag=humor<br /> These arguments are passed to the Spider’s __init__ method and become<br /> spider attributes by default.<br /> In this example, the value provided for the tag argument will be available<br /> via You can use this to make your spider fetch only quotes<br /> with a specific tag, building the URL based on the argument:<br /> url = ”<br /> tag = getattr(self, ‘tag’, None)<br /> if tag is not None:<br /> url = url + ‘tag/’ + tag<br /> yield quest(url, )<br /> ‘author’: (”)(), }<br /> If you pass the tag=humor argument to this spider, you’ll notice that it<br /> will only visit URLs from the humor tag, such as<br /> You can learn more about handling spider arguments here.<br /> Next steps¶<br /> This tutorial covered only the basics of Scrapy, but there’s a lot of other<br /> features not mentioned here. Check the What else? section in<br /> Scrapy at a glance chapter for a quick overview of the most important ones.<br /> You can continue from the section Basic concepts to know more about the<br /> command-line tool, spiders, selectors and other things the tutorial hasn’t covered like<br /> modeling the scraped data. If you prefer to play with an example project, check<br /> the Examples section.<br /> <img decoding="async" src="https://bilderupload.net/wp-content/uploads/2021/12/images-18.jpeg" alt="Requests and Responses — Scrapy 2.5.1 documentation" title="Requests and Responses — Scrapy 2.5.1 documentation" /></p> <h2>Requests and Responses — Scrapy 2.5.1 documentation</h2> <p>Scrapy uses Request and Response objects for crawling web<br /> sites.<br /> Typically, Request objects are generated in the spiders and pass<br /> across the system until they reach the Downloader, which executes the request<br /> and returns a Response object which travels back to the spider that<br /> issued the request.<br /> Both Request and Response classes have subclasses which add<br /> functionality not required in the base classes. These are described<br /> below in Request subclasses and<br /> Response subclasses.<br /> Request objects¶<br /> class (*args, **kwargs)[source]¶<br /> A Request object represents an HTTP request, which is usually<br /> generated in the Spider and executed by the Downloader, and thus generating<br /> a Response.<br /> Parameters<br /> url (str) – the URL of this request<br /> If the URL is invalid, a ValueError exception is raised.<br /> callback () – the function that will be called with the response of this<br /> request (once it’s downloaded) as its first parameter. For more information<br /> see Passing additional data to callback functions below.<br /> If a Request doesn’t specify a callback, the spider’s<br /> parse() method will be used.<br /> Note that if exceptions are raised during processing, errback is called instead.<br /> method (str) – the HTTP method of this request. Defaults to ‘GET’.<br /> meta (dict) – the initial values for the attribute. If<br /> given, the dict passed in this parameter will be shallow copied.<br /> body (bytes or str) – the request body. If a string is passed, then it’s encoded as<br /> bytes using the encoding passed (which defaults to utf-8). If<br /> body is not given, an empty bytes object is stored. Regardless of the<br /> type of this argument, the final value stored will be a bytes object<br /> (never a string or None).<br /> headers (dict) – the headers of this request. The dict values can be strings<br /> (for single valued headers) or lists (for multi-valued headers). If<br /> None is passed as value, the HTTP header will not be sent at all.<br /> Caution<br /> Cookies set via the Cookie header are not considered by the<br /> CookiesMiddleware. If you need to set cookies for a request, use the<br /> okies parameter. This is a known<br /> current limitation that is being worked on.<br /> cookies (dict or list) – the request cookies. These can be sent in two forms.<br /> Using a dict:<br /> request_with_cookies = Request(url=”,<br /> cookies={‘currency’: ‘USD’, ‘country’: ‘UY’})<br /> Using a list of dicts:<br /> cookies=[{‘name’: ‘currency’,<br /> ‘value’: ‘USD’,<br /> ‘domain’: ”,<br /> ‘path’: ‘/currency’}])<br /> The latter form allows for customizing the domain and path<br /> attributes of the cookie. This is only useful if the cookies are saved<br /> for later requests.<br /> When some site returns cookies (in a response) those are stored in the<br /> cookies for that domain and will be sent again in future requests.<br /> That’s the typical behaviour of any regular web browser.<br /> To create a request that does not send stored cookies and does not<br /> store received cookies, set the dont_merge_cookies key to True<br /> in<br /> Example of a request that sends manually-defined cookies and ignores<br /> cookie storage:<br /> Request(<br /> url=”,<br /> cookies={‘currency’: ‘USD’, ‘country’: ‘UY’},<br /> meta={‘dont_merge_cookies’: True}, )<br /> For more info see CookiesMiddleware.<br /> encoding (str) – the encoding of this request (defaults to ‘utf-8’).<br /> This encoding will be used to percent-encode the URL and to convert the<br /> body to bytes (if given as a string).<br /> priority (int) – the priority of this request (defaults to 0).<br /> The priority is used by the scheduler to define the order used to process<br /> requests. Requests with a higher priority value will execute earlier.<br /> Negative values are allowed in order to indicate relatively low-priority.<br /> dont_filter (bool) – indicates that this request should not be filtered by<br /> the scheduler. This is used when you want to perform an identical<br /> request multiple times, to ignore the duplicates filter. Use it with<br /> care, or you will get into crawling loops. Default to False.<br /> errback () – a function that will be called if any exception was<br /> raised while processing the request. This includes pages that failed<br /> with 404 HTTP errors and such. It receives a<br /> Failure as first parameter.<br /> For more information,<br /> see Using errbacks to catch exceptions in request processing below.<br /> Changed in version 2. 0: The callback parameter is no longer required when the errback<br /> parameter is specified.<br /> flags (list) – Flags sent to the request, can be used for logging or similar purposes.<br /> cb_kwargs (dict) – A dict with arbitrary data that will be passed as keyword arguments to the Request’s callback.<br /> url¶<br /> A string containing the URL of this request. Keep in mind that this<br /> attribute contains the escaped URL, so it can differ from the URL passed in<br /> the __init__ method.<br /> This attribute is read-only. To change the URL of a Request use<br /> replace().<br /> method¶<br /> A string representing the HTTP method in the request. This is guaranteed to<br /> be uppercase. Example: “GET”, “POST”, “PUT”, etc<br /> A dictionary-like object which contains the request headers.<br /> body¶<br /> The request body as bytes.<br /> This attribute is read-only. To change the body of a Request use<br /> meta¶<br /> A dict that contains arbitrary metadata for this request. This dict is<br /> empty for new Requests, and is usually populated by different Scrapy<br /> components (extensions, middlewares, etc). So the data contained in this<br /> dict depends on the extensions you have enabled.<br /> See special keys for a list of special meta keys<br /> recognized by Scrapy.<br /> This dict is shallow copied when the request is<br /> cloned using the copy() or replace() methods, and can also be<br /> accessed, in your spider, from the attribute.<br /> cb_kwargs¶<br /> A dictionary that contains arbitrary metadata for this request. Its contents<br /> will be passed to the Request’s callback as keyword arguments. It is empty<br /> for new Requests, which means by default callbacks only get a Response<br /> object as argument.<br /> accessed, in your spider, from the response. cb_kwargs attribute.<br /> In case of a failure to process the request, this dict can be accessed as<br /> quest. cb_kwargs in the request’s errback. For more information,<br /> see Accessing additional data in errback functions.<br /> copy()[source]¶<br /> Return a new Request which is a copy of this Request. See also:<br /> Passing additional data to callback functions.<br /> replace([url, method, headers, body, cookies, meta, flags, encoding, priority, dont_filter, callback, errback, cb_kwargs])[source]¶<br /> Return a Request object with the same members, except for those members<br /> given new values by whichever keyword arguments are specified. The<br /> Request. cb_kwargs and attributes are shallow<br /> copied by default (unless new values are given as arguments). See also<br /> classmethod from_curl(curl_command, ignore_unknown_options=True, **kwargs)[source]¶<br /> Create a Request object from a string containing a cURL command. It populates the HTTP method, the<br /> URL, the headers, the cookies and the body. It accepts the same<br /> arguments as the Request class, taking preference and<br /> overriding the values of the same arguments contained in the cURL<br /> command.<br /> Unrecognized options are ignored by default. To raise an error when<br /> finding unknown options call this method by passing<br /> ignore_unknown_options=False.<br /> To translate a cURL command into a Scrapy request,<br /> you may use curl2scrapy.<br /> Passing additional data to callback functions¶<br /> The callback of a request is a function that will be called when the response<br /> of that request is downloaded. The callback function will be called with the<br /> downloaded Response object as its first argument.<br /> Example:<br /> def parse_page1(self, response):<br /> return quest(“,<br /> rse_page2)<br /> def parse_page2(self, response):<br /> # this would log (“Visited%s”, )<br /> In some cases you may be interested in passing arguments to those callback<br /> functions so you can receive the arguments later, in the second callback.<br /> The following example shows how to achieve this by using the<br /> Request. cb_kwargs attribute:<br /> def parse(self, response):<br /> request = quest(”,<br /> rse_page2,<br /> cb_kwargs=dict())<br /> request. cb_kwargs[‘foo’] = ‘bar’ # add more arguments for the callback<br /> yield request<br /> def parse_page2(self, response, main_url, foo):<br /> yield dict(<br /> main_url=main_url,,<br /> foo=foo, )<br /> Request. cb_kwargs was introduced in version 1. 7.<br /> Prior to that, using was recommended for passing<br /> information around callbacks. After 1. 7, Request. cb_kwargs<br /> became the preferred way for handling user information, leaving<br /> for communication with components like middlewares and extensions.<br /> Using errbacks to catch exceptions in request processing¶<br /> The errback of a request is a function that will be called when an exception<br /> is raise while processing it.<br /> It receives a Failure as first parameter and can<br /> be used to track connection establishment timeouts, DNS errors etc.<br /> Here’s an example spider logging all errors and catching some specific<br /> errors if needed:<br /> import scrapy<br /> from tperror import HttpError<br /> from import DNSLookupError<br /> from import TimeoutError, TCPTimedOutError<br /> class ErrbackSpider():<br /> name = “errback_example”<br /> start_urls = [<br /> “, # HTTP 200 expected<br /> “, # Not found error<br /> “, # server issue<br /> “, # non-responding host, timeout expected<br /> “, # DNS error expected]<br /> def start_requests(self):<br /> for u in art_urls:<br /> yield quest(u, rse_bin,<br /> rback_bin,<br /> dont_filter=True)<br /> def parse_bin(self, response):<br /> (‘Got successful response from {}'())<br /> # do something useful here…<br /> def errback_bin(self, failure):<br /> # log all failures<br /> (repr(failure))<br /> # in case you want to do something special for some errors,<br /> # you may need the failure’s type:<br /> if (HttpError):<br /> # these exceptions come from HttpError spider middleware<br /> # you can get the non-200 response<br /> response =<br /> (‘HttpError on%s’, )<br /> elif (DNSLookupError):<br /> # this is the original request<br /> request = quest<br /> (‘DNSLookupError on%s’, )<br /> elif (TimeoutError, TCPTimedOutError):<br /> (‘TimeoutError on%s’, )<br /> Accessing additional data in errback functions¶<br /> In case of a failure to process the request, you may be interested in<br /> accessing arguments to the callback functions so you can process further<br /> based on the arguments in the errback. The following example shows how to<br /> achieve this by using quest. cb_kwargs:<br /> rback_page2,<br /> def parse_page2(self, response, main_url):<br /> pass<br /> def errback_page2(self, failure):<br /> quest. cb_kwargs[‘main_url’], )<br /> special keys¶<br /> The attribute can contain any arbitrary data, but there<br /> are some special keys recognized by Scrapy and its built-in extensions.<br /> Those are:<br /> bindaddress<br /> cookiejar<br /> dont_cache<br /> dont_merge_cookies<br /> dont_obey_robotstxt<br /> dont_redirect<br /> dont_retry<br /> download_fail_on_dataloss<br /> download_latency<br /> download_maxsize<br /> download_timeout<br /> ftp_password (See FTP_PASSWORD for more info)<br /> ftp_user (See FTP_USER for more info)<br /> handle_tatus_all<br /> handle_tatus_list<br /> max_retry_times<br /> proxy<br /> redirect_reasons<br /> redirect_urls<br /> referrer_policy<br /> bindaddress¶<br /> The IP of the outgoing IP address to use for the performing the request.<br /> download_timeout¶<br /> The amount of time (in secs) that the downloader will wait before timing out.<br /> See also: DOWNLOAD_TIMEOUT.<br /> download_latency¶<br /> The amount of time spent to fetch the response, since the request has been<br /> started, i. e. HTTP message sent over the network. This meta key only becomes<br /> available when the response has been downloaded. While most other meta keys are<br /> used to control Scrapy behavior, this one is supposed to be read-only.<br /> download_fail_on_dataloss¶<br /> Whether or not to fail on broken responses. See:<br /> DOWNLOAD_FAIL_ON_DATALOSS.<br /> max_retry_times¶<br /> The meta key is used set retry times per request. When initialized, the<br /> max_retry_times meta key takes higher precedence over the<br /> RETRY_TIMES setting.<br /> Stopping the download of a Response¶<br /> Raising a StopDownload exception from a handler for the<br /> bytes_received or headers_received<br /> signals will stop the download of a given response. See the following example:<br /> class StopSpider():<br /> name = “stop”<br /> start_urls = [“]<br /> @classmethod<br /> def from_crawler(cls, crawler):<br /> spider = super(). from_crawler(crawler)<br /> nnect(spider. on_bytes_received, tes_received)<br /> return spider<br /> # ‘last_chars’ show that the full response was not downloaded<br /> yield {“len”: len(), “last_chars”: [-40:]}<br /> def on_bytes_received(self, data, request, spider):<br /> raise opDownload(fail=False)<br /> which produces the following output:<br /> 2020-05-19 17:26:12 [] INFO: Spider opened<br /> 2020-05-19 17:26:12 [scrapy. extensions. logstats] INFO: Crawled 0 pages (at 0 pages/min), scraped 0 items (at 0 items/min)<br /> 2020-05-19 17:26:13 [] DEBUG: Download stopped for <GET > from signal handler StopSpider. on_bytes_received<br /> 2020-05-19 17:26:13 [] DEBUG: Crawled (200) <GET > (referer: None) [‘download_stopped’]<br /> 2020-05-19 17:26:13 [] DEBUG: Scraped from <200 ><br /> {‘len’: 279, ‘last_chars’: ‘dth, initial-scale=1. 0″>\n \n <title>Scr’}<br /> 2020-05-19 17:26:13 [] INFO: Closing spider (finished)<br /> By default, resulting responses are handled by their corresponding errbacks. To<br /> call their callback instead, like in this example, pass fail=False to the<br /> StopDownload exception.<br /> Request subclasses¶<br /> Here is the list of built-in Request subclasses. You can also subclass<br /> it to implement your own custom functionality.<br /> FormRequest objects¶<br /> The FormRequest class extends the base Request with functionality for<br /> dealing with HTML forms. It uses forms to pre-populate form<br /> fields with form data from Response objects.<br /> class (url[, formdata,… ])[source]¶<br /> The FormRequest class adds a new keyword parameter to the __init__ method. The<br /> remaining arguments are the same as for the Request class and are<br /> not documented here.<br /> formdata (dict or) – is a dictionary (or iterable of (key, value) tuples)<br /> containing HTML Form data which will be url-encoded and assigned to the<br /> body of the request.<br /> The FormRequest objects support the following class method in<br /> addition to the standard Request methods:<br /> classmethod from_response(response[, formname=None, formid=None, formnumber=0, formdata=None, formxpath=None, formcss=None, clickdata=None, dont_click=False,… ])[source]¶<br /> Returns a new FormRequest object with its form field values<br /> pre-populated with those found in the HTML </p> <form> element contained<br /> in the given response. For an example see<br /> Using om_response() to simulate a user login.<br /> The policy is to automatically simulate a click, by default, on any form<br /> control that looks clickable, like a <input type="submit">. Even<br /> though this is quite convenient, and often the desired behaviour,<br /> sometimes it can cause problems which could be hard to debug. For<br /> example, when working with forms that are filled and/or submitted using<br /> javascript, the default from_response() behaviour may not be the<br /> most appropriate. To disable this behaviour you can set the<br /> dont_click argument to True. Also, if you want to change the<br /> control clicked (instead of disabling it) you can also use the<br /> clickdata argument.<br /> Using this method with select elements which have leading<br /> or trailing whitespace in the option values will not work due to a<br /> bug in lxml, which should be fixed in lxml 3. 8 and above.<br /> response (Response object) – the response containing a HTML form which will be used<br /> to pre-populate the form fields<br /> formname (str) – if given, the form with name attribute set to this value will be used.<br /> formid (str) – if given, the form with id attribute set to this value will be used.<br /> formxpath (str) – if given, the first form that matches the xpath will be used.<br /> formcss (str) – if given, the first form that matches the css selector will be used.<br /> formnumber (int) – the number of form to use, when the response contains<br /> multiple forms. The first one (and also the default) is 0.<br /> formdata (dict) – fields to override in the form data. If a field was<br /> already present in the response </p> <form> element, its value is<br /> overridden by the one passed in this parameter. If a value passed in<br /> this parameter is None, the field will not be included in the<br /> request, even if it was present in the response </p> <form> element.<br /> clickdata (dict) – attributes to lookup the control clicked. If it’s not<br /> given, the form data will be submitted simulating a click on the<br /> first clickable element. In addition to html attributes, the control<br /> can be identified by its zero-based index relative to other<br /> submittable inputs inside the form, via the nr attribute.<br /> dont_click (bool) – If True, the form data will be submitted without<br /> clicking in any element.<br /> The other parameters of this class method are passed directly to the<br /> FormRequest __init__ method.<br /> Request usage examples¶<br /> Using FormRequest to send data via HTTP POST¶<br /> If you want to simulate a HTML Form POST in your spider and send a couple of<br /> key-value fields, you can return a FormRequest object (from your<br /> spider) like this:<br /> return [FormRequest(url=”,<br /> formdata={‘name’: ‘John Doe’, ‘age’: ’27’},<br /> ter_post)]<br /> Using om_response() to simulate a user login¶<br /> It is usual for web sites to provide pre-populated form fields through <input type="hidden"> elements, such as session related data or authentication<br /> tokens (for login pages). When scraping, you’ll want these fields to be<br /> automatically pre-populated and only override a couple of them, such as the<br /> user name and password. You can use the om_response()<br /> method for this job. Here’s an example spider which uses it:<br /> def authentication_failed(response):<br /> # TODO: Check the contents of the response and return True if it failed<br /> # or False if it succeeded.<br /> class LoginSpider():<br /> name = ”<br /> start_urls = [”]<br /> return om_response(<br /> response,<br /> formdata={‘username’: ‘john’, ‘password’: ‘secret’},<br /> ter_login)<br /> def after_login(self, response):<br /> if authentication_failed(response):<br /> (“Login failed”)<br /> return<br /> # continue scraping with authenticated session…<br /> JsonRequest¶<br /> The JsonRequest class extends the base Request class with functionality for<br /> dealing with JSON requests.<br /> class (url[,… data, dumps_kwargs])[source]¶<br /> The JsonRequest class adds two new keyword parameters to the __init__ method. The<br /> Using the JsonRequest will set the Content-Type header to application/json<br /> and Accept header to application/json, text/javascript, */*; q=0. 01<br /> data (object) – is any JSON serializable object that needs to be JSON encoded and assigned to body.<br /> if argument is provided this parameter will be ignored.<br /> if argument is not provided and data argument is provided will be<br /> set to ‘POST’ automatically.<br /> dumps_kwargs (dict) – Parameters that will be passed to underlying () method which is used to serialize<br /> data into JSON format.<br /> JsonRequest usage example¶<br /> Sending a JSON POST request with a JSON payload:<br /> data = {<br /> ‘name1’: ‘value1’,<br /> ‘name2’: ‘value2’, }<br /> yield JsonRequest(url=”, data=data)<br /> Response objects¶<br /> A Response object represents an HTTP response, which is usually<br /> downloaded (by the Downloader) and fed to the Spiders for processing.<br /> url (str) – the URL of this response<br /> status (int) – the HTTP status of the response. Defaults to 200.<br /> headers (dict) – the headers of this response. The dict values can be strings<br /> (for single valued headers) or lists (for multi-valued headers).<br /> body (bytes) – the response body. To access the decoded text as a string, use<br /> from an encoding-aware<br /> Response subclass,<br /> such as TextResponse.<br /> flags (list) – is a list containing the initial values for the<br /> attribute. If given, the list will be shallow<br /> copied.<br /> request () – the initial value of the quest attribute.<br /> This represents the Request that generated this response.<br /> certificate () – an object representing the server’s SSL certificate.<br /> ip_address (ipaddress. IPv4Address or ipaddress. IPv6Address) – The IP address of the server from which the Response originated.<br /> protocol (str) – The protocol that was used to download the response.<br /> For instance: “HTTP/1. 0”, “HTTP/1. 1”, “h2”<br /> New in version 2. 0. 0: The certificate parameter.<br /> New in version 2. 1. 0: The ip_address parameter.<br /> New in version 2. 5. 0: The protocol parameter.<br /> A string containing the URL of the response.<br /> This attribute is read-only. To change the URL of a Response use<br /> status¶<br /> An integer representing the HTTP status of the response. Example: 200,<br /> 404.<br /> A dictionary-like object which contains the response headers. Values can<br /> be accessed using get() to return the first header value with the<br /> specified name or getlist() to return all header values with the<br /> specified name. For example, this call will give you all cookies in the<br /> headers:<br /> tlist(‘Set-Cookie’)<br /> The response body as bytes.<br /> If you want the body as a string, use (only<br /> available in TextResponse and subclasses).<br /> This attribute is read-only. To change the body of a Response use<br /> request¶<br /> The Request object that generated this response. This attribute is<br /> assigned in the Scrapy engine, after the response and the request have passed<br /> through all Downloader Middlewares.<br /> In particular, this means that:<br /> HTTP redirections will cause the original request (to the URL before<br /> redirection) to be assigned to the redirected response (with the final<br /> URL after redirection).<br /> doesn’t always equal<br /> This attribute is only available in the spider code, and in the<br /> Spider Middlewares, but not in<br /> Downloader Middlewares (although you have the Request available there by<br /> other means) and handlers of the response_downloaded signal.<br /> A shortcut to the attribute of the<br /> quest object (i. ).<br /> Unlike the quest attribute, the<br /> attribute is propagated along redirects and retries, so you will get<br /> the original sent from your spider.<br /> See also<br /> attribute<br /> New in version 2. 0.<br /> A shortcut to the Request. cb_kwargs attribute of the<br /> quest object (i. quest. cb_kwargs).<br /> Response. cb_kwargs attribute is propagated along redirects and<br /> retries, so you will get the original Request. cb_kwargs sent<br /> from your spider.<br /> Request. cb_kwargs attribute<br /> flags¶<br /> A list that contains flags for this response. Flags are labels used for<br /> tagging Responses. For example: ‘cached’, ‘redirected’, etc. And<br /> they’re shown on the string representation of the Response (__str__<br /> method) which is used by the engine for logging.<br /> certificate¶<br /> New in version 2. 0.<br /> A object representing<br /> the server’s SSL certificate.<br /> Only populated for responses, None otherwise.<br /> ip_address¶<br /> New in version 2. 0.<br /> The IP address of the server from which the Response originated.<br /> This attribute is currently only populated by the HTTP 1. 1 download<br /> handler, i. for (s) responses. For other handlers,<br /> ip_address is always None.<br /> protocol¶<br /> New in version 2. 0.<br /> The protocol that was used to download the response.<br /> For instance: “HTTP/1. 1”<br /> This attribute is currently only populated by the HTTP download<br /> handlers, i. For other handlers,<br /> protocol is always None.<br /> Returns a new Response which is a copy of this Response.<br /> replace([url, status, headers, body, request, flags, cls])[source]¶<br /> Returns a Response object with the same members, except for those members<br /> attribute is copied by default.<br /> urljoin(url)[source]¶<br /> Constructs an absolute url by combining the Response’s url with<br /> a possible relative url.<br /> This is a wrapper over urljoin(), it’s merely an alias for<br /> making this call:<br /> (, url)<br /> follow(url, callback=None, method=’GET’, headers=None, body=None, cookies=None, meta=None, encoding=’utf-8′, priority=0, dont_filter=False, errback=None, cb_kwargs=None, flags=None) → [source]¶<br /> Return a Request instance to follow a link url.<br /> It accepts the same arguments as Request. __init__ method,<br /> but url can be a relative URL or a object,<br /> not only an absolute URL.<br /> TextResponse provides a follow()<br /> method which supports selectors in addition to absolute/relative URLs<br /> and Link objects.<br /> New in version 2. 0: The flags parameter.<br /> follow_all(urls, callback=None, method=’GET’, headers=None, body=None, cookies=None, meta=None, encoding=’utf-8′, priority=0, dont_filter=False, errback=None, cb_kwargs=None, flags=None) → Generator[, None, None][source]¶<br /> Return an iterable of Request instances to follow all links<br /> in urls. It accepts the same arguments as Request. __init__ method,<br /> but elements of urls can be relative URLs or Link objects,<br /> not only absolute URLs.<br /> TextResponse provides a follow_all()<br /> Response subclasses¶<br /> Here is the list of available built-in Response subclasses. You can also<br /> subclass the Response class to implement your own functionality.<br /> TextResponse objects¶<br /> class (url[, encoding[,… ]])[source]¶<br /> TextResponse objects adds encoding capabilities to the base<br /> Response class, which is meant to be used only for binary data,<br /> such as images, sounds or any media file.<br /> TextResponse objects support a new __init__ method argument, in<br /> addition to the base Response objects. The remaining functionality<br /> is the same as for the Response class and is not documented here.<br /> encoding (str) – is a string which contains the encoding to use for this<br /> response. If you create a TextResponse object with a string as<br /> body, it will be converted to bytes encoded using this encoding. If<br /> encoding is None (default), the encoding will be looked up in the<br /> response headers and body instead.<br /> TextResponse objects support the following attributes in addition<br /> to the standard Response ones:<br /> text¶<br /> Response body, as a string.<br /> The same as (response. encoding), but the<br /> result is cached after the first call, so you can access<br /> multiple times without extra overhead.<br /> Note<br /> str() is not a correct way to convert the response<br /> body into a string:<br /> >>> str(b’body’)<br /> “b’body'”<br /> encoding¶<br /> A string with the encoding of this response. The encoding is resolved by<br /> trying the following mechanisms, in order:<br /> the encoding passed in the __init__ method encoding argument<br /> the encoding declared in the Content-Type HTTP header. If this<br /> encoding is not valid (i. unknown), it is ignored and the next<br /> resolution mechanism is tried.<br /> the encoding declared in the response body. The TextResponse class<br /> doesn’t provide any special functionality for this. However, the<br /> HtmlResponse and XmlResponse classes do.<br /> the encoding inferred by looking at the response body. This is the more<br /> fragile method but also the last one tried.<br /> selector¶<br /> A Selector instance using the response as<br /> target. The selector is lazily instantiated on first access.<br /> TextResponse objects support the following methods in addition to<br /> the standard Response ones:<br /> xpath(query)[source]¶<br /> A shortcut to (query):<br /> css(query)[source]¶<br /> follow(url, callback=None, method=’GET’, headers=None, body=None, cookies=None, meta=None, encoding=None, priority=0, dont_filter=False, errback=None, cb_kwargs=None, flags=None) → [source]¶<br /> but url can be not only an absolute URL, but also<br /> a relative URL<br /> a Link object, e. g. the result of<br /> Link Extractors<br /> a Selector object for a <link> or <a> element, e. g.<br /> (‘_link’)[0]<br /> an attribute Selector (not SelectorList), e. g.<br /> (‘a::attr(href)’)[0] or<br /> (‘//img/@src’)[0]<br /> See A shortcut for creating Requests for usage examples.<br /> follow_all(urls=None, callback=None, method=’GET’, headers=None, body=None, cookies=None, meta=None, encoding=None, priority=0, dont_filter=False, errback=None, cb_kwargs=None, flags=None, css=None, xpath=None) → Generator[, None, None][source]¶<br /> A generator that produces Request instances to follow all<br /> links in urls. It accepts the same arguments as the Request’s<br /> __init__ method, except that each urls element does not need to be<br /> an absolute URL, it can be any of the following:<br /> In addition, css and xpath arguments are accepted to perform the link extraction<br /> within the follow_all method (only one of urls, css and xpath is accepted).<br /> Note that when passing a SelectorList as argument for the urls parameter or<br /> using the css or xpath parameters, this method will not produce requests for<br /> selectors from which links cannot be obtained (for instance, anchor tags without an<br /> href attribute)<br /> json()[source]¶<br /> New in version 2. 2.<br /> Deserialize a JSON document to a Python object.<br /> Returns a Python object from deserialized JSON document.<br /> The result is cached after the first call.<br /> HtmlResponse objects¶<br /> class (url[,… ])[source]¶<br /> The HtmlResponse class is a subclass of TextResponse<br /> which adds encoding auto-discovering support by looking into the HTML meta<br /> -equiv attribute. See TextResponse. encoding.<br /> XmlResponse objects¶<br /> The XmlResponse class is a subclass of TextResponse which<br /> adds encoding auto-discovering support by looking into the XML declaration<br /> line. encoding.</p> <h2>Frequently Asked Questions about scrapy html</h2> <h3>How do you make a Scrapy in HTML?</h3> <p>Short answer:Scrapy/Parsel selectors’ . re() and . re_first() methods replace HTML entities (except &lt; , &amp; )instead, use . extract() or . extract_first() to get raw HTML (or raw JavaScript instructions) and use Python’s re module on extracted string.Jan 20, 2016</p> <h3>Why would you choose to use Scrapy to parse HTML?</h3> <p>Scrapy is a Python framework for creating web scraping applications. It provides a programming interface to crawl the web by identifying new links, and extracts structured data from the downloaded content.Dec 4, 2017</p> <h3>Is Scrapy better than Beautifulsoup?</h3> <p>Performance. Due to the built-in support for generating feed exports in multiple formats, as well as selecting and extracting data from various sources, the performance of Scrapy can be said to be faster than Beautiful Soup. Working with Beautiful Soup can speed up with the help of Multithreading process.Apr 8, 2020</p> </div><!-- .entry-content --> <footer class="entry-footer"> <span class="cat-links"><a href="https://bilderupload.net/category/proxy/" rel="category tag">Proxy</a></span><span class="tags-links">Tags : <a href="https://bilderupload.net/tag/run-scrapy-from-python/" rel="tag">run scrapy from python</a>, <a href="https://bilderupload.net/tag/scrapy-documentation/" rel="tag">scrapy documentation</a>, <a href="https://bilderupload.net/tag/scrapy-example/" rel="tag">scrapy example</a>, <a href="https://bilderupload.net/tag/scrapy-github/" rel="tag">scrapy github</a>, <a href="https://bilderupload.net/tag/scrapy-python/" rel="tag">scrapy python</a>, <a href="https://bilderupload.net/tag/scrapy-shell/" rel="tag">scrapy shell</a>, <a href="https://bilderupload.net/tag/scrapy-tutorial/" rel="tag">scrapy tutorial</a>, <a href="https://bilderupload.net/tag/scrapy-xpath/" rel="tag">scrapy xpath</a></span><span class="comments-link"><a href="https://bilderupload.net/scrapy-html/#respond">Leave a Comment<span class="screen-reader-text"> on Scrapy Html</span></a></span> </footer><!-- .entry-footer --> </div><!-- .blog-post-item --> </article><!-- #post-16475 --> <nav class="navigation post-navigation" aria-label="Posts"> <h2 class="screen-reader-text">Post navigation</h2> <div class="nav-links"><div class="nav-previous"><a href="https://bilderupload.net/is-gumtree-free/" rel="prev"><span class="screen-reader-text">Previous Post</span><span aria-hidden="true" class="nav-subtitle">Previous</span> <span class="nav-title"><span class="nav-title-icon-wrapper"><svg class="icon icon-arrow-left" aria-hidden="true" role="img"> <use href="#icon-arrow-left" xlink:href="#icon-arrow-left"></use> </svg></span>Is Gumtree Free</span></a></div><div class="nav-next"><a href="https://bilderupload.net/ssl-unblock-facebook/" rel="next"><span class="screen-reader-text">Next Post</span><span aria-hidden="true" class="nav-subtitle">Next</span> <span class="nav-title">Ssl Unblock Facebook<span class="nav-title-icon-wrapper"><svg class="icon icon-arrow-right" aria-hidden="true" role="img"> <use href="#icon-arrow-right" xlink:href="#icon-arrow-right"></use> </svg></span></span></a></div></div> </nav> <div id="comments" class="comments-area"> <div id="respond" class="comment-respond"> <h3 id="reply-title" class="comment-reply-title">Leave a Reply <small><a rel="nofollow" id="cancel-comment-reply-link" href="/scrapy-html/#respond" style="display:none;">Cancel reply</a></small></h3><form action="https://bilderupload.net/wp-comments-post.php" method="post" id="commentform" class="comment-form" novalidate><p class="comment-notes"><span id="email-notes">Your email address will not be published.</span> <span class="required-field-message">Required fields are marked <span class="required">*</span></span></p><p class="comment-form-comment"><label for="comment">Comment <span class="required">*</span></label> <textarea id="comment" name="comment" cols="45" rows="8" maxlength="65525" required></textarea></p><p class="comment-form-author"><label for="author">Name <span class="required">*</span></label> <input id="author" name="author" type="text" value="" size="30" maxlength="245" autocomplete="name" required /></p> <p class="comment-form-email"><label for="email">Email <span class="required">*</span></label> <input id="email" name="email" type="email" value="" size="30" maxlength="100" aria-describedby="email-notes" autocomplete="email" required /></p> <p class="comment-form-url"><label for="url">Website</label> <input id="url" name="url" type="url" value="" size="30" maxlength="200" autocomplete="url" /></p> <p class="comment-form-cookies-consent"><input id="wp-comment-cookies-consent" name="wp-comment-cookies-consent" type="checkbox" value="yes" /> <label for="wp-comment-cookies-consent">Save my name, email, and website in this browser for the next time I comment.</label></p> <p class="form-submit"><input name="submit" type="submit" id="submit" class="submit" value="Post Comment" /> <input type='hidden' name='comment_post_ID' value='16475' id='comment_post_ID' /> <input type='hidden' name='comment_parent' id='comment_parent' value='0' /> </p><p style="display: none;"><input type="hidden" id="akismet_comment_nonce" name="akismet_comment_nonce" value="ce972e71ef" /></p><p style="display: none !important;" class="akismet-fields-container" data-prefix="ak_"><label>Δ<textarea name="ak_hp_textarea" cols="45" rows="8" maxlength="100"></textarea></label><input type="hidden" id="ak_js_1" name="ak_js" value="31"/></p></form> </div><!-- #respond --> </div><!-- #comments --> </div><!-- .single-post-wrap --> </main><!-- #main --> </div><!-- #primary --> <aside id="secondary" class="widget-area"> <section id="recent-posts-2" class="widget widget_recent_entries"> <h2 class="widget-title">Recent Posts</h2> <ul> <li> <a href="https://bilderupload.net/simple-web-crawler/">Simple Web Crawler</a> </li> <li> <a href="https://bilderupload.net/web-crawler-app/">Web Crawler App</a> </li> <li> <a href="https://bilderupload.net/pirate-by-proxy/">Pirate By Proxy</a> </li> <li> <a href="https://bilderupload.net/bayproxy-eu/">Bayproxy Eu</a> </li> <li> <a href="https://bilderupload.net/how-to-setup-socks5-proxy-firefox/">How To Setup Socks5 Proxy Firefox</a> </li> <li> <a href="https://bilderupload.net/nsi-proxy-service-driver/">Nsi Proxy Service Driver</a> </li> <li> <a href="https://bilderupload.net/how-to-unblock-a-contact-on-skype/">How To Unblock A Contact On Skype</a> </li> <li> <a href="https://bilderupload.net/us-ip-address-list/">Us Ip Address List</a> </li> <li> <a href="https://bilderupload.net/my-ip-shopify/">My Ip Shopify</a> </li> <li> <a href="https://bilderupload.net/how-to-use-vpn-for-cheaper-flights/">How To Use Vpn For Cheaper Flights</a> </li> <li> <a href="https://bilderupload.net/how-to-make-bit-torrent-faster/">How To Make Bit Torrent Faster</a> </li> <li> <a href="https://bilderupload.net/vpn-vs/">Vpn Vs</a> </li> <li> <a href="https://bilderupload.net/craigslist-menu/">Craigslist Menu</a> </li> <li> <a href="https://bilderupload.net/how-to-set-up-multiple-instagram-accounts/">How To Set Up Multiple Instagram Accounts</a> </li> <li> <a href="https://bilderupload.net/facebook-unblocked-at-school-site/">Facebook Unblocked At School Site</a> </li> <li> <a href="https://bilderupload.net/youtube-at-school-proxy/">Youtube At School Proxy</a> </li> <li> <a href="https://bilderupload.net/what-does-availability-mean-in-utorrent/">What Does Availability Mean In Utorrent</a> </li> <li> <a href="https://bilderupload.net/requests-python-example/">Requests Python Example</a> </li> <li> <a href="https://bilderupload.net/can-a-vpn-get-around-net-neutrality/">Can A Vpn Get Around Net Neutrality</a> </li> <li> <a href="https://bilderupload.net/xml-parse-python/">Xml Parse Python</a> </li> </ul> </section><section id="tag_cloud-2" class="widget widget_tag_cloud"><h2 class="widget-title">Tags</h2><div class="tagcloud"><a href="https://bilderupload.net/tag/1-million-proxy-list/" class="tag-cloud-link tag-link-945 tag-link-position-1" style="font-size: 8pt;" aria-label="1 million proxy list (27 items)">1 million proxy list</a> <a href="https://bilderupload.net/tag/best-free-proxy/" class="tag-cloud-link tag-link-580 tag-link-position-2" style="font-size: 19.666666666667pt;" aria-label="best free proxy (99 items)">best free proxy</a> <a href="https://bilderupload.net/tag/best-free-proxy-server-list/" class="tag-cloud-link tag-link-947 tag-link-position-3" style="font-size: 16.909090909091pt;" aria-label="best free proxy server list (73 items)">best free proxy server list</a> <a href="https://bilderupload.net/tag/best-proxy-server/" class="tag-cloud-link tag-link-579 tag-link-position-4" style="font-size: 11.181818181818pt;" aria-label="best proxy server (39 items)">best proxy server</a> <a href="https://bilderupload.net/tag/craigslist-account-for-sale/" class="tag-cloud-link tag-link-1376 tag-link-position-5" style="font-size: 8pt;" aria-label="craigslist account for sale (27 items)">craigslist account for sale</a> <a href="https://bilderupload.net/tag/craigslist-homepage/" class="tag-cloud-link tag-link-1375 tag-link-position-6" style="font-size: 10.969696969697pt;" aria-label="craigslist homepage (38 items)">craigslist homepage</a> <a href="https://bilderupload.net/tag/fastest-proxy-list/" class="tag-cloud-link tag-link-1503 tag-link-position-7" style="font-size: 8pt;" aria-label="fastest proxy list (27 items)">fastest proxy list</a> <a href="https://bilderupload.net/tag/free-proxy/" class="tag-cloud-link tag-link-435 tag-link-position-8" style="font-size: 12.030303030303pt;" aria-label="free proxy (43 items)">free proxy</a> <a href="https://bilderupload.net/tag/free-proxy-list/" class="tag-cloud-link tag-link-219 tag-link-position-9" style="font-size: 21.151515151515pt;" aria-label="free proxy list (116 items)">free proxy list</a> <a href="https://bilderupload.net/tag/free-proxy-list-download/" class="tag-cloud-link tag-link-1505 tag-link-position-10" style="font-size: 10.545454545455pt;" aria-label="free proxy list download (36 items)">free proxy list download</a> <a href="https://bilderupload.net/tag/free-proxy-list-india/" class="tag-cloud-link tag-link-3581 tag-link-position-11" style="font-size: 8.2121212121212pt;" aria-label="free proxy list india (28 items)">free proxy list india</a> <a href="https://bilderupload.net/tag/free-proxy-list-txt/" class="tag-cloud-link tag-link-1504 tag-link-position-12" style="font-size: 11.818181818182pt;" aria-label="free proxy list txt (42 items)">free proxy list txt</a> <a href="https://bilderupload.net/tag/free-proxy-list-usa/" class="tag-cloud-link tag-link-2648 tag-link-position-13" style="font-size: 8.2121212121212pt;" aria-label="free proxy list usa (28 items)">free proxy list usa</a> <a href="https://bilderupload.net/tag/free-proxy-server/" class="tag-cloud-link tag-link-136 tag-link-position-14" style="font-size: 13.090909090909pt;" aria-label="free proxy server (48 items)">free proxy server</a> <a href="https://bilderupload.net/tag/free-proxy-server-list/" class="tag-cloud-link tag-link-449 tag-link-position-15" style="font-size: 17.545454545455pt;" aria-label="free proxy server list (79 items)">free proxy server list</a> <a href="https://bilderupload.net/tag/free-socks-list-daily/" class="tag-cloud-link tag-link-949 tag-link-position-16" style="font-size: 11.818181818182pt;" aria-label="free socks list daily (42 items)">free socks list daily</a> <a href="https://bilderupload.net/tag/free-vpn-for-netflix/" class="tag-cloud-link tag-link-384 tag-link-position-17" style="font-size: 10.333333333333pt;" aria-label="free vpn for netflix (35 items)">free vpn for netflix</a> <a href="https://bilderupload.net/tag/free-vpn-to-hide-ip-address/" class="tag-cloud-link tag-link-14 tag-link-position-18" style="font-size: 15.212121212121pt;" aria-label="free vpn to hide ip address (60 items)">free vpn to hide ip address</a> <a href="https://bilderupload.net/tag/free-web-proxy/" class="tag-cloud-link tag-link-885 tag-link-position-19" style="font-size: 8.8484848484848pt;" aria-label="free web proxy (30 items)">free web proxy</a> <a href="https://bilderupload.net/tag/fresh-unblocked-proxy-sites-2020/" class="tag-cloud-link tag-link-1618 tag-link-position-20" style="font-size: 9.4848484848485pt;" aria-label="fresh unblocked proxy sites 2020 (32 items)">fresh unblocked proxy sites 2020</a> <a href="https://bilderupload.net/tag/hide-my-ip-address-free/" class="tag-cloud-link tag-link-11 tag-link-position-21" style="font-size: 13.727272727273pt;" aria-label="hide my ip address free (51 items)">hide my ip address free</a> <a href="https://bilderupload.net/tag/hide-my-ip-address-free-online/" class="tag-cloud-link tag-link-13 tag-link-position-22" style="font-size: 15.212121212121pt;" aria-label="hide my ip address free online (60 items)">hide my ip address free online</a> <a href="https://bilderupload.net/tag/hide-my-ip-online/" class="tag-cloud-link tag-link-1569 tag-link-position-23" style="font-size: 10.545454545455pt;" aria-label="hide my ip online (36 items)">hide my ip online</a> <a href="https://bilderupload.net/tag/how-to-hide-ip-address-on-android/" class="tag-cloud-link tag-link-1568 tag-link-position-24" style="font-size: 9.9090909090909pt;" aria-label="how to hide ip address on android (34 items)">how to hide ip address on android</a> <a href="https://bilderupload.net/tag/how-to-hide-my-ip-address-in-gmail/" class="tag-cloud-link tag-link-15 tag-link-position-25" style="font-size: 10.969696969697pt;" aria-label="how to hide my ip address in gmail (38 items)">how to hide my ip address in gmail</a> <a href="https://bilderupload.net/tag/how-to-hide-my-ip-address-without-vpn/" class="tag-cloud-link tag-link-12 tag-link-position-26" style="font-size: 14.787878787879pt;" aria-label="how to hide my ip address without vpn (58 items)">how to hide my ip address without vpn</a> <a href="https://bilderupload.net/tag/ip-address-tracker/" class="tag-cloud-link tag-link-2387 tag-link-position-27" style="font-size: 12.454545454545pt;" aria-label="ip address tracker (45 items)">ip address tracker</a> <a href="https://bilderupload.net/tag/my-ip-country/" class="tag-cloud-link tag-link-3401 tag-link-position-28" style="font-size: 10.757575757576pt;" aria-label="my ip country (37 items)">my ip country</a> <a href="https://bilderupload.net/tag/proxy-browser/" class="tag-cloud-link tag-link-577 tag-link-position-29" style="font-size: 11.606060606061pt;" aria-label="proxy browser (41 items)">proxy browser</a> <a href="https://bilderupload.net/tag/proxy-free/" class="tag-cloud-link tag-link-506 tag-link-position-30" style="font-size: 9.4848484848485pt;" aria-label="proxy free (32 items)">proxy free</a> <a href="https://bilderupload.net/tag/proxy-server/" class="tag-cloud-link tag-link-439 tag-link-position-31" style="font-size: 16.69696969697pt;" aria-label="proxy server (72 items)">proxy server</a> <a href="https://bilderupload.net/tag/proxy-server-address/" class="tag-cloud-link tag-link-581 tag-link-position-32" style="font-size: 13.939393939394pt;" aria-label="proxy server address (53 items)">proxy server address</a> <a href="https://bilderupload.net/tag/proxy-site/" class="tag-cloud-link tag-link-504 tag-link-position-33" style="font-size: 13.30303030303pt;" aria-label="proxy site (49 items)">proxy site</a> <a href="https://bilderupload.net/tag/proxy-url-list/" class="tag-cloud-link tag-link-222 tag-link-position-34" style="font-size: 9.2727272727273pt;" aria-label="proxy url list (31 items)">proxy url list</a> <a href="https://bilderupload.net/tag/proxy-websites/" class="tag-cloud-link tag-link-857 tag-link-position-35" style="font-size: 15.636363636364pt;" aria-label="proxy websites (63 items)">proxy websites</a> <a href="https://bilderupload.net/tag/socks5-proxy-list/" class="tag-cloud-link tag-link-69 tag-link-position-36" style="font-size: 8.2121212121212pt;" aria-label="socks5 proxy list (28 items)">socks5 proxy list</a> <a href="https://bilderupload.net/tag/socks5-proxy-list-txt/" class="tag-cloud-link tag-link-445 tag-link-position-37" style="font-size: 11.181818181818pt;" aria-label="socks5 proxy list txt (39 items)">socks5 proxy list txt</a> <a href="https://bilderupload.net/tag/thepiratebay3-list/" class="tag-cloud-link tag-link-232 tag-link-position-38" style="font-size: 8.8484848484848pt;" aria-label="thepiratebay3 list (30 items)">thepiratebay3 list</a> <a href="https://bilderupload.net/tag/unblock-proxy-free/" class="tag-cloud-link tag-link-128 tag-link-position-39" style="font-size: 22pt;" aria-label="unblock proxy free (128 items)">unblock proxy free</a> <a href="https://bilderupload.net/tag/unblocktheship-proxy/" class="tag-cloud-link tag-link-235 tag-link-position-40" style="font-size: 8.2121212121212pt;" aria-label="unblocktheship proxy (28 items)">unblocktheship proxy</a> <a href="https://bilderupload.net/tag/utorrent-download/" class="tag-cloud-link tag-link-598 tag-link-position-41" style="font-size: 8.8484848484848pt;" aria-label="utorrent download (30 items)">utorrent download</a> <a href="https://bilderupload.net/tag/vpn-proxy/" class="tag-cloud-link tag-link-858 tag-link-position-42" style="font-size: 11.606060606061pt;" aria-label="vpn proxy (41 items)">vpn proxy</a> <a href="https://bilderupload.net/tag/what-is-a-proxy-server/" class="tag-cloud-link tag-link-3124 tag-link-position-43" style="font-size: 8.2121212121212pt;" aria-label="what is a proxy server (28 items)">what is a proxy server</a> <a href="https://bilderupload.net/tag/what-is-my-ip/" class="tag-cloud-link tag-link-18 tag-link-position-44" style="font-size: 8.6363636363636pt;" aria-label="what is my ip (29 items)">what is my ip</a> <a href="https://bilderupload.net/tag/what-is-my-private-ip/" class="tag-cloud-link tag-link-3403 tag-link-position-45" style="font-size: 9.6969696969697pt;" aria-label="what is my private ip (33 items)">what is my private ip</a></div> </section></aside><!-- #secondary --> </div><!-- .container --> </div><!-- #content --> <footer id="colophon" class="site-footer"> <div id="footer-widgets" class="container"> <aside class="widget-area" role="complementary" aria-label="Footer"> <div class="widget-column footer-widget-3"> <section id="custom_html-2" class="widget_text widget widget_custom_html"><div class="textwidget custom-html-widget"><!-- Google tag (gtag.js) --> <script async src="https://www.googletagmanager.com/gtag/js?id=G-S1X842WQMK"></script> <script> window.dataLayer = window.dataLayer || []; function gtag(){dataLayer.push(arguments);} gtag('js', new Date()); gtag('config', 'G-S1X842WQMK'); </script></div></section> </div> </aside><!-- .widget-area --> </div><!-- .container --> <div class="site-info"> <div class="container"> Theme Blog Tales by <a target="_blank" rel="designer" href="https://kantipurthemes.com/">Kantipur Themes</a> </div><!-- .container --> </div><!-- .site-info --> </footer><!-- #colophon --> <a href="#page" class="to-top"></a> </div><!-- #page --> <!--noptimize--><script>!function(){window.advanced_ads_ready_queue=window.advanced_ads_ready_queue||[],advanced_ads_ready_queue.push=window.advanced_ads_ready;for(var d=0,a=advanced_ads_ready_queue.length;d<a;d++)advanced_ads_ready(advanced_ads_ready_queue[d])}();</script><!--/noptimize--><svg style="position: absolute; width: 0; height: 0; overflow: hidden;" version="1.1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink"> <defs> <symbol id="icon-behance" viewBox="0 0 37 32"> <path class="path1" d="M33 6.054h-9.125v2.214h9.125v-2.214zM28.5 13.661q-1.607 0-2.607 0.938t-1.107 2.545h7.286q-0.321-3.482-3.571-3.482zM28.786 24.107q1.125 0 2.179-0.571t1.357-1.554h3.946q-1.786 5.482-7.625 5.482-3.821 0-6.080-2.357t-2.259-6.196q0-3.714 2.33-6.17t6.009-2.455q2.464 0 4.295 1.214t2.732 3.196 0.902 4.429q0 0.304-0.036 0.839h-11.75q0 1.982 1.027 3.063t2.973 1.080zM4.946 23.214h5.286q3.661 0 3.661-2.982 0-3.214-3.554-3.214h-5.393v6.196zM4.946 13.625h5.018q1.393 0 2.205-0.652t0.813-2.027q0-2.571-3.393-2.571h-4.643v5.25zM0 4.536h10.607q1.554 0 2.768 0.25t2.259 0.848 1.607 1.723 0.563 2.75q0 3.232-3.071 4.696 2.036 0.571 3.071 2.054t1.036 3.643q0 1.339-0.438 2.438t-1.179 1.848-1.759 1.268-2.161 0.75-2.393 0.232h-10.911v-22.5z"></path> </symbol> <symbol id="icon-deviantart" viewBox="0 0 18 32"> <path class="path1" d="M18.286 5.411l-5.411 10.393 0.429 0.554h4.982v7.411h-9.054l-0.786 0.536-2.536 4.875-0.536 0.536h-5.375v-5.411l5.411-10.411-0.429-0.536h-4.982v-7.411h9.054l0.786-0.536 2.536-4.875 0.536-0.536h5.375v5.411z"></path> </symbol> <symbol id="icon-medium" viewBox="0 0 32 32"> <path class="path1" d="M10.661 7.518v20.946q0 0.446-0.223 0.759t-0.652 0.313q-0.304 0-0.589-0.143l-8.304-4.161q-0.375-0.179-0.634-0.598t-0.259-0.83v-20.357q0-0.357 0.179-0.607t0.518-0.25q0.25 0 0.786 0.268l9.125 4.571q0.054 0.054 0.054 0.089zM11.804 9.321l9.536 15.464-9.536-4.75v-10.714zM32 9.643v18.821q0 0.446-0.25 0.723t-0.679 0.277-0.839-0.232l-7.875-3.929zM31.946 7.5q0 0.054-4.58 7.491t-5.366 8.705l-6.964-11.321 5.786-9.411q0.304-0.5 0.929-0.5 0.25 0 0.464 0.107l9.661 4.821q0.071 0.036 0.071 0.107z"></path> </symbol> <symbol id="icon-slideshare" viewBox="0 0 32 32"> <path class="path1" d="M15.589 13.214q0 1.482-1.134 2.545t-2.723 1.063-2.723-1.063-1.134-2.545q0-1.5 1.134-2.554t2.723-1.054 2.723 1.054 1.134 2.554zM24.554 13.214q0 1.482-1.125 2.545t-2.732 1.063q-1.589 0-2.723-1.063t-1.134-2.545q0-1.5 1.134-2.554t2.723-1.054q1.607 0 2.732 1.054t1.125 2.554zM28.571 16.429v-11.911q0-1.554-0.571-2.205t-1.982-0.652h-19.857q-1.482 0-2.009 0.607t-0.527 2.25v12.018q0.768 0.411 1.58 0.714t1.446 0.5 1.446 0.33 1.268 0.196 1.25 0.071 1.045 0.009 1.009-0.036 0.795-0.036q1.214-0.018 1.696 0.482 0.107 0.107 0.179 0.161 0.464 0.446 1.089 0.911 0.125-1.625 2.107-1.554 0.089 0 0.652 0.027t0.768 0.036 0.813 0.018 0.946-0.018 0.973-0.080 1.089-0.152 1.107-0.241 1.196-0.348 1.205-0.482 1.286-0.616zM31.482 16.339q-2.161 2.661-6.643 4.5 1.5 5.089-0.411 8.304-1.179 2.018-3.268 2.643-1.857 0.571-3.25-0.268-1.536-0.911-1.464-2.929l-0.018-5.821v-0.018q-0.143-0.036-0.438-0.107t-0.42-0.089l-0.018 6.036q0.071 2.036-1.482 2.929-1.411 0.839-3.268 0.268-2.089-0.643-3.25-2.679-1.875-3.214-0.393-8.268-4.482-1.839-6.643-4.5-0.446-0.661-0.071-1.125t1.071 0.018q0.054 0.036 0.196 0.125t0.196 0.143v-12.393q0-1.286 0.839-2.196t2.036-0.911h22.446q1.196 0 2.036 0.911t0.839 2.196v12.393l0.375-0.268q0.696-0.482 1.071-0.018t-0.071 1.125z"></path> </symbol> <symbol id="icon-snapchat-ghost" viewBox="0 0 30 32"> <path class="path1" d="M15.143 2.286q2.393-0.018 4.295 1.223t2.92 3.438q0.482 1.036 0.482 3.196 0 0.839-0.161 3.411 0.25 0.125 0.5 0.125 0.321 0 0.911-0.241t0.911-0.241q0.518 0 1 0.321t0.482 0.821q0 0.571-0.563 0.964t-1.232 0.563-1.232 0.518-0.563 0.848q0 0.268 0.214 0.768 0.661 1.464 1.83 2.679t2.58 1.804q0.5 0.214 1.429 0.411 0.5 0.107 0.5 0.625 0 1.25-3.911 1.839-0.125 0.196-0.196 0.696t-0.25 0.83-0.589 0.33q-0.357 0-1.107-0.116t-1.143-0.116q-0.661 0-1.107 0.089-0.571 0.089-1.125 0.402t-1.036 0.679-1.036 0.723-1.357 0.598-1.768 0.241q-0.929 0-1.723-0.241t-1.339-0.598-1.027-0.723-1.036-0.679-1.107-0.402q-0.464-0.089-1.125-0.089-0.429 0-1.17 0.134t-1.045 0.134q-0.446 0-0.625-0.33t-0.25-0.848-0.196-0.714q-3.911-0.589-3.911-1.839 0-0.518 0.5-0.625 0.929-0.196 1.429-0.411 1.393-0.571 2.58-1.804t1.83-2.679q0.214-0.5 0.214-0.768 0-0.5-0.563-0.848t-1.241-0.527-1.241-0.563-0.563-0.938q0-0.482 0.464-0.813t0.982-0.33q0.268 0 0.857 0.232t0.946 0.232q0.321 0 0.571-0.125-0.161-2.536-0.161-3.393 0-2.179 0.482-3.214 1.143-2.446 3.071-3.536t4.714-1.125z"></path> </symbol> <symbol id="icon-yelp" viewBox="0 0 27 32"> <path class="path1" d="M13.804 23.554v2.268q-0.018 5.214-0.107 5.446-0.214 0.571-0.911 0.714-0.964 0.161-3.241-0.679t-2.902-1.589q-0.232-0.268-0.304-0.643-0.018-0.214 0.071-0.464 0.071-0.179 0.607-0.839t3.232-3.857q0.018 0 1.071-1.25 0.268-0.339 0.705-0.438t0.884 0.063q0.429 0.179 0.67 0.518t0.223 0.75zM11.143 19.071q-0.054 0.982-0.929 1.25l-2.143 0.696q-4.911 1.571-5.214 1.571-0.625-0.036-0.964-0.643-0.214-0.446-0.304-1.339-0.143-1.357 0.018-2.973t0.536-2.223 1-0.571q0.232 0 3.607 1.375 1.25 0.518 2.054 0.839l1.5 0.607q0.411 0.161 0.634 0.545t0.205 0.866zM25.893 24.375q-0.125 0.964-1.634 2.875t-2.42 2.268q-0.661 0.25-1.125-0.125-0.25-0.179-3.286-5.125l-0.839-1.375q-0.25-0.375-0.205-0.821t0.348-0.821q0.625-0.768 1.482-0.464 0.018 0.018 2.125 0.714 3.625 1.179 4.321 1.42t0.839 0.366q0.5 0.393 0.393 1.089zM13.893 13.089q0.089 1.821-0.964 2.179-1.036 0.304-2.036-1.268l-6.75-10.679q-0.143-0.625 0.339-1.107 0.732-0.768 3.705-1.598t4.009-0.563q0.714 0.179 0.875 0.804 0.054 0.321 0.393 5.455t0.429 6.777zM25.714 15.018q0.054 0.696-0.464 1.054-0.268 0.179-5.875 1.536-1.196 0.268-1.625 0.411l0.018-0.036q-0.411 0.107-0.821-0.071t-0.661-0.571q-0.536-0.839 0-1.554 0.018-0.018 1.339-1.821 2.232-3.054 2.679-3.643t0.607-0.696q0.5-0.339 1.161-0.036 0.857 0.411 2.196 2.384t1.446 2.991v0.054z"></path> </symbol> <symbol id="icon-vine" viewBox="0 0 27 32"> <path class="path1" d="M26.732 14.768v3.536q-1.804 0.411-3.536 0.411-1.161 2.429-2.955 4.839t-3.241 3.848-2.286 1.902q-1.429 0.804-2.893-0.054-0.5-0.304-1.080-0.777t-1.518-1.491-1.83-2.295-1.92-3.286-1.884-4.357-1.634-5.616-1.259-6.964h5.054q0.464 3.893 1.25 7.116t1.866 5.661 2.17 4.205 2.5 3.482q3.018-3.018 5.125-7.25-2.536-1.286-3.982-3.929t-1.446-5.946q0-3.429 1.857-5.616t5.071-2.188q3.179 0 4.875 1.884t1.696 5.313q0 2.839-1.036 5.107-0.125 0.018-0.348 0.054t-0.821 0.036-1.125-0.107-1.107-0.455-0.902-0.92q0.554-1.839 0.554-3.286 0-1.554-0.518-2.357t-1.411-0.804q-0.946 0-1.518 0.884t-0.571 2.509q0 3.321 1.875 5.241t4.768 1.92q1.107 0 2.161-0.25z"></path> </symbol> <symbol id="icon-vk" viewBox="0 0 35 32"> <path class="path1" d="M34.232 9.286q0.411 1.143-2.679 5.25-0.429 0.571-1.161 1.518-1.393 1.786-1.607 2.339-0.304 0.732 0.25 1.446 0.304 0.375 1.446 1.464h0.018l0.071 0.071q2.518 2.339 3.411 3.946 0.054 0.089 0.116 0.223t0.125 0.473-0.009 0.607-0.446 0.491-1.054 0.223l-4.571 0.071q-0.429 0.089-1-0.089t-0.929-0.393l-0.357-0.214q-0.536-0.375-1.25-1.143t-1.223-1.384-1.089-1.036-1.009-0.277q-0.054 0.018-0.143 0.063t-0.304 0.259-0.384 0.527-0.304 0.929-0.116 1.384q0 0.268-0.063 0.491t-0.134 0.33l-0.071 0.089q-0.321 0.339-0.946 0.393h-2.054q-1.268 0.071-2.607-0.295t-2.348-0.946-1.839-1.179-1.259-1.027l-0.446-0.429q-0.179-0.179-0.491-0.536t-1.277-1.625-1.893-2.696-2.188-3.768-2.33-4.857q-0.107-0.286-0.107-0.482t0.054-0.286l0.071-0.107q0.268-0.339 1.018-0.339l4.893-0.036q0.214 0.036 0.411 0.116t0.286 0.152l0.089 0.054q0.286 0.196 0.429 0.571 0.357 0.893 0.821 1.848t0.732 1.455l0.286 0.518q0.518 1.071 1 1.857t0.866 1.223 0.741 0.688 0.607 0.25 0.482-0.089q0.036-0.018 0.089-0.089t0.214-0.393 0.241-0.839 0.17-1.446 0-2.232q-0.036-0.714-0.161-1.304t-0.25-0.821l-0.107-0.214q-0.446-0.607-1.518-0.768-0.232-0.036 0.089-0.429 0.304-0.339 0.679-0.536 0.946-0.464 4.268-0.429 1.464 0.018 2.411 0.232 0.357 0.089 0.598 0.241t0.366 0.429 0.188 0.571 0.063 0.813-0.018 0.982-0.045 1.259-0.027 1.473q0 0.196-0.018 0.75t-0.009 0.857 0.063 0.723 0.205 0.696 0.402 0.438q0.143 0.036 0.304 0.071t0.464-0.196 0.679-0.616 0.929-1.196 1.214-1.92q1.071-1.857 1.911-4.018 0.071-0.179 0.179-0.313t0.196-0.188l0.071-0.054 0.089-0.045t0.232-0.054 0.357-0.009l5.143-0.036q0.696-0.089 1.143 0.045t0.554 0.295z"></path> </symbol> <symbol id="icon-search" viewBox="0 0 30 32"> <path class="path1" d="M20.571 14.857q0-3.304-2.348-5.652t-5.652-2.348-5.652 2.348-2.348 5.652 2.348 5.652 5.652 2.348 5.652-2.348 2.348-5.652zM29.714 29.714q0 0.929-0.679 1.607t-1.607 0.679q-0.964 0-1.607-0.679l-6.125-6.107q-3.196 2.214-7.125 2.214-2.554 0-4.884-0.991t-4.018-2.679-2.679-4.018-0.991-4.884 0.991-4.884 2.679-4.018 4.018-2.679 4.884-0.991 4.884 0.991 4.018 2.679 2.679 4.018 0.991 4.884q0 3.929-2.214 7.125l6.125 6.125q0.661 0.661 0.661 1.607z"></path> </symbol> <symbol id="icon-envelope-o" viewBox="0 0 32 32"> <path class="path1" d="M29.714 26.857v-13.714q-0.571 0.643-1.232 1.179-4.786 3.679-7.607 6.036-0.911 0.768-1.482 1.196t-1.545 0.866-1.83 0.438h-0.036q-0.857 0-1.83-0.438t-1.545-0.866-1.482-1.196q-2.821-2.357-7.607-6.036-0.661-0.536-1.232-1.179v13.714q0 0.232 0.17 0.402t0.402 0.17h26.286q0.232 0 0.402-0.17t0.17-0.402zM29.714 8.089v-0.438t-0.009-0.232-0.054-0.223-0.098-0.161-0.161-0.134-0.25-0.045h-26.286q-0.232 0-0.402 0.17t-0.17 0.402q0 3 2.625 5.071 3.446 2.714 7.161 5.661 0.107 0.089 0.625 0.527t0.821 0.67 0.795 0.563 0.902 0.491 0.768 0.161h0.036q0.357 0 0.768-0.161t0.902-0.491 0.795-0.563 0.821-0.67 0.625-0.527q3.714-2.946 7.161-5.661 0.964-0.768 1.795-2.063t0.83-2.348zM32 7.429v19.429q0 1.179-0.839 2.018t-2.018 0.839h-26.286q-1.179 0-2.018-0.839t-0.839-2.018v-19.429q0-1.179 0.839-2.018t2.018-0.839h26.286q1.179 0 2.018 0.839t0.839 2.018z"></path> </symbol> <symbol id="icon-close" viewBox="0 0 25 32"> <path class="path1" d="M23.179 23.607q0 0.714-0.5 1.214l-2.429 2.429q-0.5 0.5-1.214 0.5t-1.214-0.5l-5.25-5.25-5.25 5.25q-0.5 0.5-1.214 0.5t-1.214-0.5l-2.429-2.429q-0.5-0.5-0.5-1.214t0.5-1.214l5.25-5.25-5.25-5.25q-0.5-0.5-0.5-1.214t0.5-1.214l2.429-2.429q0.5-0.5 1.214-0.5t1.214 0.5l5.25 5.25 5.25-5.25q0.5-0.5 1.214-0.5t1.214 0.5l2.429 2.429q0.5 0.5 0.5 1.214t-0.5 1.214l-5.25 5.25 5.25 5.25q0.5 0.5 0.5 1.214z"></path> </symbol> <symbol id="icon-angle-down" viewBox="0 0 21 32"> <path class="path1" d="M19.196 13.143q0 0.232-0.179 0.411l-8.321 8.321q-0.179 0.179-0.411 0.179t-0.411-0.179l-8.321-8.321q-0.179-0.179-0.179-0.411t0.179-0.411l0.893-0.893q0.179-0.179 0.411-0.179t0.411 0.179l7.018 7.018 7.018-7.018q0.179-0.179 0.411-0.179t0.411 0.179l0.893 0.893q0.179 0.179 0.179 0.411z"></path> </symbol> <symbol id="icon-folder-open" viewBox="0 0 34 32"> <path class="path1" d="M33.554 17q0 0.554-0.554 1.179l-6 7.071q-0.768 0.911-2.152 1.545t-2.563 0.634h-19.429q-0.607 0-1.080-0.232t-0.473-0.768q0-0.554 0.554-1.179l6-7.071q0.768-0.911 2.152-1.545t2.563-0.634h19.429q0.607 0 1.080 0.232t0.473 0.768zM27.429 10.857v2.857h-14.857q-1.679 0-3.518 0.848t-2.929 2.134l-6.107 7.179q0-0.071-0.009-0.223t-0.009-0.223v-17.143q0-1.643 1.179-2.821t2.821-1.179h5.714q1.643 0 2.821 1.179t1.179 2.821v0.571h9.714q1.643 0 2.821 1.179t1.179 2.821z"></path> </symbol> <symbol id="icon-twitter" viewBox="0 0 30 32"> <path class="path1" d="M28.929 7.286q-1.196 1.75-2.893 2.982 0.018 0.25 0.018 0.75 0 2.321-0.679 4.634t-2.063 4.437-3.295 3.759-4.607 2.607-5.768 0.973q-4.839 0-8.857-2.589 0.625 0.071 1.393 0.071 4.018 0 7.161-2.464-1.875-0.036-3.357-1.152t-2.036-2.848q0.589 0.089 1.089 0.089 0.768 0 1.518-0.196-2-0.411-3.313-1.991t-1.313-3.67v-0.071q1.214 0.679 2.607 0.732-1.179-0.786-1.875-2.054t-0.696-2.75q0-1.571 0.786-2.911 2.161 2.661 5.259 4.259t6.634 1.777q-0.143-0.679-0.143-1.321 0-2.393 1.688-4.080t4.080-1.688q2.5 0 4.214 1.821 1.946-0.375 3.661-1.393-0.661 2.054-2.536 3.179 1.661-0.179 3.321-0.893z"></path> </symbol> <symbol id="icon-facebook" viewBox="0 0 19 32"> <path class="path1" d="M17.125 0.214v4.714h-2.804q-1.536 0-2.071 0.643t-0.536 1.929v3.375h5.232l-0.696 5.286h-4.536v13.554h-5.464v-13.554h-4.554v-5.286h4.554v-3.893q0-3.321 1.857-5.152t4.946-1.83q2.625 0 4.071 0.214z"></path> </symbol> <symbol id="icon-github" viewBox="0 0 27 32"> <path class="path1" d="M13.714 2.286q3.732 0 6.884 1.839t4.991 4.991 1.839 6.884q0 4.482-2.616 8.063t-6.759 4.955q-0.482 0.089-0.714-0.125t-0.232-0.536q0-0.054 0.009-1.366t0.009-2.402q0-1.732-0.929-2.536 1.018-0.107 1.83-0.321t1.679-0.696 1.446-1.188 0.946-1.875 0.366-2.688q0-2.125-1.411-3.679 0.661-1.625-0.143-3.643-0.5-0.161-1.446 0.196t-1.643 0.786l-0.679 0.429q-1.661-0.464-3.429-0.464t-3.429 0.464q-0.286-0.196-0.759-0.482t-1.491-0.688-1.518-0.241q-0.804 2.018-0.143 3.643-1.411 1.554-1.411 3.679 0 1.518 0.366 2.679t0.938 1.875 1.438 1.196 1.679 0.696 1.83 0.321q-0.696 0.643-0.875 1.839-0.375 0.179-0.804 0.268t-1.018 0.089-1.17-0.384-0.991-1.116q-0.339-0.571-0.866-0.929t-0.884-0.429l-0.357-0.054q-0.375 0-0.518 0.080t-0.089 0.205 0.161 0.25 0.232 0.214l0.125 0.089q0.393 0.179 0.777 0.679t0.563 0.911l0.179 0.411q0.232 0.679 0.786 1.098t1.196 0.536 1.241 0.125 0.991-0.063l0.411-0.071q0 0.679 0.009 1.58t0.009 0.973q0 0.321-0.232 0.536t-0.714 0.125q-4.143-1.375-6.759-4.955t-2.616-8.063q0-3.732 1.839-6.884t4.991-4.991 6.884-1.839zM5.196 21.982q0.054-0.125-0.125-0.214-0.179-0.054-0.232 0.036-0.054 0.125 0.125 0.214 0.161 0.107 0.232-0.036zM5.75 22.589q0.125-0.089-0.036-0.286-0.179-0.161-0.286-0.054-0.125 0.089 0.036 0.286 0.179 0.179 0.286 0.054zM6.286 23.393q0.161-0.125 0-0.339-0.143-0.232-0.304-0.107-0.161 0.089 0 0.321t0.304 0.125zM7.036 24.143q0.143-0.143-0.071-0.339-0.214-0.214-0.357-0.054-0.161 0.143 0.071 0.339 0.214 0.214 0.357 0.054zM8.054 24.589q0.054-0.196-0.232-0.286-0.268-0.071-0.339 0.125t0.232 0.268q0.268 0.107 0.339-0.107zM9.179 24.679q0-0.232-0.304-0.196-0.286 0-0.286 0.196 0 0.232 0.304 0.196 0.286 0 0.286-0.196zM10.214 24.5q-0.036-0.196-0.321-0.161-0.286 0.054-0.25 0.268t0.321 0.143 0.25-0.25z"></path> </symbol> <symbol id="icon-bars" viewBox="0 0 27 32"> <path class="path1" d="M27.429 24v2.286q0 0.464-0.339 0.804t-0.804 0.339h-25.143q-0.464 0-0.804-0.339t-0.339-0.804v-2.286q0-0.464 0.339-0.804t0.804-0.339h25.143q0.464 0 0.804 0.339t0.339 0.804zM27.429 14.857v2.286q0 0.464-0.339 0.804t-0.804 0.339h-25.143q-0.464 0-0.804-0.339t-0.339-0.804v-2.286q0-0.464 0.339-0.804t0.804-0.339h25.143q0.464 0 0.804 0.339t0.339 0.804zM27.429 5.714v2.286q0 0.464-0.339 0.804t-0.804 0.339h-25.143q-0.464 0-0.804-0.339t-0.339-0.804v-2.286q0-0.464 0.339-0.804t0.804-0.339h25.143q0.464 0 0.804 0.339t0.339 0.804z"></path> </symbol> <symbol id="icon-google-plus" viewBox="0 0 41 32"> <path class="path1" d="M25.661 16.304q0 3.714-1.554 6.616t-4.429 4.536-6.589 1.634q-2.661 0-5.089-1.036t-4.179-2.786-2.786-4.179-1.036-5.089 1.036-5.089 2.786-4.179 4.179-2.786 5.089-1.036q5.107 0 8.768 3.429l-3.554 3.411q-2.089-2.018-5.214-2.018-2.196 0-4.063 1.107t-2.955 3.009-1.089 4.152 1.089 4.152 2.955 3.009 4.063 1.107q1.482 0 2.723-0.411t2.045-1.027 1.402-1.402 0.875-1.482 0.384-1.321h-7.429v-4.5h12.357q0.214 1.125 0.214 2.179zM41.143 14.125v3.75h-3.732v3.732h-3.75v-3.732h-3.732v-3.75h3.732v-3.732h3.75v3.732h3.732z"></path> </symbol> <symbol id="icon-linkedin" viewBox="0 0 27 32"> <path class="path1" d="M6.232 11.161v17.696h-5.893v-17.696h5.893zM6.607 5.696q0.018 1.304-0.902 2.179t-2.42 0.875h-0.036q-1.464 0-2.357-0.875t-0.893-2.179q0-1.321 0.92-2.188t2.402-0.866 2.375 0.866 0.911 2.188zM27.429 18.714v10.143h-5.875v-9.464q0-1.875-0.723-2.938t-2.259-1.063q-1.125 0-1.884 0.616t-1.134 1.527q-0.196 0.536-0.196 1.446v9.875h-5.875q0.036-7.125 0.036-11.554t-0.018-5.286l-0.018-0.857h5.875v2.571h-0.036q0.357-0.571 0.732-1t1.009-0.929 1.554-0.777 2.045-0.277q3.054 0 4.911 2.027t1.857 5.938z"></path> </symbol> <symbol id="icon-quote-right" viewBox="0 0 30 32"> <path class="path1" d="M13.714 5.714v12.571q0 1.857-0.723 3.545t-1.955 2.92-2.92 1.955-3.545 0.723h-1.143q-0.464 0-0.804-0.339t-0.339-0.804v-2.286q0-0.464 0.339-0.804t0.804-0.339h1.143q1.893 0 3.232-1.339t1.339-3.232v-0.571q0-0.714-0.5-1.214t-1.214-0.5h-4q-1.429 0-2.429-1t-1-2.429v-6.857q0-1.429 1-2.429t2.429-1h6.857q1.429 0 2.429 1t1 2.429zM29.714 5.714v12.571q0 1.857-0.723 3.545t-1.955 2.92-2.92 1.955-3.545 0.723h-1.143q-0.464 0-0.804-0.339t-0.339-0.804v-2.286q0-0.464 0.339-0.804t0.804-0.339h1.143q1.893 0 3.232-1.339t1.339-3.232v-0.571q0-0.714-0.5-1.214t-1.214-0.5h-4q-1.429 0-2.429-1t-1-2.429v-6.857q0-1.429 1-2.429t2.429-1h6.857q1.429 0 2.429 1t1 2.429z"></path> </symbol> <symbol id="icon-mail-reply" viewBox="0 0 32 32"> <path class="path1" d="M32 20q0 2.964-2.268 8.054-0.054 0.125-0.188 0.429t-0.241 0.536-0.232 0.393q-0.214 0.304-0.5 0.304-0.268 0-0.42-0.179t-0.152-0.446q0-0.161 0.045-0.473t0.045-0.42q0.089-1.214 0.089-2.196 0-1.804-0.313-3.232t-0.866-2.473-1.429-1.804-1.884-1.241-2.375-0.759-2.75-0.384-3.134-0.107h-4v4.571q0 0.464-0.339 0.804t-0.804 0.339-0.804-0.339l-9.143-9.143q-0.339-0.339-0.339-0.804t0.339-0.804l9.143-9.143q0.339-0.339 0.804-0.339t0.804 0.339 0.339 0.804v4.571h4q12.732 0 15.625 7.196 0.946 2.393 0.946 5.946z"></path> </symbol> <symbol id="icon-youtube" viewBox="0 0 27 32"> <path class="path1" d="M17.339 22.214v3.768q0 1.196-0.696 1.196-0.411 0-0.804-0.393v-5.375q0.393-0.393 0.804-0.393 0.696 0 0.696 1.196zM23.375 22.232v0.821h-1.607v-0.821q0-1.214 0.804-1.214t0.804 1.214zM6.125 18.339h1.911v-1.679h-5.571v1.679h1.875v10.161h1.786v-10.161zM11.268 28.5h1.589v-8.821h-1.589v6.75q-0.536 0.75-1.018 0.75-0.321 0-0.375-0.375-0.018-0.054-0.018-0.625v-6.5h-1.589v6.982q0 0.875 0.143 1.304 0.214 0.661 1.036 0.661 0.857 0 1.821-1.089v0.964zM18.929 25.857v-3.518q0-1.304-0.161-1.768-0.304-1-1.268-1-0.893 0-1.661 0.964v-3.875h-1.589v11.839h1.589v-0.857q0.804 0.982 1.661 0.982 0.964 0 1.268-0.982 0.161-0.482 0.161-1.786zM24.964 25.679v-0.232h-1.625q0 0.911-0.036 1.089-0.125 0.643-0.714 0.643-0.821 0-0.821-1.232v-1.554h3.196v-1.839q0-1.411-0.482-2.071-0.696-0.911-1.893-0.911-1.214 0-1.911 0.911-0.5 0.661-0.5 2.071v3.089q0 1.411 0.518 2.071 0.696 0.911 1.929 0.911 1.286 0 1.929-0.946 0.321-0.482 0.375-0.964 0.036-0.161 0.036-1.036zM14.107 9.375v-3.75q0-1.232-0.768-1.232t-0.768 1.232v3.75q0 1.25 0.768 1.25t0.768-1.25zM26.946 22.786q0 4.179-0.464 6.25-0.25 1.054-1.036 1.768t-1.821 0.821q-3.286 0.375-9.911 0.375t-9.911-0.375q-1.036-0.107-1.83-0.821t-1.027-1.768q-0.464-2-0.464-6.25 0-4.179 0.464-6.25 0.25-1.054 1.036-1.768t1.839-0.839q3.268-0.357 9.893-0.357t9.911 0.357q1.036 0.125 1.83 0.839t1.027 1.768q0.464 2 0.464 6.25zM9.125 0h1.821l-2.161 7.125v4.839h-1.786v-4.839q-0.25-1.321-1.089-3.786-0.661-1.839-1.161-3.339h1.893l1.268 4.696zM15.732 5.946v3.125q0 1.446-0.5 2.107-0.661 0.911-1.893 0.911-1.196 0-1.875-0.911-0.5-0.679-0.5-2.107v-3.125q0-1.429 0.5-2.089 0.679-0.911 1.875-0.911 1.232 0 1.893 0.911 0.5 0.661 0.5 2.089zM21.714 3.054v8.911h-1.625v-0.982q-0.946 1.107-1.839 1.107-0.821 0-1.054-0.661-0.143-0.429-0.143-1.339v-7.036h1.625v6.554q0 0.589 0.018 0.625 0.054 0.393 0.375 0.393 0.482 0 1.018-0.768v-6.804h1.625z"></path> </symbol> <symbol id="icon-dropbox" viewBox="0 0 32 32"> <path class="path1" d="M7.179 12.625l8.821 5.446-6.107 5.089-8.75-5.696zM24.786 22.536v1.929l-8.75 5.232v0.018l-0.018-0.018-0.018 0.018v-0.018l-8.732-5.232v-1.929l2.625 1.714 6.107-5.071v-0.036l0.018 0.018 0.018-0.018v0.036l6.125 5.071zM9.893 2.107l6.107 5.089-8.821 5.429-6.036-4.821zM24.821 12.625l6.036 4.839-8.732 5.696-6.125-5.089zM22.125 2.107l8.732 5.696-6.036 4.821-8.821-5.429z"></path> </symbol> <symbol id="icon-instagram" viewBox="0 0 27 32"> <path class="path1" d="M18.286 16q0-1.893-1.339-3.232t-3.232-1.339-3.232 1.339-1.339 3.232 1.339 3.232 3.232 1.339 3.232-1.339 1.339-3.232zM20.75 16q0 2.929-2.054 4.982t-4.982 2.054-4.982-2.054-2.054-4.982 2.054-4.982 4.982-2.054 4.982 2.054 2.054 4.982zM22.679 8.679q0 0.679-0.482 1.161t-1.161 0.482-1.161-0.482-0.482-1.161 0.482-1.161 1.161-0.482 1.161 0.482 0.482 1.161zM13.714 4.75q-0.125 0-1.366-0.009t-1.884 0-1.723 0.054-1.839 0.179-1.277 0.33q-0.893 0.357-1.571 1.036t-1.036 1.571q-0.196 0.518-0.33 1.277t-0.179 1.839-0.054 1.723 0 1.884 0.009 1.366-0.009 1.366 0 1.884 0.054 1.723 0.179 1.839 0.33 1.277q0.357 0.893 1.036 1.571t1.571 1.036q0.518 0.196 1.277 0.33t1.839 0.179 1.723 0.054 1.884 0 1.366-0.009 1.366 0.009 1.884 0 1.723-0.054 1.839-0.179 1.277-0.33q0.893-0.357 1.571-1.036t1.036-1.571q0.196-0.518 0.33-1.277t0.179-1.839 0.054-1.723 0-1.884-0.009-1.366 0.009-1.366 0-1.884-0.054-1.723-0.179-1.839-0.33-1.277q-0.357-0.893-1.036-1.571t-1.571-1.036q-0.518-0.196-1.277-0.33t-1.839-0.179-1.723-0.054-1.884 0-1.366 0.009zM27.429 16q0 4.089-0.089 5.661-0.179 3.714-2.214 5.75t-5.75 2.214q-1.571 0.089-5.661 0.089t-5.661-0.089q-3.714-0.179-5.75-2.214t-2.214-5.75q-0.089-1.571-0.089-5.661t0.089-5.661q0.179-3.714 2.214-5.75t5.75-2.214q1.571-0.089 5.661-0.089t5.661 0.089q3.714 0.179 5.75 2.214t2.214 5.75q0.089 1.571 0.089 5.661z"></path> </symbol> <symbol id="icon-flickr" viewBox="0 0 27 32"> <path class="path1" d="M22.286 2.286q2.125 0 3.634 1.509t1.509 3.634v17.143q0 2.125-1.509 3.634t-3.634 1.509h-17.143q-2.125 0-3.634-1.509t-1.509-3.634v-17.143q0-2.125 1.509-3.634t3.634-1.509h17.143zM12.464 16q0-1.571-1.107-2.679t-2.679-1.107-2.679 1.107-1.107 2.679 1.107 2.679 2.679 1.107 2.679-1.107 1.107-2.679zM22.536 16q0-1.571-1.107-2.679t-2.679-1.107-2.679 1.107-1.107 2.679 1.107 2.679 2.679 1.107 2.679-1.107 1.107-2.679z"></path> </symbol> <symbol id="icon-tumblr" viewBox="0 0 19 32"> <path class="path1" d="M16.857 23.732l1.429 4.232q-0.411 0.625-1.982 1.179t-3.161 0.571q-1.857 0.036-3.402-0.464t-2.545-1.321-1.696-1.893-0.991-2.143-0.295-2.107v-9.714h-3v-3.839q1.286-0.464 2.304-1.241t1.625-1.607 1.036-1.821 0.607-1.768 0.268-1.58q0.018-0.089 0.080-0.152t0.134-0.063h4.357v7.571h5.946v4.5h-5.964v9.25q0 0.536 0.116 1t0.402 0.938 0.884 0.741 1.455 0.25q1.393-0.036 2.393-0.518z"></path> </symbol> <symbol id="icon-dockerhub" viewBox="0 0 24 28"> <path class="path1" d="M1.597 10.257h2.911v2.83H1.597v-2.83zm3.573 0h2.91v2.83H5.17v-2.83zm0-3.627h2.91v2.829H5.17V6.63zm3.57 3.627h2.912v2.83H8.74v-2.83zm0-3.627h2.912v2.829H8.74V6.63zm3.573 3.627h2.911v2.83h-2.911v-2.83zm0-3.627h2.911v2.829h-2.911V6.63zm3.572 3.627h2.911v2.83h-2.911v-2.83zM12.313 3h2.911v2.83h-2.911V3zm-6.65 14.173c-.449 0-.812.354-.812.788 0 .435.364.788.812.788.447 0 .811-.353.811-.788 0-.434-.363-.788-.811-.788"></path> <path class="path2" d="M28.172 11.721c-.978-.549-2.278-.624-3.388-.306-.136-1.146-.91-2.149-1.83-2.869l-.366-.286-.307.345c-.618.692-.8 1.845-.718 2.73.063.651.273 1.312.685 1.834-.313.183-.668.328-.985.434-.646.212-1.347.33-2.028.33H.083l-.042.429c-.137 1.432.065 2.866.674 4.173l.262.519.03.048c1.8 2.973 4.963 4.225 8.41 4.225 6.672 0 12.174-2.896 14.702-9.015 1.689.085 3.417-.4 4.243-1.968l.211-.4-.401-.223zM5.664 19.458c-.85 0-1.542-.671-1.542-1.497 0-.825.691-1.498 1.541-1.498.849 0 1.54.672 1.54 1.497s-.69 1.498-1.539 1.498z"></path> </symbol> <symbol id="icon-dribbble" viewBox="0 0 27 32"> <path class="path1" d="M18.286 26.786q-0.75-4.304-2.5-8.893h-0.036l-0.036 0.018q-0.286 0.107-0.768 0.295t-1.804 0.875-2.446 1.464-2.339 2.045-1.839 2.643l-0.268-0.196q3.286 2.679 7.464 2.679 2.357 0 4.571-0.929zM14.982 15.946q-0.375-0.875-0.946-1.982-5.554 1.661-12.018 1.661-0.018 0.125-0.018 0.375 0 2.214 0.786 4.223t2.214 3.598q0.893-1.589 2.205-2.973t2.545-2.223 2.33-1.446 1.777-0.857l0.661-0.232q0.071-0.018 0.232-0.063t0.232-0.080zM13.071 12.161q-2.143-3.804-4.357-6.75-2.464 1.161-4.179 3.321t-2.286 4.857q5.393 0 10.821-1.429zM25.286 17.857q-3.75-1.071-7.304-0.518 1.554 4.268 2.286 8.375 1.982-1.339 3.304-3.384t1.714-4.473zM10.911 4.625q-0.018 0-0.036 0.018 0.018-0.018 0.036-0.018zM21.446 7.214q-3.304-2.929-7.732-2.929-1.357 0-2.768 0.339 2.339 3.036 4.393 6.821 1.232-0.464 2.321-1.080t1.723-1.098 1.17-1.018 0.67-0.723zM25.429 15.875q-0.054-4.143-2.661-7.321l-0.018 0.018q-0.161 0.214-0.339 0.438t-0.777 0.795-1.268 1.080-1.786 1.161-2.348 1.152q0.446 0.946 0.786 1.696 0.036 0.107 0.116 0.313t0.134 0.295q0.643-0.089 1.33-0.125t1.313-0.036 1.232 0.027 1.143 0.071 1.009 0.098 0.857 0.116 0.652 0.107 0.446 0.080zM27.429 16q0 3.732-1.839 6.884t-4.991 4.991-6.884 1.839-6.884-1.839-4.991-4.991-1.839-6.884 1.839-6.884 4.991-4.991 6.884-1.839 6.884 1.839 4.991 4.991 1.839 6.884z"></path> </symbol> <symbol id="icon-skype" viewBox="0 0 27 32"> <path class="path1" d="M20.946 18.982q0-0.893-0.348-1.634t-0.866-1.223-1.304-0.875-1.473-0.607-1.563-0.411l-1.857-0.429q-0.536-0.125-0.786-0.188t-0.625-0.205-0.536-0.286-0.295-0.375-0.134-0.536q0-1.375 2.571-1.375 0.768 0 1.375 0.214t0.964 0.509 0.679 0.598 0.714 0.518 0.857 0.214q0.839 0 1.348-0.571t0.509-1.375q0-0.982-1-1.777t-2.536-1.205-3.25-0.411q-1.214 0-2.357 0.277t-2.134 0.839-1.589 1.554-0.598 2.295q0 1.089 0.339 1.902t1 1.348 1.429 0.866 1.839 0.58l2.607 0.643q1.607 0.393 2 0.643 0.571 0.357 0.571 1.071 0 0.696-0.714 1.152t-1.875 0.455q-0.911 0-1.634-0.286t-1.161-0.688-0.813-0.804-0.821-0.688-0.964-0.286q-0.893 0-1.348 0.536t-0.455 1.339q0 1.643 2.179 2.813t5.196 1.17q1.304 0 2.5-0.33t2.188-0.955 1.58-1.67 0.589-2.348zM27.429 22.857q0 2.839-2.009 4.848t-4.848 2.009q-2.321 0-4.179-1.429-1.375 0.286-2.679 0.286-2.554 0-4.884-0.991t-4.018-2.679-2.679-4.018-0.991-4.884q0-1.304 0.286-2.679-1.429-1.857-1.429-4.179 0-2.839 2.009-4.848t4.848-2.009q2.321 0 4.179 1.429 1.375-0.286 2.679-0.286 2.554 0 4.884 0.991t4.018 2.679 2.679 4.018 0.991 4.884q0 1.304-0.286 2.679 1.429 1.857 1.429 4.179z"></path> </symbol> <symbol id="icon-foursquare" viewBox="0 0 23 32"> <path class="path1" d="M17.857 7.75l0.661-3.464q0.089-0.411-0.161-0.714t-0.625-0.304h-12.714q-0.411 0-0.688 0.304t-0.277 0.661v19.661q0 0.125 0.107 0.018l5.196-6.286q0.411-0.464 0.679-0.598t0.857-0.134h4.268q0.393 0 0.661-0.259t0.321-0.527q0.429-2.321 0.661-3.411 0.071-0.375-0.205-0.714t-0.652-0.339h-5.25q-0.518 0-0.857-0.339t-0.339-0.857v-0.75q0-0.518 0.339-0.848t0.857-0.33h6.179q0.321 0 0.625-0.241t0.357-0.527zM21.911 3.786q-0.268 1.304-0.955 4.759t-1.241 6.25-0.625 3.098q-0.107 0.393-0.161 0.58t-0.25 0.58-0.438 0.589-0.688 0.375-1.036 0.179h-4.839q-0.232 0-0.393 0.179-0.143 0.161-7.607 8.821-0.393 0.446-1.045 0.509t-0.866-0.098q-0.982-0.393-0.982-1.75v-25.179q0-0.982 0.679-1.83t2.143-0.848h15.857q1.696 0 2.268 0.946t0.179 2.839zM21.911 3.786l-2.821 14.107q0.071-0.304 0.625-3.098t1.241-6.25 0.955-4.759z"></path> </symbol> <symbol id="icon-wordpress" viewBox="0 0 32 32"> <path class="path1" d="M2.268 16q0-2.911 1.196-5.589l6.554 17.946q-3.5-1.696-5.625-5.018t-2.125-7.339zM25.268 15.304q0 0.339-0.045 0.688t-0.179 0.884-0.205 0.786-0.313 1.054-0.313 1.036l-1.357 4.571-4.964-14.75q0.821-0.054 1.571-0.143 0.339-0.036 0.464-0.33t-0.045-0.554-0.509-0.241l-3.661 0.179q-1.339-0.018-3.607-0.179-0.214-0.018-0.366 0.089t-0.205 0.268-0.027 0.33 0.161 0.295 0.348 0.143l1.429 0.143 2.143 5.857-3 9-5-14.857q0.821-0.054 1.571-0.143 0.339-0.036 0.464-0.33t-0.045-0.554-0.509-0.241l-3.661 0.179q-0.125 0-0.411-0.009t-0.464-0.009q1.875-2.857 4.902-4.527t6.563-1.67q2.625 0 5.009 0.946t4.259 2.661h-0.179q-0.982 0-1.643 0.723t-0.661 1.705q0 0.214 0.036 0.429t0.071 0.384 0.143 0.411 0.161 0.375 0.214 0.402 0.223 0.375 0.259 0.429 0.25 0.411q1.125 1.911 1.125 3.786zM16.232 17.196l4.232 11.554q0.018 0.107 0.089 0.196-2.25 0.786-4.554 0.786-2 0-3.875-0.571zM28.036 9.411q1.696 3.107 1.696 6.589 0 3.732-1.857 6.884t-4.982 4.973l4.196-12.107q1.054-3.018 1.054-4.929 0-0.75-0.107-1.411zM16 0q3.25 0 6.214 1.268t5.107 3.411 3.411 5.107 1.268 6.214-1.268 6.214-3.411 5.107-5.107 3.411-6.214 1.268-6.214-1.268-5.107-3.411-3.411-5.107-1.268-6.214 1.268-6.214 3.411-5.107 5.107-3.411 6.214-1.268zM16 31.268q3.089 0 5.92-1.214t4.875-3.259 3.259-4.875 1.214-5.92-1.214-5.92-3.259-4.875-4.875-3.259-5.92-1.214-5.92 1.214-4.875 3.259-3.259 4.875-1.214 5.92 1.214 5.92 3.259 4.875 4.875 3.259 5.92 1.214z"></path> </symbol> <symbol id="icon-stumbleupon" viewBox="0 0 34 32"> <path class="path1" d="M18.964 12.714v-2.107q0-0.75-0.536-1.286t-1.286-0.536-1.286 0.536-0.536 1.286v10.929q0 3.125-2.25 5.339t-5.411 2.214q-3.179 0-5.42-2.241t-2.241-5.42v-4.75h5.857v4.679q0 0.768 0.536 1.295t1.286 0.527 1.286-0.527 0.536-1.295v-11.071q0-3.054 2.259-5.214t5.384-2.161q3.143 0 5.393 2.179t2.25 5.25v2.429l-3.482 1.036zM28.429 16.679h5.857v4.75q0 3.179-2.241 5.42t-5.42 2.241q-3.161 0-5.411-2.223t-2.25-5.366v-4.786l2.339 1.089 3.482-1.036v4.821q0 0.75 0.536 1.277t1.286 0.527 1.286-0.527 0.536-1.277v-4.911z"></path> </symbol> <symbol id="icon-digg" viewBox="0 0 37 32"> <path class="path1" d="M5.857 5.036h3.643v17.554h-9.5v-12.446h5.857v-5.107zM5.857 19.661v-6.589h-2.196v6.589h2.196zM10.964 10.143v12.446h3.661v-12.446h-3.661zM10.964 5.036v3.643h3.661v-3.643h-3.661zM16.089 10.143h9.518v16.821h-9.518v-2.911h5.857v-1.464h-5.857v-12.446zM21.946 19.661v-6.589h-2.196v6.589h2.196zM27.071 10.143h9.5v16.821h-9.5v-2.911h5.839v-1.464h-5.839v-12.446zM32.911 19.661v-6.589h-2.196v6.589h2.196z"></path> </symbol> <symbol id="icon-spotify" viewBox="0 0 27 32"> <path class="path1" d="M20.125 21.607q0-0.571-0.536-0.911-3.446-2.054-7.982-2.054-2.375 0-5.125 0.607-0.75 0.161-0.75 0.929 0 0.357 0.241 0.616t0.634 0.259q0.089 0 0.661-0.143 2.357-0.482 4.339-0.482 4.036 0 7.089 1.839 0.339 0.196 0.589 0.196 0.339 0 0.589-0.241t0.25-0.616zM21.839 17.768q0-0.714-0.625-1.089-4.232-2.518-9.786-2.518-2.732 0-5.411 0.75-0.857 0.232-0.857 1.143 0 0.446 0.313 0.759t0.759 0.313q0.125 0 0.661-0.143 2.179-0.589 4.482-0.589 4.982 0 8.714 2.214 0.429 0.232 0.679 0.232 0.446 0 0.759-0.313t0.313-0.759zM23.768 13.339q0-0.839-0.714-1.25-2.25-1.304-5.232-1.973t-6.125-0.67q-3.643 0-6.5 0.839-0.411 0.125-0.688 0.455t-0.277 0.866q0 0.554 0.366 0.929t0.92 0.375q0.196 0 0.714-0.143 2.375-0.661 5.482-0.661 2.839 0 5.527 0.607t4.527 1.696q0.375 0.214 0.714 0.214 0.518 0 0.902-0.366t0.384-0.92zM27.429 16q0 3.732-1.839 6.884t-4.991 4.991-6.884 1.839-6.884-1.839-4.991-4.991-1.839-6.884 1.839-6.884 4.991-4.991 6.884-1.839 6.884 1.839 4.991 4.991 1.839 6.884z"></path> </symbol> <symbol id="icon-soundcloud" viewBox="0 0 41 32"> <path class="path1" d="M14 24.5l0.286-4.304-0.286-9.339q-0.018-0.179-0.134-0.304t-0.295-0.125q-0.161 0-0.286 0.125t-0.125 0.304l-0.25 9.339 0.25 4.304q0.018 0.179 0.134 0.295t0.277 0.116q0.393 0 0.429-0.411zM19.286 23.982l0.196-3.768-0.214-10.464q0-0.286-0.232-0.429-0.143-0.089-0.286-0.089t-0.286 0.089q-0.232 0.143-0.232 0.429l-0.018 0.107-0.179 10.339q0 0.018 0.196 4.214v0.018q0 0.179 0.107 0.304 0.161 0.196 0.411 0.196 0.196 0 0.357-0.161 0.161-0.125 0.161-0.357zM0.625 17.911l0.357 2.286-0.357 2.25q-0.036 0.161-0.161 0.161t-0.161-0.161l-0.304-2.25 0.304-2.286q0.036-0.161 0.161-0.161t0.161 0.161zM2.161 16.5l0.464 3.696-0.464 3.625q-0.036 0.161-0.179 0.161-0.161 0-0.161-0.179l-0.411-3.607 0.411-3.696q0-0.161 0.161-0.161 0.143 0 0.179 0.161zM3.804 15.821l0.446 4.375-0.446 4.232q0 0.196-0.196 0.196-0.179 0-0.214-0.196l-0.375-4.232 0.375-4.375q0.036-0.214 0.214-0.214 0.196 0 0.196 0.214zM5.482 15.696l0.411 4.5-0.411 4.357q-0.036 0.232-0.25 0.232-0.232 0-0.232-0.232l-0.375-4.357 0.375-4.5q0-0.232 0.232-0.232 0.214 0 0.25 0.232zM7.161 16.018l0.375 4.179-0.375 4.393q-0.036 0.286-0.286 0.286-0.107 0-0.188-0.080t-0.080-0.205l-0.357-4.393 0.357-4.179q0-0.107 0.080-0.188t0.188-0.080q0.25 0 0.286 0.268zM8.839 13.411l0.375 6.786-0.375 4.393q0 0.125-0.089 0.223t-0.214 0.098q-0.286 0-0.321-0.321l-0.321-4.393 0.321-6.786q0.036-0.321 0.321-0.321 0.125 0 0.214 0.098t0.089 0.223zM10.518 11.875l0.339 8.357-0.339 4.357q0 0.143-0.098 0.241t-0.241 0.098q-0.321 0-0.357-0.339l-0.286-4.357 0.286-8.357q0.036-0.339 0.357-0.339 0.143 0 0.241 0.098t0.098 0.241zM12.268 11.161l0.321 9.036-0.321 4.321q-0.036 0.375-0.393 0.375-0.339 0-0.375-0.375l-0.286-4.321 0.286-9.036q0-0.161 0.116-0.277t0.259-0.116q0.161 0 0.268 0.116t0.125 0.277zM19.268 24.411v0 0zM15.732 11.089l0.268 9.107-0.268 4.268q0 0.179-0.134 0.313t-0.313 0.134-0.304-0.125-0.143-0.321l-0.25-4.268 0.25-9.107q0-0.196 0.134-0.321t0.313-0.125 0.313 0.125 0.134 0.321zM17.5 11.429l0.25 8.786-0.25 4.214q0 0.196-0.143 0.339t-0.339 0.143-0.339-0.143-0.161-0.339l-0.214-4.214 0.214-8.786q0.018-0.214 0.161-0.357t0.339-0.143 0.33 0.143 0.152 0.357zM21.286 20.214l-0.25 4.125q0 0.232-0.161 0.393t-0.393 0.161-0.393-0.161-0.179-0.393l-0.107-2.036-0.107-2.089 0.214-11.357v-0.054q0.036-0.268 0.214-0.429 0.161-0.125 0.357-0.125 0.143 0 0.268 0.089 0.25 0.143 0.286 0.464zM41.143 19.875q0 2.089-1.482 3.563t-3.571 1.473h-14.036q-0.232-0.036-0.393-0.196t-0.161-0.393v-16.054q0-0.411 0.5-0.589 1.518-0.607 3.232-0.607 3.482 0 6.036 2.348t2.857 5.777q0.946-0.393 1.964-0.393 2.089 0 3.571 1.482t1.482 3.589z"></path> </symbol> <symbol id="icon-codepen" viewBox="0 0 32 32"> <path class="path1" d="M3.857 20.875l10.768 7.179v-6.411l-5.964-3.982zM2.75 18.304l3.446-2.304-3.446-2.304v4.607zM17.375 28.054l10.768-7.179-4.804-3.214-5.964 3.982v6.411zM16 19.25l4.857-3.25-4.857-3.25-4.857 3.25zM8.661 14.339l5.964-3.982v-6.411l-10.768 7.179zM25.804 16l3.446 2.304v-4.607zM23.339 14.339l4.804-3.214-10.768-7.179v6.411zM32 11.125v9.75q0 0.732-0.607 1.143l-14.625 9.75q-0.375 0.232-0.768 0.232t-0.768-0.232l-14.625-9.75q-0.607-0.411-0.607-1.143v-9.75q0-0.732 0.607-1.143l14.625-9.75q0.375-0.232 0.768-0.232t0.768 0.232l14.625 9.75q0.607 0.411 0.607 1.143z"></path> </symbol> <symbol id="icon-twitch" viewBox="0 0 32 32"> <path class="path1" d="M16 7.75v7.75h-2.589v-7.75h2.589zM23.107 7.75v7.75h-2.589v-7.75h2.589zM23.107 21.321l4.518-4.536v-14.196h-21.321v18.732h5.821v3.875l3.875-3.875h7.107zM30.214 0v18.089l-7.75 7.75h-5.821l-3.875 3.875h-3.875v-3.875h-7.107v-20.679l1.946-5.161h26.482z"></path> </symbol> <symbol id="icon-meanpath" viewBox="0 0 27 32"> <path class="path1" d="M23.411 15.036v2.036q0 0.429-0.241 0.679t-0.67 0.25h-3.607q-0.429 0-0.679-0.25t-0.25-0.679v-2.036q0-0.429 0.25-0.679t0.679-0.25h3.607q0.429 0 0.67 0.25t0.241 0.679zM14.661 19.143v-4.464q0-0.946-0.58-1.527t-1.527-0.58h-2.375q-1.214 0-1.714 0.929-0.5-0.929-1.714-0.929h-2.321q-0.946 0-1.527 0.58t-0.58 1.527v4.464q0 0.393 0.375 0.393h0.982q0.393 0 0.393-0.393v-4.107q0-0.429 0.241-0.679t0.688-0.25h1.679q0.429 0 0.679 0.25t0.25 0.679v4.107q0 0.393 0.375 0.393h0.964q0.393 0 0.393-0.393v-4.107q0-0.429 0.25-0.679t0.679-0.25h1.732q0.429 0 0.67 0.25t0.241 0.679v4.107q0 0.393 0.393 0.393h0.982q0.375 0 0.375-0.393zM25.179 17.429v-2.75q0-0.946-0.589-1.527t-1.536-0.58h-4.714q-0.946 0-1.536 0.58t-0.589 1.527v7.321q0 0.375 0.393 0.375h0.982q0.375 0 0.375-0.375v-3.214q0.554 0.75 1.679 0.75h3.411q0.946 0 1.536-0.58t0.589-1.527zM27.429 6.429v19.143q0 1.714-1.214 2.929t-2.929 1.214h-19.143q-1.714 0-2.929-1.214t-1.214-2.929v-19.143q0-1.714 1.214-2.929t2.929-1.214h19.143q1.714 0 2.929 1.214t1.214 2.929z"></path> </symbol> <symbol id="icon-pinterest-p" viewBox="0 0 23 32"> <path class="path1" d="M0 10.661q0-1.929 0.67-3.634t1.848-2.973 2.714-2.196 3.304-1.393 3.607-0.464q2.821 0 5.25 1.188t3.946 3.455 1.518 5.125q0 1.714-0.339 3.357t-1.071 3.161-1.786 2.67-2.589 1.839-3.375 0.688q-1.214 0-2.411-0.571t-1.714-1.571q-0.179 0.696-0.5 2.009t-0.42 1.696-0.366 1.268-0.464 1.268-0.571 1.116-0.821 1.384-1.107 1.545l-0.25 0.089-0.161-0.179q-0.268-2.804-0.268-3.357 0-1.643 0.384-3.688t1.188-5.134 0.929-3.625q-0.571-1.161-0.571-3.018 0-1.482 0.929-2.786t2.357-1.304q1.089 0 1.696 0.723t0.607 1.83q0 1.179-0.786 3.411t-0.786 3.339q0 1.125 0.804 1.866t1.946 0.741q0.982 0 1.821-0.446t1.402-1.214 1-1.696 0.679-1.973 0.357-1.982 0.116-1.777q0-3.089-1.955-4.813t-5.098-1.723q-3.571 0-5.964 2.313t-2.393 5.866q0 0.786 0.223 1.518t0.482 1.161 0.482 0.813 0.223 0.545q0 0.5-0.268 1.304t-0.661 0.804q-0.036 0-0.304-0.054-0.911-0.268-1.616-1t-1.089-1.688-0.58-1.929-0.196-1.902z"></path> </symbol> <symbol id="icon-periscope" viewBox="0 0 24 28"> <path class="path1" d="M12.285,1C6.696,1,2.277,5.643,2.277,11.243c0,5.851,7.77,14.578,10.007,14.578c1.959,0,9.729-8.728,9.729-14.578 C22.015,5.643,17.596,1,12.285,1z M12.317,16.551c-3.473,0-6.152-2.611-6.152-5.664c0-1.292,0.39-2.472,1.065-3.438 c0.206,1.084,1.18,1.906,2.352,1.906c1.322,0,2.393-1.043,2.393-2.333c0-0.832-0.447-1.561-1.119-1.975 c0.467-0.105,0.955-0.161,1.46-0.161c3.133,0,5.81,2.611,5.81,5.998C18.126,13.94,15.449,16.551,12.317,16.551z"></path> </symbol> <symbol id="icon-get-pocket" viewBox="0 0 31 32"> <path class="path1" d="M27.946 2.286q1.161 0 1.964 0.813t0.804 1.973v9.268q0 3.143-1.214 6t-3.259 4.911-4.893 3.259-5.973 1.205q-3.143 0-5.991-1.205t-4.902-3.259-3.268-4.911-1.214-6v-9.268q0-1.143 0.821-1.964t1.964-0.821h25.161zM15.375 21.286q0.839 0 1.464-0.589l7.214-6.929q0.661-0.625 0.661-1.518 0-0.875-0.616-1.491t-1.491-0.616q-0.839 0-1.464 0.589l-5.768 5.536-5.768-5.536q-0.625-0.589-1.446-0.589-0.875 0-1.491 0.616t-0.616 1.491q0 0.911 0.643 1.518l7.232 6.929q0.589 0.589 1.446 0.589z"></path> </symbol> <symbol id="icon-vimeo" viewBox="0 0 32 32"> <path class="path1" d="M30.518 9.25q-0.179 4.214-5.929 11.625-5.946 7.696-10.036 7.696-2.536 0-4.286-4.696-0.786-2.857-2.357-8.607-1.286-4.679-2.804-4.679-0.321 0-2.268 1.357l-1.375-1.75q0.429-0.375 1.929-1.723t2.321-2.063q2.786-2.464 4.304-2.607 1.696-0.161 2.732 0.991t1.446 3.634q0.786 5.125 1.179 6.661 0.982 4.446 2.143 4.446 0.911 0 2.75-2.875 1.804-2.875 1.946-4.393 0.232-2.482-1.946-2.482-1.018 0-2.161 0.464 2.143-7.018 8.196-6.821 4.482 0.143 4.214 5.821z"></path> </symbol> <symbol id="icon-reddit-alien" viewBox="0 0 32 32"> <path class="path1" d="M32 15.107q0 1.036-0.527 1.884t-1.42 1.295q0.214 0.821 0.214 1.714 0 2.768-1.902 5.125t-5.188 3.723-7.143 1.366-7.134-1.366-5.179-3.723-1.902-5.125q0-0.839 0.196-1.679-0.911-0.446-1.464-1.313t-0.554-1.902q0-1.464 1.036-2.509t2.518-1.045q1.518 0 2.589 1.125 3.893-2.714 9.196-2.893l2.071-9.304q0.054-0.232 0.268-0.375t0.464-0.089l6.589 1.446q0.321-0.661 0.964-1.063t1.411-0.402q1.107 0 1.893 0.777t0.786 1.884-0.786 1.893-1.893 0.786-1.884-0.777-0.777-1.884l-5.964-1.321-1.857 8.429q5.357 0.161 9.268 2.857 1.036-1.089 2.554-1.089 1.482 0 2.518 1.045t1.036 2.509zM7.464 18.661q0 1.107 0.777 1.893t1.884 0.786 1.893-0.786 0.786-1.893-0.786-1.884-1.893-0.777q-1.089 0-1.875 0.786t-0.786 1.875zM21.929 25q0.196-0.196 0.196-0.464t-0.196-0.464q-0.179-0.179-0.446-0.179t-0.464 0.179q-0.732 0.75-2.161 1.107t-2.857 0.357-2.857-0.357-2.161-1.107q-0.196-0.179-0.464-0.179t-0.446 0.179q-0.196 0.179-0.196 0.455t0.196 0.473q0.768 0.768 2.116 1.214t2.188 0.527 1.625 0.080 1.625-0.080 2.188-0.527 2.116-1.214zM21.875 21.339q1.107 0 1.884-0.786t0.777-1.893q0-1.089-0.786-1.875t-1.875-0.786q-1.107 0-1.893 0.777t-0.786 1.884 0.786 1.893 1.893 0.786z"></path> </symbol> <symbol id="icon-hashtag" viewBox="0 0 32 32"> <path class="path1" d="M17.696 18.286l1.143-4.571h-4.536l-1.143 4.571h4.536zM31.411 9.286l-1 4q-0.125 0.429-0.554 0.429h-5.839l-1.143 4.571h5.554q0.268 0 0.446 0.214 0.179 0.25 0.107 0.5l-1 4q-0.089 0.429-0.554 0.429h-5.839l-1.446 5.857q-0.125 0.429-0.554 0.429h-4q-0.286 0-0.464-0.214-0.161-0.214-0.107-0.5l1.393-5.571h-4.536l-1.446 5.857q-0.125 0.429-0.554 0.429h-4.018q-0.268 0-0.446-0.214-0.161-0.214-0.107-0.5l1.393-5.571h-5.554q-0.268 0-0.446-0.214-0.161-0.214-0.107-0.5l1-4q0.125-0.429 0.554-0.429h5.839l1.143-4.571h-5.554q-0.268 0-0.446-0.214-0.179-0.25-0.107-0.5l1-4q0.089-0.429 0.554-0.429h5.839l1.446-5.857q0.125-0.429 0.571-0.429h4q0.268 0 0.446 0.214 0.161 0.214 0.107 0.5l-1.393 5.571h4.536l1.446-5.857q0.125-0.429 0.571-0.429h4q0.268 0 0.446 0.214 0.161 0.214 0.107 0.5l-1.393 5.571h5.554q0.268 0 0.446 0.214 0.161 0.214 0.107 0.5z"></path> </symbol> <symbol id="icon-chain" viewBox="0 0 30 32"> <path class="path1" d="M26 21.714q0-0.714-0.5-1.214l-3.714-3.714q-0.5-0.5-1.214-0.5-0.75 0-1.286 0.571 0.054 0.054 0.339 0.33t0.384 0.384 0.268 0.339 0.232 0.455 0.063 0.491q0 0.714-0.5 1.214t-1.214 0.5q-0.268 0-0.491-0.063t-0.455-0.232-0.339-0.268-0.384-0.384-0.33-0.339q-0.589 0.554-0.589 1.304 0 0.714 0.5 1.214l3.679 3.696q0.482 0.482 1.214 0.482 0.714 0 1.214-0.464l2.625-2.607q0.5-0.5 0.5-1.196zM13.446 9.125q0-0.714-0.5-1.214l-3.679-3.696q-0.5-0.5-1.214-0.5-0.696 0-1.214 0.482l-2.625 2.607q-0.5 0.5-0.5 1.196 0 0.714 0.5 1.214l3.714 3.714q0.482 0.482 1.214 0.482 0.75 0 1.286-0.554-0.054-0.054-0.339-0.33t-0.384-0.384-0.268-0.339-0.232-0.455-0.063-0.491q0-0.714 0.5-1.214t1.214-0.5q0.268 0 0.491 0.063t0.455 0.232 0.339 0.268 0.384 0.384 0.33 0.339q0.589-0.554 0.589-1.304zM29.429 21.714q0 2.143-1.518 3.625l-2.625 2.607q-1.482 1.482-3.625 1.482-2.161 0-3.643-1.518l-3.679-3.696q-1.482-1.482-1.482-3.625 0-2.196 1.571-3.732l-1.571-1.571q-1.536 1.571-3.714 1.571-2.143 0-3.643-1.5l-3.714-3.714q-1.5-1.5-1.5-3.643t1.518-3.625l2.625-2.607q1.482-1.482 3.625-1.482 2.161 0 3.643 1.518l3.679 3.696q1.482 1.482 1.482 3.625 0 2.196-1.571 3.732l1.571 1.571q1.536-1.571 3.714-1.571 2.143 0 3.643 1.5l3.714 3.714q1.5 1.5 1.5 3.643z"></path> </symbol> <symbol id="icon-thumb-tack" viewBox="0 0 21 32"> <path class="path1" d="M8.571 15.429v-8q0-0.25-0.161-0.411t-0.411-0.161-0.411 0.161-0.161 0.411v8q0 0.25 0.161 0.411t0.411 0.161 0.411-0.161 0.161-0.411zM20.571 21.714q0 0.464-0.339 0.804t-0.804 0.339h-7.661l-0.911 8.625q-0.036 0.214-0.188 0.366t-0.366 0.152h-0.018q-0.482 0-0.571-0.482l-1.357-8.661h-7.214q-0.464 0-0.804-0.339t-0.339-0.804q0-2.196 1.402-3.955t3.17-1.759v-9.143q-0.929 0-1.607-0.679t-0.679-1.607 0.679-1.607 1.607-0.679h11.429q0.929 0 1.607 0.679t0.679 1.607-0.679 1.607-1.607 0.679v9.143q1.768 0 3.17 1.759t1.402 3.955z"></path> </symbol> <symbol id="icon-arrow-left" viewBox="0 0 43 32"> <path class="path1" d="M42.311 14.044c-0.178-0.178-0.533-0.356-0.711-0.356h-33.778l10.311-10.489c0.178-0.178 0.356-0.533 0.356-0.711 0-0.356-0.178-0.533-0.356-0.711l-1.6-1.422c-0.356-0.178-0.533-0.356-0.889-0.356s-0.533 0.178-0.711 0.356l-14.578 14.933c-0.178 0.178-0.356 0.533-0.356 0.711s0.178 0.533 0.356 0.711l14.756 14.933c0 0.178 0.356 0.356 0.533 0.356s0.533-0.178 0.711-0.356l1.6-1.6c0.178-0.178 0.356-0.533 0.356-0.711s-0.178-0.533-0.356-0.711l-10.311-10.489h33.778c0.178 0 0.533-0.178 0.711-0.356 0.356-0.178 0.533-0.356 0.533-0.711v-2.133c0-0.356-0.178-0.711-0.356-0.889z"></path> </symbol> <symbol id="icon-arrow-right" viewBox="0 0 43 32"> <path class="path1" d="M0.356 17.956c0.178 0.178 0.533 0.356 0.711 0.356h33.778l-10.311 10.489c-0.178 0.178-0.356 0.533-0.356 0.711 0 0.356 0.178 0.533 0.356 0.711l1.6 1.6c0.178 0.178 0.533 0.356 0.711 0.356s0.533-0.178 0.711-0.356l14.756-14.933c0.178-0.356 0.356-0.711 0.356-0.889s-0.178-0.533-0.356-0.711l-14.756-14.933c0-0.178-0.356-0.356-0.533-0.356s-0.533 0.178-0.711 0.356l-1.6 1.6c-0.178 0.178-0.356 0.533-0.356 0.711s0.178 0.533 0.356 0.711l10.311 10.489h-33.778c-0.178 0-0.533 0.178-0.711 0.356-0.356 0.178-0.533 0.356-0.533 0.711v2.311c0 0.178 0.178 0.533 0.356 0.711z"></path> </symbol> <symbol id="icon-play" viewBox="0 0 22 28"> <path d="M21.625 14.484l-20.75 11.531c-0.484 0.266-0.875 0.031-0.875-0.516v-23c0-0.547 0.391-0.781 0.875-0.516l20.75 11.531c0.484 0.266 0.484 0.703 0 0.969z"></path> </symbol> <symbol id="icon-pause" viewBox="0 0 24 28"> <path d="M24 3v22c0 0.547-0.453 1-1 1h-8c-0.547 0-1-0.453-1-1v-22c0-0.547 0.453-1 1-1h8c0.547 0 1 0.453 1 1zM10 3v22c0 0.547-0.453 1-1 1h-8c-0.547 0-1-0.453-1-1v-22c0-0.547 0.453-1 1-1h8c0.547 0 1 0.453 1 1z"></path> </symbol> </defs> </svg> <script src="https://bilderupload.net/wp-content/cache/min/1/b5213d67c5d0e754e158f677f523f49c.js" data-minify="1" defer></script><noscript><link rel='stylesheet' id='wp-block-library-css' href='https://bilderupload.net/wp-includes/css/dist/block-library/style.min.css?ver=6.5.2' type='text/css' media='all' /><link rel='stylesheet' id='blog-tales-google-fonts-css' href='https://fonts.googleapis.com/css?family=Playfair+Display%3A400%2C700%7CLato%3A400%2C700&subset=latin%2Clatin-ext' type='text/css' media='all' /><link data-minify="1" rel='stylesheet' id='blog-tales-blocks-css' href='https://bilderupload.net/wp-content/cache/min/1/wp-content/themes/blog-tales/assets/css/blocks.css?ver=1706965618' type='text/css' media='all' /><link data-minify="1" rel='stylesheet' id='blog-tales-style-css' href='https://bilderupload.net/wp-content/cache/min/1/wp-content/themes/blog-tales/style.css?ver=1706965618' type='text/css' media='all' /></noscript></body> </html> <!-- This website is like a Rocket, isn't it? Performance optimized by WP Rocket. Learn more: https://wp-rocket.me - Debug: cached@1713704821 -->