Merge commit '047c4188dfc854f658d16f1e4a9501f9c97a31c7'
authorBjørn Erik Pedersen <bjorn.erik.pedersen@gmail.com>
Mon, 16 Apr 2018 05:45:38 +0000 (07:45 +0200)
committerBjørn Erik Pedersen <bjorn.erik.pedersen@gmail.com>
Mon, 16 Apr 2018 05:45:38 +0000 (07:45 +0200)
41 files changed:
1  2 
docs/content/about/new-in-032/index.md
docs/content/content-management/comments.md
docs/content/content-management/front-matter.md
docs/content/content-management/image-processing/index.md
docs/content/content-management/menus.md
docs/content/content-management/multilingual.md
docs/content/content-management/page-bundles.md
docs/content/content-management/page-resources.md
docs/content/content-management/related.md
docs/content/content-management/static-files.md
docs/content/content-management/syntax-highlighting.md
docs/content/content-management/taxonomies.md
docs/content/content-management/urls.md
docs/content/functions/where.md
docs/content/getting-started/code-toggle.md
docs/content/getting-started/configuration.md
docs/content/news/0.27-relnotes-ready.md
docs/content/news/0.27-relnotes.md
docs/content/news/0.35-relnotes/index.md
docs/content/news/0.38-relnotes/featured-poster.png
docs/content/news/0.38-relnotes/index.md
docs/content/news/0.38.1-relnotes/index.md
docs/content/news/0.38.2-relnotes/index.md
docs/content/templates/data-templates.md
docs/content/templates/internal.md
docs/content/templates/introduction.md
docs/content/templates/menu-templates.md
docs/content/templates/output-formats.md
docs/content/templates/sitemap-template.md
docs/content/tools/search.md
docs/content/variables/site.md
docs/layouts/shortcodes/chroma-lexers.html
docs/layouts/shortcodes/code.html
docs/netlify.toml
docs/resources/_gen/images/news/0.38-relnotes/featured-poster_hudf8012d38ef42d46a6cab1b31156bf3a_69978_480x0_resize_catmullrom_2.png
docs/resources/_gen/images/news/0.38-relnotes/featured-poster_hudf8012d38ef42d46a6cab1b31156bf3a_69978_640x0_resize_catmullrom_2.png
docs/themes/gohugoioTheme/data/sponsors.toml
docs/themes/gohugoioTheme/src/css/_tabs.css
docs/themes/gohugoioTheme/static/dist/app.bundle.js
docs/themes/gohugoioTheme/static/dist/main.css
docs/themes/gohugoioTheme/static/images/sponsors/esolia-logo.svg

index 41bd58937f199cb9e408951d373e9d4f2e36db27,0000000000000000000000000000000000000000..b8ca6430e31b6147686f81b6b7d4a9b9659c3f5b
mode 100644,000000..100644
--- /dev/null
@@@ -1,209 -1,0 +1,209 @@@
- ```html
 +---
 +title: Hugo 0.32 HOWTO
 +description: About page bundles, image processing and more.
 +date: 2017-12-28
 +keywords: [ssg,static,performance,security]
 +menu:
 +  docs:
 +    parent: "about"
 +    weight: 10
 +weight: 10
 +sections_weight: 10
 +draft: false
 +aliases: []
 +toc: true
 +images:
 +- images/blog/sunset.jpg
 +---
 +
 +
 +{{% note %}}
 +This documentation belongs in other places in this documentation site, but is put here first ... to get something up and running fast.
 +{{% /note %}}
 +
 +
 +Also see this demo project from [bep](https://github.com/bep/), the clever Norwegian behind these new features:
 +
 +* http://hugotest.bep.is/
 +* https://github.com/bep/hugotest (source)
 +
 +## Page Resources
 +
 +### Organize Your Content
 +
 +{{< figure src="/images/hugo-content-bundles.png" title="Pages with image resources" >}}
 +
 +The content folder above shows a mix of content pages (`md` (i.e. markdown) files) and image resources.
 +
 +{{% note %}}
 +You can use any file type as a content resource as long as it is a MIME type recognized by Hugo (`json` files will, as one example, work fine). If you want to get exotic, you can define your [own media type](/templates/output-formats/#media-types).
 +{{% /note %}}
 +
 +The 3 page bundles marked in red explained from top to bottom:
 +
 +1. The home page with one image resource (`1-logo.png`)
 +2. The blog section with two images resources and two pages resources (`content1.md`, `content2.md`). Note that the `_index.md` represents the URL for this section.
 +3. An article (`hugo-is-cool`) with a folder with some images and one content resource (`cats-info.md`). Note that the `index.md` represents the URL for this article.
 +
 +The content files below `blog/posts` are just regular standalone pages.
 +
 +{{% note %}}
 +Note that changes to any resource inside the `content` folder will trigger a reload when running in watch (aka server or live reload mode), it will even work with `--navigateToChanged`.
 +{{% /note %}}
 +
 +#### Sort Order
 +
 +* Pages are sorted according to standard Hugo page sorting rules.
 +* Images and other resources are sorted in lexicographical order.
 +
 +### Handle Page Resources in Templates
 +
 +
 +#### List all Resources
 +
- ```html
++```go-html-template
 +{{ range .Resources }}
 +<li><a href="{{ .RelPermalink }}">{{ .ResourceType | title }}</a></li>
 +{{ end }}
 +```
 +
 +For an absolute URL, use `.Permalink`.
 +
 +**Note:** The permalink will be relative to the content page, respecting permalink settings. Also, included page resources will not have a value for `RelPermalink`.
 +
 +#### List All Resources by Type
 +
- ```html
++```go-html-template
 +{{ with .Resources.ByType "image" }}
 +{{ end }}
 +
 +```
 +
 +Type here is `page` for pages, else the main type in the MIME type, so `image`, `json` etc.
 +
 +#### Get a Specific Resource
 +
- ```html
++```go-html-template
 +{{ $logo := .Resources.GetByPrefix "logo" }}
 +{{ with $logo }}
 +{{ end }}
 +```
 +
 +#### Include Page Resource Content
 +
- ```html
++```go-html-template
 +{{ with .Resources.ByType "page" }}
 +{{ range . }}
 +<h3>{{ .Title }}</h3>
 +{{ .Content }}
 +{{ end }}
 +{{ end }}
 +
 +```
 +
 +
 +## Image Processing
 +
 +The `image` resource implements the methods `Resize`, `Fit` and `Fill`:
 +
 +Resize
 +: Resize to the given dimension, `{{ $logo.Resize "200x" }}` will resize to 200 pixels wide and preserve the aspect ratio. Use `{{ $logo.Resize "200x100" }}` to control both height and width.
 +
 +Fit
 +: Scale down the image to fit the given dimensions, e.g. `{{ $logo.Fit "200x100" }}` will fit the image inside a box that is 200 pixels wide and 100 pixels high.
 +
 +Fill
 +: Resize and crop the image given dimensions, e.g. `{{ $logo.Fill "200x100" }}` will resize and crop to width 200 and height 100
 +
 +
 +{{% note %}}
 +Image operations in Hugo currently **do not preserve EXIF data** as this is not supported by Go's [image package](https://github.com/golang/go/search?q=exif&type=Issues&utf8=%E2%9C%93). This will be improved on in the future.
 +{{% /note %}}
 +
 +
 +### Image Processing Examples
 +
 +_The photo of the sunset used in the examples below is Copyright [Bjørn Erik Pedersen](https://commons.wikimedia.org/wiki/User:Bep) (Creative Commons Attribution-Share Alike 4.0 International license)_
 +
 +
 +{{< imgproc sunset Resize "300x" />}}
 +
 +{{< imgproc sunset Fill "90x120 left" />}}
 +
 +{{< imgproc sunset Fill "90x120 right" />}}
 +
 +{{< imgproc sunset Fit "90x90" />}}
 +
 +{{< imgproc sunset Resize "300x q10" />}}
 +
 +
 +This is the shortcode used in the examples above:
 +
 +
 +{{< code file="layouts/shortcodes/imgproc.html" >}}
 +{{< readfile file="layouts/shortcodes/imgproc.html" >}}   
 +{{< /code >}}
 +
 +And it is used like this:
 +
++```go-html-template
 +{{</* imgproc sunset Resize "300x" */>}}
 +```
 +
 +### Image Processing Options
 +
 +In addition to the dimensions (e.g. `200x100`) where either height or width can be omitted, Hugo supports a set of additional image options:
 +
 +Anchor
 +: Only relevant for `Fill`. This is useful for thumbnail generation where the main motive is located in, say, the left corner. Valid are `Center`, `TopLeft`, `Top`, `TopRight`, `Left`, `Right`, `BottomLeft`, `Bottom`, `BottomRight`. Example: `{{ $logo.Fill "200x100 BottomLeft" }}`
 +
 +JPEG Quality
 +: Only relevant for JPEG images, values 1 to 100 inclusive, higher is better. Default is 75. `{{ $logo.Resize "200x q50" }}`
 +
 +Rotate
 +: Rotates an image by the given angle counter-clockwise. The rotation will be performed first to get the dimensions correct. `{{ $logo.Resize "200x r90" }}`. The main use of this is to be able to manually correct for [EXIF orientation](https://github.com/golang/go/issues/4341) of JPEG images.
 +
 +Resample Filter
 +: Filter used in resizing. Default is `Box`, a simple and fast resampling filter appropriate for downscaling. See https://github.com/disintegration/imaging for more. If you want to trade quality for faster processing, this may be a option to test. 
 +
 +
 +
 +### Performance
 +
 +Processed images are stored below `<project-dir>/resources` (can be set with `resourceDir` config setting). This folder is deliberately placed in the project, as it is recommended to check these into source control as part of the project. These images are not "Hugo fast" to generate, but once generated they can be reused.
 +
 +If you change your image settings (e.g. size), remove or rename images etc., you will end up with unused images taking up space and cluttering your project. 
 +
 +To clean up, run:
 +
 +```bash
 +hugo --gc
 +```
 +
 +
 +{{% note %}}
 +**GC** is short for **Garbage Collection**.
 +{{% /note %}}
 +
 +
 +## Configuration
 +
 +### Default Image Processing Config
 +
 +You can configure an `imaging` section in `config.toml` with default image processing options:
 +
 +```toml
 +[imaging]
 +# Default resample filter used for resizing. Default is Box,
 +# a simple and fast averaging filter appropriate for downscaling.
 +# See https://github.com/disintegration/imaging
 +resampleFilter = "box"
 +
 +# Defatult JPEG quality setting. Default is 75.
 +quality = 68
 +```
 +
 +
 +
 +
 +
index 355bf0042d3e6d089477a75672deb3fd6f97d38a,0000000000000000000000000000000000000000..20932a825f5f1577242f2e4f15011f2958a45572
mode 100644,000000..100644
--- /dev/null
@@@ -1,84 -1,0 +1,80 @@@
- Disqus comments require you set a single value in your [site's configuration file][configuration]. The following show the configuration variable in a `config.toml` and `config.yml`, respectively:
 +---
 +title: Comments
 +linktitle: Comments
 +description: Hugo ships with an internal Disqus template, but this isn't the only commenting system that will work with your new Hugo website.
 +date: 2017-02-01
 +publishdate: 2017-02-01
 +lastmod: 2017-03-09
 +keywords: [sections,content,organization]
 +categories: [project organization, fundamentals]
 +menu:
 +  docs:
 +    parent: "content-management"
 +    weight: 140
 +weight: 140   #rem
 +draft: false
 +aliases: [/extras/comments/]
 +toc: true
 +---
 +
 +Hugo ships with support for [Disqus](https://disqus.com/), a third-party service that provides comment and community capabilities to websites via JavaScript.
 +
 +Your theme may already support Disqus, but if not, it is easy to add to your templates via [Hugo's built-in Disqus partial][disquspartial].
 +
 +## Add Disqus
 +
 +Hugo comes with all the code you need to load Disqus into your templates. Before adding Disqus to your site, you'll need to [set up an account][disqussetup].
 +
 +### Configure Disqus
 +
- ```
++Disqus comments require you set a single value in your [site's configuration file][configuration] like so:
 +
- ```
- ```
- disqusShortname: "yourdiscussshortname"
- ```
++{{< code-toggle copy="false" >}}
 +disqusShortname = "yourdiscussshortname"
++{{</ code-toggle >}}
 +
 +For many websites, this is enough configuration. However, you also have the option to set the following in the [front matter][] of a single content file:
 +
 +* `disqus_identifier`
 +* `disqus_title`
 +* `disqus_url`
 +
 +### Render Hugo's Built-in Disqus Partial Template
 +
 +See [Partial Templates][partials] to learn how to add the Disqus partial to your Hugo website's templates.
 +
 +## Comments Alternatives
 +
 +There are a few alternatives to commenting on static sites for those who do not want to use Disqus:
 +
 +* [Static Man](https://staticman.net/)
 +* [txtpen](https://txtpen.com)
 +* [IntenseDebate](http://intensedebate.com/)
 +* [Graph Comment][]
 +* [Muut](http://muut.com/)
 +* [isso](http://posativ.org/isso/) (Self-hosted, Python)
 +    * [Tutorial on Implementing Isso with Hugo][issotutorial]
 +
 +
 +<!-- I don't think this is worth including in the documentation since it seems that Steve is no longer supporting or developing this project. rdwatters - 2017-02-29.-->
 +<!-- * [Kaiju](https://github.com/spf13/kaiju) -->
 +
 +<!-- ## Kaiju
 +
 +[Kaiju](https://github.com/spf13/kaiju) is an open-source project started by [spf13](http://spf13.com/) (Hugo’s author) to bring easy and fast real time discussions to the web.
 +
 +Written using Go, Socket.io, and [MongoDB][], Kaiju is very fast and easy to deploy.
 +
 +It is in early development but shows promise. If you have interest, please help by contributing via pull request, [opening an issue in the Kaiju GitHub repository][kaijuissue], or [Tweeting about it][tweet]. Every bit helps. -->
 +
 +[configuration]: /getting-started/configuration/
 +[disquspartial]: /templates/partials/#disqus
 +[disqussetup]: https://disqus.com/profile/signup/
 +[forum]: https://discourse.gohugo.io
 +[front matter]: /content-management/front-matter/
 +[Graph Comment]: https://graphcomment.com/
 +[kaijuissue]: https://github.com/spf13/kaiju/issues/new
 +[issotutorial]: https://stiobhart.net/2017-02-24-isso-comments/
 +[partials]: /templates/partials/
 +[MongoDB]: https://www.mongodb.com/
 +[tweet]: https://twitter.com/spf13
index a6a3f24033ffec0f05aa7f528904af757aa4d87a,0000000000000000000000000000000000000000..2fc18ee31f1a3f57424fedfb13d7d2ea0a3a2022
mode 100644,000000..100644
--- /dev/null
@@@ -1,206 -1,0 +1,174 @@@
- ### TOML Example
 +---
 +title: Front Matter
 +linktitle:
 +description: Hugo allows you to add front matter in yaml, toml, or json to your content files.
 +date: 2017-01-09
 +publishdate: 2017-01-09
 +lastmod: 2017-02-24
 +categories: [content management]
 +keywords: ["front matter", "yaml", "toml", "json", "metadata", "archetypes"]
 +menu:
 +  docs:
 +    parent: "content-management"
 +    weight: 30
 +weight: 30    #rem
 +draft: false
 +aliases: [/content/front-matter/]
 +toc: true
 +---
 +
 +**Front matter** allows you to keep metadata attached to an instance of a [content type][]---i.e., embedded inside a content file---and is one of the many features that gives Hugo its strength.
 +
 +{{< youtube Yh2xKRJGff4 >}}
 +
 +## Front Matter Formats
 +
 +Hugo supports three formats for front matter, each with their own identifying tokens.
 +
 +TOML
 +: identified by opening and closing `+++`.
 +
 +YAML
 +: identified by opening and closing `---`.
 +
 +JSON
 +: a single JSON object surrounded by '`{`' and '`}`', followed by a new line.
 +
- ```
++### Example
 +
- ```
- ### YAML Example
- ```
- ---
- title: "spf13-vim 3.0 release and new website"
- description: "spf13-vim is a cross platform distribution of vim plugins and resources for Vim."
- tags: [ ".vimrc", "plugins", "spf13-vim", "vim" ]
- lastmod: 2015-12-23
- date: "2012-04-06"
- categories:
-   - "Development"
-   - "VIM"
- slug: "spf13-vim-3-0-release-and-new-website"
- ---
- ```
- ### JSON Example
- ```
- {
-     "title": "spf13-vim 3.0 release and new website",
-     "description": "spf13-vim is a cross platform distribution of vim plugins and resources for Vim.",
-     "tags": [ ".vimrc", "plugins", "spf13-vim", "vim" ],
-     "date": "2012-04-06",
-     "categories": [
-         "Development",
-         "VIM"
-     ],
-     "slug": "spf13-vim-3-0-release-and-new-website"
- }
- ```
++{{< code-toggle >}}
 ++++
 +title = "spf13-vim 3.0 release and new website"
 +description = "spf13-vim is a cross platform distribution of vim plugins and resources for Vim."
 +tags = [ ".vimrc", "plugins", "spf13-vim", "vim" ]
 +date = "2012-04-06"
 +categories = [
 +  "Development",
 +  "VIM"
 +]
 +slug = "spf13-vim-3-0-release-and-new-website"
 ++++
++{{</ code-toggle >}}
 +
 +## Front Matter Variables
 +
 +### Predefined
 +
 +There are a few predefined variables that Hugo is aware of. See [Page Variables][pagevars] for how to call many of these predefined variables in your templates.
 +
 +`aliases`
 +: an array of one or more aliases (e.g., old published paths of renamed content) that will be created in the output directory structure . See [Aliases][aliases] for details.
 +
 +`date`
 +: the datetime at which the content was created; note this value is auto-populated according to Hugo's built-in [archetype][].
 +
 +`description`
 +: the description for the content.
 +
 +`draft`
 +: if `true`, the content will not be rendered unless the `--buildDrafts` flag is passed to the `hugo` command.
 +
 +`expiryDate`
 +: the datetime at which the content should no longer be published by Hugo; expired content will not be rendered unless the `--buildExpired` flag is passed to the `hugo` command.
 +
 +`headless`
 +: if `true`, sets a leaf bundle to be [headless][headless-bundle].
 +
 +`isCJKLanguage`
 +: if `true`, Hugo will explicitly treat the content as a CJK language; both `.Summary` and `.WordCount` work properly in CJK languages.
 +
 +`keywords`
 +: the meta keywords for the content.
 +
 +`layout`
 +: the layout Hugo should select from the [lookup order][lookup] when rendering the content. If a `type` is not specified in the front matter, Hugo will look for the layout of the same name in the layout directory that corresponds with a content's section. See ["Defining a Content Type"][definetype]
 +
 +`lastmod`
 +: the datetime at which the content was last modified.
 +
 +`linkTitle`
 +: used for creating links to content; if set, Hugo defaults to using the `linktitle` before the `title`. Hugo can also [order lists of content by `linktitle`][bylinktitle].
 +
 +`markup`
 +: **experimental**; specify `"rst"` for reStructuredText (requires`rst2html`) or `"md"` (default) for Markdown.
 +
 +`outputs`
 +: allows you to specify output formats specific to the content. See [output formats][outputs].
 +
 +`publishDate`
 +: if in the future, content will not be rendered unless the `--buildFuture` flag is passed to `hugo`.
 +
 +`resources`
 +: used for configuring page bundle resources. See [Page Resources][page-resources].
 +
 +`slug`
 +: appears as the tail of the output URL. A value specified in front matter will override the segment of the URL based on the filename.
 +
 +`taxonomies`
 +: these will use the field name of the plural form of the index; see the `tags` and `categories` in the above front matter examples.
 +
 +`title`
 +: the title for the content.
 +
 +`type`
 +: the type of the content; this value will be automatically derived from the directory (i.e., the [section][]) if not specified in front matter.
 +
 +`url`
 +: the full path to the content from the web root. It makes no assumptions about the path of the content file. It also ignores any language prefixes of
 +the multilingual feature.
 +
 +`weight`
 +: used for [ordering your content in lists][ordering].
 +
 +{{% note "Hugo's Default URL Destinations" %}}
 +If neither `slug` nor `url` is present and [permalinks are not configured otherwise in your site `config` file](/content-management/urls/#permalinks), Hugo will use the filename of your content to create the output URL. See [Content Organization](/content-management/organization) for an explanation of paths in Hugo and [URL Management](/content-management/urls/) for ways to customize Hugo's default behaviors.
 +{{% /note %}}
 +
 +### User-Defined
 +
 +You can add fields to your front matter arbitrarily to meet your needs. These user-defined key-values are placed into a single `.Params` variable for use in your templates.
 +
 +The following fields can be accessed via `.Params.include_toc` and `.Params.show_comments`, respectively. The [Variables][] section provides more information on using Hugo's page- and site-level variables in your templates.
 +
 +```
 +include_toc: true
 +show_comments: false
 +```
 +
 +
 +## Order Content Through Front Matter
 +
 +You can assign content-specific `weight` in the front matter of your content. These values are especially useful for [ordering][ordering] in list views. You can use `weight` for ordering of content and the convention of [`<TAXONOMY>_weight`][taxweight] for ordering content within a taxonomy. See [Ordering and Grouping Hugo Lists][lists] to see how `weight` can be used to organize your content in list views.
 +
 +## Override Global Markdown Configuration
 +
 +It's possible to set some options for Markdown rendering in a content's front matter as an override to the [BlackFriday rendering options set in your project configuration][config].
 +
 +## Front Matter Format Specs
 +
 +* [TOML Spec][toml]
 +* [YAML Spec][yaml]
 +* [JSON Spec][json]
 +
 +[variables]: /variables/
 +[aliases]: /content-management/urls/#aliases/
 +[archetype]: /content-management/archetypes/
 +[bylinktitle]: /templates/lists/#by-link-title
 +[config]: /getting-started/configuration/ "Hugo documentation for site configuration"
 +[content type]: /content-management/types/
 +[contentorg]: /content-management/organization/
 +[definetype]: /content-management/types/#defining-a-content-type "Learn how to specify a type and a layout in a content's front matter"
 +[headless-bundle]: /content-management/page-bundles/#headless-bundle
 +[json]: https://www.ecma-international.org/publications/files/ECMA-ST/ECMA-404.pdf "Specification for JSON, JavaScript Object Notation"
 +[lists]: /templates/lists/#ordering-content "See how to order content in list pages; for example, templates that look to specific _index.md for content and front matter."
 +[lookup]: /templates/lookup-order/ "Hugo traverses your templates in a specific order when rendering content to allow for DRYer templating."
 +[ordering]: /templates/lists/ "Hugo provides multiple ways to sort and order your content in list templates"
 +[outputs]: /templates/output-formats/ "With the release of v22, you can output your content to any text format using Hugo's familiar templating"
 +[page-resources]: /content-management/page-resources/
 +[pagevars]: /variables/page/
 +[section]: /content-management/sections/
 +[taxweight]: /content-management/taxonomies/
 +[toml]: https://github.com/toml-lang/toml "Specification for TOML, Tom's Obvious Minimal Language"
 +[urls]: /content-management/urls/
 +[variables]: /variables/
 +[yaml]: http://yaml.org/spec/ "Specification for YAML, YAML Ain't Markup Language"
index 1f84ba04da04c5a7c085e1a4db8c011d59a4b1d4,0000000000000000000000000000000000000000..ecc85bb51f9ed9c8fdeadfb3bcfdbe60490321c5
mode 100644,000000..100644
--- /dev/null
@@@ -1,195 -1,0 +1,195 @@@
- ```html
 +---
 +title: "Image Processing"
 +description: "Image Page resources can be resized and cropped."
 +date: 2018-01-24T13:10:00-05:00
 +lastmod: 2018-01-26T15:59:07-05:00
 +linktitle: "Image Processing"
 +categories: ["content management"]
 +keywords: [bundle,content,resources,images]
 +weight: 4004
 +draft: false
 +toc: true
 +menu:
 +  docs:
 +    parent: "content-management"
 +    weight: 32
 +---
 +
 +## The Image Page Resource
 +
 +The `image` is a [Page Resource]({{< relref "content-management/page-resources" >}}), and the processing methods listed below does not work on images inside your `/static` folder.
 +
 +
 +To get all images in a [Page Bundle]({{< relref "content-management/organization#page-bundles" >}}):
 +
 +
- ```html
++```go-html-template
 +{{ with .Resources.ByType "image" }}
 +{{ end }}
 +
 +```
 +
 +## Image Processing Methods
 +
 +
 +The `image` resource implements the methods `Resize`, `Fit` and `Fill`, each returning the transformed image using the specified dimensions and processing options.
 +
 +Resize
 +: Resizes the image to the specified width and height.
 +
 +```go
 +// Resize to a width of 600px and preserve ratio
 +{{ $image := $resource.Resize "600x" }} 
 +
 +// Resize to a height of 400px and preserve ratio
 +{{ $image := $resource.Resize "x400" }} 
 +
 +// Resize to a width 600px and a height of 400px
 +{{ $image := $resource.Resize "600x400" }}
 +```
 +
 +Fit
 +: Scale down the image to fit the given dimensions while maintaining aspect ratio. Both height and width are required.
 +
 +```go
 +{{ $image := $resource.Fit "600x400" }} 
 +```
 +
 +Fill
 +: Resize and crop the image to match the given dimensions. Both height and width are required.
 +
 +```go
 +{{ $image := $resource.Fill "600x400" }} 
 +```
 +
 +
 +{{% note %}}
 +Image operations in Hugo currently **do not preserve EXIF data** as this is not supported by Go's [image package](https://github.com/golang/go/search?q=exif&type=Issues&utf8=%E2%9C%93). This will be improved on in the future.
 +{{% /note %}}
 +
 +
 +## Image Processing Options
 +
 +In addition to the dimensions (e.g. `600x400`), Hugo supports a set of additional image options.
 +
 +
 +JPEG Quality
 +: Only relevant for JPEG images, values 1 to 100 inclusive, higher is better. Default is 75.
 +
 +```go
 +{{ $image.Resize "600x q50" }}
 +```
 +
 +Rotate
 +: Rotates an image by the given angle counter-clockwise. The rotation will be performed first to get the dimensions correct. The main use of this is to be able to manually correct for [EXIF orientation](https://github.com/golang/go/issues/4341) of JPEG images.
 +
 +```go
 +{{ $image.Resize "600x r90" }}
 +```
 +
 +Anchor
 +: Only relevant for the `Fill` method. This is useful for thumbnail generation where the main motive is located in, say, the left corner. 
 +Valid are `Center`, `TopLeft`, `Top`, `TopRight`, `Left`, `Right`, `BottomLeft`, `Bottom`, `BottomRight`.
 +
 +```go
 +{{ $image.Fill "300x200 BottomLeft" }}
 +```
 +
 +Resample Filter
 +: Filter used in resizing. Default is `Box`, a simple and fast resampling filter appropriate for downscaling. 
 +
 +Examples are: `Box`, `NearestNeighbor`, `Linear`, `Gaussian`.
 +
 +See https://github.com/disintegration/imaging for more. If you want to trade quality for faster processing, this may be a option to test. 
 +
 +```go
 +{{ $image.Resize "600x400 Gaussian" }}
 +```
 +
 +## Image Processing Examples
 +
 +_The photo of the sunset used in the examples below is Copyright [Bjørn Erik Pedersen](https://commons.wikimedia.org/wiki/User:Bep) (Creative Commons Attribution-Share Alike 4.0 International license)_
 +
 +
 +{{< imgproc sunset Resize "300x" />}}
 +
 +{{< imgproc sunset Fill "90x120 left" />}}
 +
 +{{< imgproc sunset Fill "90x120 right" />}}
 +
 +{{< imgproc sunset Fit "90x90" />}}
 +
 +{{< imgproc sunset Resize "300x q10" />}}
 +
 +
 +This is the shortcode used in the examples above:
 +
 +
 +{{< code file="layouts/shortcodes/imgproc.html" >}}
 +{{< readfile file="layouts/shortcodes/imgproc.html" >}}   
 +{{< /code >}}
 +
 +And it is used like this:
 +
++```go-html-template
 +{{</* imgproc sunset Resize "300x" /*/>}}
 +```
 +
 +
 +{{% note %}}
 +**Tip:** Note the self-closing shortcode syntax above. The `imgproc` shortcode can be called both with and without **inner content**.
 +{{% /note %}}
 +
 +## Image Processing Config
 +
 +You can configure an `imaging` section in `config.toml` with default image processing options:
 +
 +```toml
 +[imaging]
 +# Default resample filter used for resizing. Default is Box,
 +# a simple and fast averaging filter appropriate for downscaling.
 +# See https://github.com/disintegration/imaging
 +resampleFilter = "box"
 +
 +# Defatult JPEG quality setting. Default is 75.
 +quality = 75
 +
 +# Anchor used when cropping pictures.
 +# Default is "smart" which does Smart Cropping, using https://github.com/muesli/smartcrop
 +# Smart Cropping is content aware and tries to find the best crop for each image.
 +# Valid values are Smart, Center, TopLeft, Top, TopRight, Left, Right, BottomLeft, Bottom, BottomRight
 +anchor = "smart"
 +
 +```
 +
 +All of the above settings can also be set per image procecssing.
 +
 +## Smart Cropping of Images
 +
 +By default, Hugo will use the [Smartcrop](https://github.com/muesli/smartcrop), a library created by [muesli](https://github.com/muesli), when cropping images with `.Fill`. You can set the anchor point manually, but in most cases the smart option will make a good choice. And we will work with the libray author to improve this in the future.
 +
 +An example using the sunset image from above:
 +
 +
 +{{< imgproc sunset Fill "200x200 smart" />}}
 +
 +
 +## Image Processing Performance Consideration
 +
 +Processed images are stored below `<project-dir>/resources` (can be set with `resourceDir` config setting). This folder is deliberately placed in the project, as it is recommended to check these into source control as part of the project. These images are not "Hugo fast" to generate, but once generated they can be reused.
 +
 +If you change your image settings (e.g. size), remove or rename images etc., you will end up with unused images taking up space and cluttering your project. 
 +
 +To clean up, run:
 +
 +```bash
 +hugo --gc
 +```
 +
 +
 +{{% note %}}
 +**GC** is short for **Garbage Collection**.
 +{{% /note %}}
 +
 +
 +
index 1353ce0e2aabd9fdcc97eb96dc5c257d2261e7a3,0000000000000000000000000000000000000000..c2eadf50f4cdeb5a6c4b57713d60513f18fc424f
mode 100644,000000..100644
--- /dev/null
@@@ -1,177 -1,0 +1,161 @@@
- Here’s an example snippet pulled from a `config.toml`:
 +---
 +title: Menus
 +linktitle: Menus
 +description: Hugo has a simple yet powerful menu system.
 +date: 2017-02-01
 +publishdate: 2017-02-01
 +lastmod: 2017-03-31
 +categories: [content management]
 +keywords: [menus]
 +draft: false
 +menu:
 +  docs:
 +    parent: "content-management"
 +    weight: 120
 +weight: 120   #rem
 +aliases: [/extras/menus/]
 +toc: true
 +---
 +
 +{{% note "Lazy Blogger"%}}
 +If all you want is a simple menu for your sections, see the ["Section Menu for Lazy Bloggers" in Menu Templates](/templates/menu-templates/#section-menu-for-lazy-bloggers).
 +{{% /note %}}
 +
 +You can do this:
 +
 +* Place content in one or many menus
 +* Handle nested menus with unlimited depth
 +* Create menu entries without being attached to any content
 +* Distinguish active element (and active branch)
 +
 +## What is a Menu in Hugo?
 +
 +A **menu** is a named array of menu entries accessible by name via the [`.Site.Menus` site variable][sitevars]. For example, you can access your site's `main` menu via `.Site.Menus.main`.
 +
 +{{% note "Menus on Multilingual Sites" %}}
 +If you make use of the [multilingual feature](/content-management/multilingual/), you can define language-independent menus.
 +{{% /note %}}
 +
 +A menu entry has the following properties (i.e., variables) available to it:
 +
 +`.URL`
 +: string
 +
 +`.Name`
 +: string
 +
 +`.Menu`
 +: string
 +
 +`.Identifier`
 +: string
 +
 +`.Pre`
 +: template.HTML
 +
 +`.Post`
 +: template.HTML
 +
 +`.Weight`
 +: int
 +
 +`.Parent`
 +: string
 +
 +`.Children`
 +: Menu
 +
 +Note that menus also have the following functions available as well:
 +
 +`.HasChildren`
 +: boolean
 +
 +Additionally, there are some relevant functions available to menus on a page:
 +
 +`.IsMenuCurrent`
 +: (menu string, menuEntry *MenuEntry ) boolean
 +
 +`.HasMenuCurrent`
 +: (menu string, menuEntry *MenuEntry) boolean
 +
 +## Add content to menus
 +
 +Hugo allows you to add content to a menu via the content's [front matter](/content-management/front-matter/).
 +
 +### Simple
 +
 +If all you need to do is add an entry to a menu, the simple form works well.
 +
 +#### A Single Menu
 +
 +```
 +---
 +menu: "main"
 +---
 +```
 +
 +#### Multiple Menus
 +
 +```
 +---
 +menu: ["main", "footer"]
 +---
 +```
 +
 +#### Advanced
 +
 +
 +```
 +---
 +menu:
 +  docs:
 +    parent: 'extras'
 +    weight: 20
 +---
 +```
 +
 +## Add Non-content Entries to a Menu
 +
 +You can also add entries to menus that aren’t attached to a piece of content. This takes place in your Hugo project's [`config` file][config].
 +
- {{< code file="config.toml" >}}
++Here’s an example snippet pulled from a configuration file:
 +
- {{< /code >}}
- Here's the equivalent snippet in a `config.yaml`:
- {{< code file="config.yml" >}}
- menu:
-   main:
-       - name: "about hugo"
-         pre: "<i class='fa fa-heart'></i>"
-         weight: -110
-         identifier: "about"
-         url: "/about/"
-       - name: "getting started"
-         pre: "<i class='fa fa-road'></i>"
-         weight: -100
-         url: "/getting-started/"
- {{< /code >}}
++{{< code-toggle file="config.toml" >}}
 +[[menu.main]]
 +    name = "about hugo"
 +    pre = "<i class='fa fa-heart'></i>"
 +    weight = -110
 +    identifier = "about"
 +    url = "/about/"
 +[[menu.main]]
 +    name = "getting started"
 +    pre = "<i class='fa fa-road'></i>"
 +    weight = -100
 +    url = "/getting-started/"
++{{< /code-toggle >}}
 +
 +{{% note %}}
 +The URLs must be relative to the context root. If the `baseURL` is `https://example.com/mysite/`, then the URLs in the menu must not include the context root `mysite`. Using an absolute URL will override the baseURL. If the value used for `URL` in the above example is `https://subdomain.example.com/`, the output will be `https://subdomain.example.com`.
 +{{% /note %}}
 +
 +## Nesting
 + 
 +All nesting of content is done via the `parent` field.
 +
 +The parent of an entry should be the identifier of another entry. The identifier should be unique (within a menu).
 +
 +The following order is used to determine an Identifier:
 +
 +`.Name > .LinkTitle > .Title`
 +
 +This means that `.Title` will be used unless `.LinkTitle` is present, etc. In practice, `.Name` and `.Identifier` are only used to structure relationships and therefore never displayed.
 +
 +In this example, the top level of the menu is defined in your [site `config` file][config]). All content entries are attached to one of these entries via the `.Parent` field.
 +
 +## Render Menus
 +
 +See [Menu Templates](/templates/menu-templates/) for information on how to render your site menus within your templates.
 +
 +[config]: /getting-started/configuration/
 +[multilingual]: /content-management/multilingual/
 +[sitevars]: /variables/
index d27195a9acb87d049ee31b4506aaa8134e1e1169,0000000000000000000000000000000000000000..28a6e4fec77dc3dfb04ec405fc4c290143246184
mode 100644,000000..100644
--- /dev/null
@@@ -1,386 -1,0 +1,386 @@@
- The following is an example of a TOML site configuration for a multilingual Hugo project:
 +---
 +title: Multilingual Mode
 +linktitle: Multilingual and i18n
 +description: Hugo supports the creation of websites with multiple languages side by side.
 +date: 2017-01-10
 +publishdate: 2017-01-10
 +lastmod: 2017-01-10
 +categories: [content management]
 +keywords: [multilingual,i18n, internationalization]
 +menu:
 +  docs:
 +    parent: "content-management"
 +    weight: 150
 +weight: 150   #rem
 +draft: false
 +aliases: [/content/multilingual/,/content-management/multilingual/,/tutorials/create-a-multilingual-site/]
 +toc: true
 +---
 +
 +You should define the available languages in a `languages` section in your site configuration.
 +
 +## Configure Languages
 +
- {{< code file="config.toml" download="config.toml" >}}
++The following is an example of a site configuration for a multilingual Hugo project:
 +
- {{< /code >}}
++{{< code-toggle file="config" >}}
 +DefaultContentLanguage = "en"
 +copyright = "Everything is mine"
 +
 +[params.navigation]
 +help  = "Help"
 +
 +[languages]
 +[languages.en]
 +title = "My blog"
 +weight = 1
 +[languages.en.params]
 +linkedin = "english-link"
 +
 +[languages.fr]
 +copyright = "Tout est à moi"
 +title = "Mon blog"
 +weight = 2
 +[languages.fr.params]
 +linkedin = "lien-francais"
 +[languages.fr.params.navigation]
 +help  = "Aide"
- ```bash
++{{< /code-toggle >}}
 +
 +Anything not defined in a `[languages]` block will fall back to the global
 +value for that key (e.g., `copyright` for the English [`en`] language).
 +
 +With the configuration above, all content, sitemap, RSS feeds, paginations,
 +and taxonomy pages will be rendered below `/` in English (your default content language) and then below `/fr` in French.
 +
 +When working with front matter `Params` in [single page templates][singles], omit the `params` in the key for the translation.
 +
 +If you want all of the languages to be put below their respective language code, enable `defaultContentLanguageInSubdir: true`.
 +
 +Only the obvious non-global options can be overridden per language. Examples of global options are `baseURL`, `buildDrafts`, etc.
 +
 +## Disable a Language
 +
 +You can disable one or more languages. This can be useful when working on a new translation.
 +
 +```toml
 +disableLanguages = ["fr", "jp"]
 +```
 +
 +Note that you cannot disable the default content language.
 +
 +We kept this as a standalone setting to make it easier to set via [OS environment](/getting-started/configuration/#configure-with-environment-variables):
 +
 +```bash
 +HUGO_DISABLELANGUAGES="fr jp" hugo
 +```
 +If you have already a list of disabled languages in `config.toml`, you can enable them in development like this:
 +
 +```bash
 +HUGO_DISABLELANGUAGES=" " hugo server
 +```
 +
 +
 +## Configure Multilingual Multihost
 +
 +From **Hugo 0.31** we support multiple languages in a multihost configuration. See [this issue](https://github.com/gohugoio/hugo/issues/4027) for details.
 +
 +This means that you can now configure a `baseURL` per `language`:
 +
 +
 +> If a `baseURL` is set on the `language` level, then all languages must have one and they must all be different.
 +
 +Example:
 +
- ```
++{{< code-toggle file="config" >}}
 +[languages]
 +[languages.no]
 +baseURL = "https://example.no"
 +languageName = "Norsk"
 +weight = 1
 +title = "På norsk"
 +
 +[languages.en]
 +baseURL = "https://example.com"
 +languageName = "English"
 +weight = 2
 +title = "In English"
- {{< code file="bf-config.toml" >}}
++{{</ code-toggle >}}
 +
 +With the above, the two sites will be generated into `public` with their own root:
 +
 +```bash
 +public
 +├── en
 +└── no
 +```
 +
 +**All URLs (i.e `.Permalink` etc.) will be generated from that root. So the English home page above will have its `.Permalink` set to `https://example.com/`.**
 +
 +When you run `hugo server` we will start multiple HTTP servers. You will typlically see something like this in the console:
 +
 +```bash
 +Web Server is available at 127.0.0.1:1313 (bind address 127.0.0.1)
 +Web Server is available at 127.0.0.1:1314 (bind address 127.0.0.1)
 +Press Ctrl+C to stop
 +```
 +
 +Live reload and `--navigateToChanged` between the servers work as expected.
 +
 +## Taxonomies and Blackfriday
 +
 +Taxonomies and [Blackfriday configuration][config] can also be set per language:
 +
 +
- {{< /code >}}
++{{< code-toggle file="config" >}}
 +[Taxonomies]
 +tag = "tags"
 +
 +[blackfriday]
 +angledQuotes = true
 +hrefTargetBlank = true
 +
 +[languages]
 +[languages.en]
 +weight = 1
 +title = "English"
 +[languages.en.blackfriday]
 +angledQuotes = false
 +
 +[languages.fr]
 +weight = 2
 +title = "Français"
 +[languages.fr.Taxonomies]
 +plaque = "plaques"
++{{</ code-toggle >}}
 +
 +## Translate Your Content
 +
 +Translated articles are identified by the name of the content file.
 +
 +### Examples of Translated Articles
 +
 +1. `/content/about.en.md`
 +2. `/content/about.fr.md`
 +
 +In this example, the `about.md` will be assigned the configured `defaultContentLanguage`. 
 +
 +1. `/content/about.md`
 +2. `/content/about.fr.md`
 +
 +This way, you can slowly start to translate your current content without having to rename everything. If left unspecified, the default value for `defaultContentLanguage` is `en`.
 +
 +By having the same **directory and base filename**, the content pieces are linked together as translated pieces.
 +
 +You can also set the key used to link the translations explicitly in front matter:
 +
 +```yaml
 +translationKey: "my-story"
 +```
 +
 +If you need distinct URLs per language, you can set the slug in the non-default language file. For example, you can define a custom slug for a French translation in the front matter of `content/about.fr.md` as follows:
 +
 +```yaml
 +slug: "a-propos"
 +
 +```
 +
 +At render, Hugo will build both `/about/` and `/a-propos/` as properly linked translated pages.
 +
 +For merging of content from other languages (i.e. missing content translations), see [lang.Merge](/functions/lang.merge/).
 +
 +## Link to Translated Content
 +
 +To create a list of links to translated content, use a template similar to the following:
 +
 +{{< code file="layouts/partials/i18nlist.html" >}}
 +{{ if .IsTranslated }}
 +<h4>{{ i18n "translations" }}</h4>
 +<ul>
 +    {{ range .Translations }}
 +    <li>
 +        <a href="{{ .Permalink }}">{{ .Lang }}: {{ .Title }}{{ if .IsPage }} ({{ i18n "wordCount" . }}){{ end }}</a>
 +    </li>
 +    {{ end}}
 +</ul>
 +{{ end }}
 +{{< /code >}}
 +
 +The above can be put in a `partial` (i.e., inside `layouts/partials/`) and included in any template, be it for a [single content page][contenttemplate] or the [homepage][]. It will not print anything if there are no translations for a given page.
 +
 +The above also uses the [`i18n` function][i18func] described in the next section.
 +
 +## List All Available Languages
 +
 +`.AllTranslations` on a `Page` can be used to list all translations, including itself. Called on the home page it can be used to build a language navigator:
 +
 +
 +{{< code file="layouts/partials/allLanguages.html" >}}
 +<ul>
 +{{ range $.Site.Home.AllTranslations }}
 +<li><a href="{{ .Permalink }}">{{ .Language.LanguageName }}</a></li>
 +{{ end }}
 +</ul>
 +{{< /code >}}
 +
 +## Translation of Strings
 +
 +Hugo uses [go-i18n][] to support string translations. [See the project's source repository][go-i18n-source] to find tools that will help you manage your translation workflows.
 +
 +Translations are collected from the `themes/<THEME>/i18n/` folder (built into the theme), as well as translations present in `i18n/` at the root of your project. In the `i18n`, the translations will be merged and take precedence over what is in the theme folder. Language files should be named according to [RFC 5646][] with names such as `en-US.toml`, `fr.toml`, etc.
 +
 +{{% note %}}
 +From **Hugo 0.31** you no longer need to use a valid language code. It _can be_ anything.
 +
 +See https://github.com/gohugoio/hugo/issues/3564
 +
 +{{% /note %}}
 +
 +From within your templates, use the `i18n` function like this:
 +
 +```
 +{{ i18n "home" }}
 +```
 +
 +This uses a definition like this one in `i18n/en-US.toml`:
 +
 +```
 +[home]
 +other = "Home"
 +```
 +
 +Often you will want to use to the page variables in the translations strings. To do that, pass on the "." context when calling `i18n`:
 +
 +```
 +{{ i18n "wordCount" . }}
 +```
 +
 +This uses a definition like this one in `i18n/en-US.toml`:
 +
 +```
 +[wordCount]
 +other = "This article has {{ .WordCount }} words."
 +```
 +An example of singular and plural form:
 +
 +```
 +[readingTime]
 +one = "One minute read"
 +other = "{{.Count}} minutes read"
 +```
 +And then in the template:
 +
 +```
 +{{ i18n "readingTime" .ReadingTime }}
 +```
 +To track down missing translation strings, run Hugo with the `--i18n-warnings` flag:
 +
 +```
 + hugo --i18n-warnings | grep i18n
 +i18n|MISSING_TRANSLATION|en|wordCount
 +```
 +
 +## Customize Dates
 +
 +At the time of this writing, Golang does not yet have support for internationalized locales, but if you do some work, you can simulate it. For example, if you want to use French month names, you can add a data file like ``data/mois.yaml`` with this content:
 +
 +~~~yaml
 +1: "janvier"
 +2: "février"
 +3: "mars"
 +4: "avril"
 +5: "mai"
 +6: "juin"
 +7: "juillet"
 +8: "août"
 +9: "septembre"
 +10: "octobre"
 +11: "novembre"
 +12: "décembre"
 +~~~
 +
 +... then index the non-English date names in your templates like so:
 +
 +~~~html
 +<time class="post-date" datetime="{{ .Date.Format "2006-01-02T15:04:05Z07:00" | safeHTML }}">
 +  Article publié le {{ .Date.Day }} {{ index $.Site.Data.mois (printf "%d" .Date.Month) }} {{ .Date.Year }} (dernière modification le {{ .Lastmod.Day }} {{ index $.Site.Data.mois (printf "%d" .Lastmod.Month) }} {{ .Lastmod.Year }})
 +</time>
 +~~~
 +
 +This technique extracts the day, month and year by specifying ``.Date.Day``, ``.Date.Month``, and ``.Date.Year``, and uses the month number as a key, when indexing the month name data file.
 +
 +## Menus
 +
 +You can define your menus for each language independently. The [creation of a menu][menus] works analogous to earlier versions of Hugo, except that they have to be defined in their language-specific block in the configuration file:
 +
 +```
 +defaultContentLanguage = "en"
 +
 +[languages.en]
 +weight = 0
 +languageName = "English"
 +
 +[[languages.en.menu.main]]
 +url    = "/"
 +name   = "Home"
 +weight = 0
 +
 +
 +[languages.de]
 +weight = 10
 +languageName = "Deutsch"
 +
 +[[languages.de.menu.main]]
 +url    = "/"
 +name   = "Startseite"
 +weight = 0
 +```
 +
 +The rendering of the main navigation works as usual. `.Site.Menus` will just contain the menu of the current language. Pay attention to the generation of the menu links. `absLangURL` takes care that you link to the correct locale of your website. Otherwise, both menu entries would link to the English version as the default content language that resides in the root directory.
 +
 +```
 +<ul>
 +    {{- $currentPage := . -}}
 +    {{ range .Site.Menus.main -}}
 +    <li class="{{ if $currentPage.IsMenuCurrent "main" . }}active{{ end }}">
 +        <a href="{{ .URL | absLangURL }}">{{ .Name }}</a>
 +    </li>
 +    {{- end }}
 +</ul>
 +
 +```
 +
 +## Missing Translations
 +
 +If a string does not have a translation for the current language, Hugo will use the value from the default language. If no default value is set, an empty string will be shown.
 +
 +While translating a Hugo website, it can be handy to have a visual indicator of missing translations. The [`enableMissingTranslationPlaceholders` configuration option][config] will flag all untranslated strings with the placeholder `[i18n] identifier`, where `identifier` is the id of the missing translation.
 +
 +{{% note %}}
 +Hugo will generate your website with these missing translation placeholders. It might not be suited for production environments.
 +{{% /note %}}
 +
 +For merging of content from other languages (i.e. missing content translations), see [lang.Merge](/functions/lang.merge/).
 +
 +## Multilingual Themes support
 +
 +To support Multilingual mode in your themes, some considerations must be taken for the URLs in the templates. If there is more than one language, URLs must meet the following criteria:
 +
 +* Come from the built-in `.Permalink` or `.URL`
 +* Be constructed with
 +    * The [`relLangURL` template function][rellangurl] or the [`absLangURL` template function][abslangurl] **OR**
 +    * Prefixed with `{{ .LanguagePrefix }}`
 +
 +If there is more than one language defined, the `LanguagePrefix` variable will equal `/en` (or whatever your `CurrentLanguage` is). If not enabled, it will be an empty string and is therefore harmless for single-language Hugo websites.
 +
 +[abslangurl]: /functions/abslangurl
 +[config]: /getting-started/configuration/
 +[contenttemplate]: /templates/single-page-templates/
 +[go-i18n-source]: https://github.com/nicksnyder/go-i18n
 +[go-i18n]: https://github.com/nicksnyder/go-i18n
 +[homepage]: /templates/homepage/
 +[i18func]: /functions/i18n/
 +[menus]: /content-management/menus/
 +[rellangurl]: /functions/rellangurl
 +[RFC 5646]: https://tools.ietf.org/html/rfc5646
 +[singles]: /templates/single-page-templates/
index 09aeae8eab5c7c2f4a61459c6f62c693db593898,0000000000000000000000000000000000000000..34620a5e2d9fdfd2688e5618eb7692936f676fef
mode 100644,000000..100644
--- /dev/null
@@@ -1,182 -1,0 +1,182 @@@
- ```html
 +---
 +title : "Page Bundles"
 +description : "Content organization using Page Bundles"
 +date : 2018-01-24T13:09:00-05:00
 +lastmod : 2018-01-28T22:26:40-05:00
 +linktitle : "Page Bundles"
 +keywords : ["page", "bundle", "leaf", "branch"]
 +categories : ["content management"]
 +toc : true
 +menu :
 +  docs:
 +    identifier : "page-bundles"
 +    parent : "content-management"
 +    weight : 11
 +---
 +
 +Page Bundles are a way to group [Page Resources](/content-management/page-resources/).
 +
 +A Page Bundle can be one of:
 +
 +-   Leaf Bundle (leaf means it has no children)
 +-   Branch Bundle (home page, section, taxonomy terms, taxonomy list)
 +
 +|                 | Leaf Bundle                                            | Branch Bundle                                           |
 +|-----------------|--------------------------------------------------------|---------------------------------------------------------|
 +| Usage           | Collection of resources (pages, images etc.) for single pages    | Collection of non-page resources (images etc.)for list pages |
 +| Index file name | `index.md` [^fn:1]                                     | `_index.md` [^fn:1]                                     |
 +| Layout type     | `single`                                               | `list`                                                  |
 +| Nesting         | Doesn't allow nesting of more bundles under it         | Allows nesting of leaf/branch bundles under it          |
 +| Example         | `content/posts/my-post/index.md`                       | `content/posts/_index.md`                               |
 +
 +
 +## Leaf Bundles {#leaf-bundles}
 +
 +A _Leaf Bundle_ is a directory at any hierarchy within the `content/`
 +directory, that contains an **`index.md`** file.
 +
 +### Examples of Leaf Bundle organization {#examples-of-leaf-bundle-organization}
 +
 +```text
 +content/
 +├── about
 +│   ├── index.md
 +├── posts
 +│   ├── my-post
 +│   │   ├── content1.md
 +│   │   ├── content2.md
 +│   │   ├── image1.jpg
 +│   │   ├── image2.png
 +│   │   └── index.md
 +│   └── my-another-post
 +│       └── index.md
 +│
 +└── another-section
 +    ├── ..
 +    └── not-a-leaf-bundle
 +        ├── ..
 +        └── another-leaf-bundle
 +            └── index.md
 +```
 +
 +In the above example `content/` directory, there are four leaf
 +bundles:
 +
 +about
 +: This leaf bundle is at the root level (directly under
 +    `content` directory) and has only the `index.md`.
 +
 +my-post
 +: This leaf bundle has the `index.md`, two other content
 +    Markdown files and two image files.
 +
 +my-another-post
 +: This leaf bundle has only the `index.md`.
 +
 +another-leaf-bundle
 +: This leaf bundle is nested under couple of
 +    directories. This bundle also has only the `index.md`.
 +
 +{{% note %}}
 +The hierarchy depth at which a leaf bundle is created does not matter,
 +as long as it is not inside another **leaf** bundle.
 +{{% /note %}}
 +
 +
 +### Headless Bundle {#headless-bundle}
 +
 +A headless bundle is a bundle that is configured to not get published
 +anywhere:
 +
 +-   It will have no `Permalink` and no rendered HTML in `public/`.
 +-   It will not be part of `.Site.RegularPages`, etc.
 +
 +But you can get it by `.Site.GetPage`. Here is an example:
 +
++```go-html-template
 +{{ $headless := .Site.GetPage "page" "some-headless-bundle" }}
 +{{ $reusablePages := $headless.Resources.Match "author*" }}
 +<h2>Authors</h2>
 +{{ range $reusablePages }}
 +    <h3>{{ .Title }}</h3>
 +    {{ .Content }}
 +{{ end }}
 +```
 +
 +_In this example, we are assuming the `some-headless-bundle` to be a headless
 +   bundle containing one or more **page** resources whose `.Name` matches
 +   `"author*"`._
 +
 +Explanation of the above example:
 +
 +1. Get the `some-headless-bundle` Page "object".
 +2. Collect a *slice* of resources in this *Page Bundle* that matches
 +   `"author*"` using `.Resources.Match`.
 +3. Loop through that *slice* of nested pages, and output their `.Title` and
 +   `.Content`.
 +
 +---
 +
 +A leaf bundle can be made headless by adding below in the Front Matter
 +(in the `index.md`):
 +
 +```toml
 +headless = true
 +```
 +
 +{{% note %}}
 +Only leaf bundles can be made headless.
 +{{% /note %}}
 +
 +There are many use cases of such headless page bundles:
 +
 +-   Shared media galleries
 +-   Reusable page content "snippets"
 +
 +
 +## Branch Bundles {#branch-bundles}
 +
 +A _Branch Bundle_ is any directory at any hierarchy within the
 +`content/` directory, that contains at least an **`_index.md`** file.
 +
 +This `_index.md` can also be directly under the `content/` directory.
 +
 +{{% note %}}
 +Here `md` (markdown) is used just as an example. You can use any file
 +type as a content resource as long as it is a content type recognized by Hugo.
 +{{% /note %}}
 +
 +
 +### Examples of Branch Bundle organization {#examples-of-branch-bundle-organization}
 +
 +```text
 +content/
 +├── branch-bundle-1
 +│   ├── branch-content1.md
 +│   ├── branch-content2.md
 +│   ├── image1.jpg
 +│   ├── image2.png
 +│   └── _index.md
 +└── branch-bundle-2
 +    ├── _index.md
 +    └── a-leaf-bundle
 +        └── index.md
 +```
 +
 +In the above example `content/` directory, there are two branch
 +bundles (and a leaf bundle):
 +
 +`branch-bundle-1`
 +: This branch bundle has the `_index.md`, two
 +    other content Markdown files and two image files.
 +
 +`branch-bundle-2`
 +: This branch bundle has the `_index.md` and a
 +    nested leaf bundle.
 +
 +{{% note %}}
 +The hierarchy depth at which a branch bundle is created does not
 +matter.
 +{{% /note %}}
 +
 +[^fn:1]: The `.md` extension is just an example. The extension can be `.html`, `.json` or any of any valid MIME type.
index f3b12d8c42b9d6f3c5945b069609213d0382943f,0000000000000000000000000000000000000000..cefb1cd47f42d0e7edaef3f10e99c95b6b6327d3
mode 100644,000000..100644
--- /dev/null
@@@ -1,184 -1,0 +1,150 @@@
- ###  Resources metadata: YAML Example
 +---
 +title : "Page Resources"
 +description : "Page Resources -- images, other pages, documents etc. -- have page-relative URLs and their own metadata."
 +date: 2018-01-24
 +categories: ["content management"]
 +keywords: [bundle,content,resources]
 +weight: 4003
 +draft: false
 +toc: true
 +linktitle: "Page Resources"
 +menu:
 +  docs:
 +    parent: "content-management"
 +    weight: 31
 +---
 +
 +## Properties
 +
 +ResourceType
 +: The main type of the resource. For example, a file of MIME type `image/jpg` has for ResourceType `image`.
 +
 +Name
 +: Default value is the filename (relative to the owning page). Can be set in front matter.
 +
 +Title
 +: Default blank. Can be set in front matter.
 +
 +Permalink
 +: The absolute URL to the resource. Resources of type `page` will have no value.
 +
 +RelPermalink
 +: The relative URL to the resource. Resources of type `page` will have no value.
 +
 +## Methods
 +ByType
 +: Returns the page resources of the given type.
 +
 +```go
 +{{ .Resources.ByType "image" }}
 +```
 +Match
 +: Returns all the page resources (as a slice) whose `Name` matches the given Glob pattern ([examples](https://github.com/gobwas/glob/blob/master/readme.md)). The matching is case-insensitive.
 +
 +```go
 +{{ .Resources.Match "images/*" }}
 +```
 +
 +GetMatch
 +: Same as `Match` but will return the first match.
 +
 +### Pattern Matching
 +```go
 +// Using Match/GetMatch to find this images/sunset.jpg ?
 +.Resources.Match "images/sun*" ✅
 +.Resources.Match "**/Sunset.jpg" ✅
 +.Resources.Match "images/*.jpg" ✅
 +.Resources.Match "**.jpg" ✅
 +.Resources.Match "*" 🚫
 +.Resources.Match "sunset.jpg" 🚫
 +.Resources.Match "*sunset.jpg" 🚫
 +
 +```
 +
 +## Page Resources Metadata
 +
 +Page Resources' metadata is managed from their page's front matter with an array/table parameter named `resources`. You can batch assign values using a [wildcards](http://tldp.org/LDP/GNU-Linux-Tools-Summary/html/x11655.htm).
 +
 +{{% note %}}
 +Resources of type `page` get `Title` etc. from their own front matter.
 +{{% /note %}}
 +
 +name
 +: Sets the value returned in `Name`.
 +
 +{{% warning %}}
 +The methods `Match` and `GetMatch` use `Name` to match the resources.
 +{{%/ warning %}}
 +
 +title
 +: Sets the value returned in `Title`
 +
 +params
 +: A map of custom key/values.
 +
 +
- ~~~yaml
++###  Resources metadata example
 +
- ~~~
- ###  Resources metadata: TOML Example
- ~~~toml
- title = Application
- date : 2018-01-25
- [[resources]]
-   src = "images/sunset.jpg"
-   name = "header"
- [[resources]]
-   src = "documents/photo_specs.pdf"
-   title = "Photo Specifications"
-   [resources.params]
-     icon = "photo"
- [[resources]]
-   src = "documents/guide.pdf"
-   title = "Instruction Guide"
- [[resources]]
-   src = "documents/checklist.pdf"
-   title = "Document Checklist"
- [[resources]]
-   src = "documents/payment.docx"
-   title = "Proof of Payment"
- [[resources]]
-   src = "**.pdf"
-   name = "pdf-file-:counter"
-   [resources.params]
-     icon = "pdf"
- [[resources]]
-   src = "**.docx"
-   [resources.params]
-     icon = "word"
- ~~~
++{{< code-toggle copy="false">}}
 +title: Application
 +date : 2018-01-25
 +resources :
 +- src : "images/sunset.jpg"
 +  name : "header"
 +- src : "documents/photo_specs.pdf"
 +  title : "Photo Specifications"
 +  params:
 +    icon : "photo"
 +- src : "documents/guide.pdf"
 +  title : "Instruction Guide"
 +- src : "documents/checklist.pdf"
 +  title : "Document Checklist"
 +- src : "documents/payment.docx"
 +  title : "Proof of Payment"
 +- src : "**.pdf"
 +  name : "pdf-file-:counter"
 +  params :
 +    icon : "pdf"
 +- src : "**.docx"
 +  params :
 +    icon : "word"
- ~~~toml
++{{</ code-toggle >}}
 +
 +From the example above:
 +
 +- `sunset.jpg` will receive a new `Name` and can now be found with `.GetMatch "header"`.
 +- `documents/photo_specs.pdf` will get the `photo` icon.
 +- `documents/checklist.pdf`, `documents/guide.pdf` and `documents/payment.docx` will get `Title` as set by `title`.
 +- Every `PDF` in the bundle except `documents/photo_specs.pdf` will get the `pdf` icon.
 +- All `PDF` files will get a new `Name`. The `name` parameter contains a special placeholder [`:counter`](#counter), so the `Name` will be `pdf-file-1`, `pdf-file-2`, `pdf-file-3`.
 +- Every docx in the bundle will receive the `word` icon.
 +
 +{{% warning %}}
 +The __order matters__ --- Only the **first set** values of the `title`, `name` and `params`-**keys** will be used. Consecutive parameters will be set only for the ones not already set. For example, in the above example, `.Params.icon` is already first set to `"photo"` in `src = "documents/photo_specs.pdf"`. So that would not get overridden to `"pdf"` by the later set `src = "**.pdf"` rule.
 +{{%/ warning %}}
 +
 +### The `:counter` placeholder in `name` and `title`
 +
 +The `:counter` is a special placeholder recognized in `name` and `title` parameters `resources`.
 +
 +The counter starts at 1 the first time they are used in either `name` or `title`.
 +
 +For example, if a bundle has the resources `photo_specs.pdf`, `other_specs.pdf`, `guide.pdf` and `checklist.pdf`, and the front matter has specified the `resources` as:
 +
- ~~~
++{{< code-toggle copy="false">}}
 +[[resources]]
 +  src = "*specs.pdf"
 +  title = "Specification #:counter"
 +[[resources]]
 +  src = "**.pdf"
 +  name = "pdf-file-:counter"
++{{</ code-toggle >}}
 +
 +the `Name` and `Title` will be assigned to the resource files as follows:
 +
 +| Resource file     | `Name`            | `Title`               |
 +|-------------------|-------------------|-----------------------|
 +| checklist.pdf     | `"pdf-file-1.pdf` | `"checklist.pdf"`     |
 +| guide.pdf         | `"pdf-file-2.pdf` | `"guide.pdf"`         |
 +| other\_specs.pdf  | `"pdf-file-3.pdf` | `"Specification #1"` |
 +| photo\_specs.pdf  | `"pdf-file-4.pdf` | `"Specification #2"` |
index 8ae6e79ce6e22fb23347889e3968dfd4d0ef60f2,0000000000000000000000000000000000000000..6f66e44681dd14e34d210aa8ca892556085ae916
mode 100644,000000..100644
--- /dev/null
@@@ -1,138 -1,0 +1,143 @@@
 +---
 +title: Related Content
 +description: List related content in "See Also" sections.
 +date: 2017-09-05
 +categories: [content management]
 +keywords: [content]
 +menu:
 +  docs:
 +    parent: "content-management"
 +    weight: 40
 +weight: 30
 +draft: false
 +aliases: [/content/related/,/related/]
 +toc: true
 +---
 +
 +{{% note %}}
 +We currently do not index **Page content**. We thought we would release something that will make most people happy before we start solving [Sherlock's last case](https://github.com/joearms/sherlock).
 +{{% /note %}}
 +
 +## List Related Content
 +
 +To list up to 5 related pages is as simple as including something similar to this partial in your single page template:
 +
 +{{< code file="layouts/partials/related.html" >}}
 +{{ $related := .Site.RegularPages.Related . | first 5 }}
 +{{ with $related }}
 +<h3>See Also</h3>
 +<ul>
 +      {{ range . }}
 +      <li><a href="{{ .RelPermalink }}">{{ .Title }}</a></li>
 +      {{ end }}
 +</ul>
 +{{ end }}
 +{{< /code >}}
 +
++
++{{% note %}}
++Read [this blog article](https://regisphilibert.com/blog/2018/04/hugo-optmized-relashionships-with-related-content/) for a great explanation more advanced usage of this feature.
++{{% /note %}}
++
 +The full set of methods available on the page lists can bee seen in this Go interface:
 +
 +```go
 +// A PageGenealogist finds related pages in a page collection. This interface is implemented
 +// by Pages and PageGroup, which makes it available as `{{ .RegularPages.Related . }}` etc.
 +type PageGenealogist interface {
 +
 +      // Template example:
 +      // {{ $related := .RegularPages.Related . }}
 +      Related(doc related.Document) (Pages, error)
 +
 +      // Template example:
 +      // {{ $related := .RegularPages.RelatedIndices . "tags" "date" }}
 +      RelatedIndices(doc related.Document, indices ...interface{}) (Pages, error)
 +
 +      // Template example:
 +      // {{ $related := .RegularPages.RelatedTo ( keyVals "tags" "hugo" "rocks")  ( keyVals "date" .Date ) }}
 +      RelatedTo(args ...types.KeyValues) (Pages, error)
 +}
 +```
 +## Configure Related Content
 +Hugo provides a sensible default configuration of Related Content, but you can fine-tune this in your configuration, on the global or language level if needed.
 +
 +{{% note %}}
 +If you add a `related` config section, you need to add a complete configuration. It is not possible to just set, say, `includeNewer` and use the rest  from the Hugo defaults.
 +{{% /note %}}
 +
 +Below is a sample `config.toml` section:
 +
 +```
 +[related]
 +
 +# Only include matches with rank >= threshold. This is a normalized rank between 0 and 100.
 +threshold = 80
 +
 +# To get stable "See also" sections we, by default, exclude newer related pages.
 +includeNewer = false
 +
 +# Will lower case keywords in both queries and in the indexes.
 +toLower = false
 +
 +[[related.indices]]
 +name = "keywords"
 +weight = 150
 +[[related.indices]]
 +name  = "author"
 +toLower = true
 +weight = 30
 +[[related.indices]]
 +name  = "tags"
 +weight = 100
 +[[related.indices]]
 +name  = "date"
 +weight = 10
 +pattern = "2006"
 +```
 +### Top Level Config Options
 +
 +threshold
 +:  A value between 0-100. Lower value will give more, but maybe not so relevant, matches.
 +
 +includeNewer
 +:  Set to true to include **pages newer than the current page** in the related content listing. This will mean that the output for older posts may change as new related content gets added.
 +
 +toLower
 +: Set to true to lower case keywords in both the indexes and the queries. This may give more accurate results at a slight performance penalty. Note that this can also be set per index.
 +
 +### Config Options per Index
 +
 +name
 +:  The index name. This value maps directly to a page param. Hugo supports string values (`author` in the example) and lists (`tags`, `keywords` etc.) and time and date objects. 
 +
 +weight
 +: An integer weight that indicates _how important_ this parameter is relative to the other parameters.  It can be 0, which has the effect of turning this index off, or even negative. Test with different values to see what fits your content best.
 +
 +pattern
 +: This is currently only relevant for dates. When listing related content, we may want to list content that is also close in time. Setting "2006" (default value for date indexes) as the pattern for a date index will add weight to pages published in the same year. For busier blogs, "200601" (year and month) may be a better default.
 +
 +toLower
 +: See above.
 +
 +## Performance Considerations
 +
 +**Fast is Hugo's middle name** and we would not have released this feature had it not been blistering fast. 
 +
 +This feature has been in the back log and requested by many for a long time. The development got this recent kick start from this Twitter thread:
 +
 +{{< tweet 898398437527363585 >}}
 +
 +Scott S. Lowe removed the "Related Content" section built using the `intersect` template function on tags, and the build time dropped from 30 seconds to less than 2 seconds on his 1700 content page sized blog. 
 +
 +He should now be able to add an improved version of that "Related Content" section without giving up the fast live-reloads. But it's worth noting that:
 +
 +* If you don't use any of the `Related` methods, you will not use the Relate Content feature, and performance will be the same as before.
 +* Calling `.RegularPages.Related` etc. will create one inverted index, also sometimes named posting list, that will be reused for any lookups in that same page collection. Doing that in addition to, as an example, calling `.Pages.Related` will work as expected, but will create one additional inverted index. This should still be very fast, but worth having in mind, especially for bigger sites.
 +
 +
 +
 +
 +
 +
 +
index 12d27ccf2fbe94a53e167d03382a2074375cb830,0000000000000000000000000000000000000000..fe5ea77e0f1be1e70912503add6520558e0e7935
mode 100644,000000..100644
--- /dev/null
@@@ -1,48 -1,0 +1,48 @@@
- You can set the name of the static folder to use in your configuration file, for example `config.toml`.  From **Hugo 0.31** you can configure as many static directories as you need. All the files in all the static directories will form a union filesystem.
 +---
 +title: Static Files
 +description: "The `static` folder is where you place all your **static files**."
 +date: 2017-11-18
 +categories: [content management]
 +keywords: [source, directories]
 +menu:
 +  docs:
 +    parent: "content-management"
 +    weight: 130
 +weight: 130   #rem
 +aliases: [/static-files]
 +toc: true
 +---
 +
 +The `static` folder is where you place all your **static files**, e.g. stylesheets, JavaScript, images etc.
 +
- ```toml
++You can set the name of the static folder to use in your configuration file.  From **Hugo 0.31** you can configure as many static directories as you need. All the files in all the static directories will form a union filesystem.
 +
 +Example:
 +
- ```
++{{< code-toggle copy="false" file="config" >}}
 +staticDir = ["static1", "static2"]
 +[languages]
 +[languages.no]
 +staticDir = ["staticDir_override", "static_no"]
 +baseURL = "https://example.no"
 +languageName = "Norsk"
 +weight = 1
 +title = "På norsk"
 +
 +[languages.en]
 +staticDir2 = "static_en"
 +baseURL = "https://example.com"
 +languageName = "English"
 +weight = 2
 +title = "In English"
++{{</ code-toggle >}}
 +
 +In the above, with no theme used:
 +
 +* The English site will get its static files as a union of "static1", "static2" and "static_en". On file duplicates, the right-most version will win.
 +* The Norwegian site will get its static files as a union of "staticDir_override" and "static_no".
 +
 +**Note:** The `2` `static2` (can be a number between 0 and 10) is added to tell Hugo that you want to **add** this directory to the global set of static directories. Using `staticDir` on the language level would replace the global value.
 +
 +
 +**Note:** The example above is a [multihost setup](/content-management/multilingual/#configure-multilingual-multihost). In a regular setup, all the static directories will be available to all sites.
index 67d443fd4fcfcc9fdd3e4cc21d8a3b844f014fce,0000000000000000000000000000000000000000..e7eb011c8b0f0a3d3f1c41a28f6a83ad27c82490
mode 100644,000000..100644
--- /dev/null
@@@ -1,188 -1,0 +1,193 @@@
- ```html
 +---
 +title: Syntax Highlighting
 +description: Hugo comes with reallly fast syntax highlighting from Chroma.
 +date: 2017-02-01
 +publishdate: 2017-02-01
 +keywords: [highlighting,pygments,chroma,code blocks,syntax]
 +categories: [content management]
 +menu:
 +  docs:
 +    parent: "content-management"
 +    weight: 300
 +weight: 20
 +sections_weight: 20
 +draft: false
 +aliases: [/extras/highlighting/,/extras/highlight/,/tools/syntax-highlighting/]
 +toc: true
 +---
 +
 +From Hugo 0.28, the default syntax hightlighter in Hugo is [Chroma](https://github.com/alecthomas/chroma); it is built in Go and is really, really fast -- and for the most important parts compatible with Pygments.
 +
 +If you want to continue to use Pygments (see below), set `pygmentsUseClassic=true` in your site config.
 +
 +The example below shows a simple code snippet from the Hugo source highlighted with the `highlight` shortcode. Note that the gohugo.io site is generated with `pygmentsUseClasses=true` (see [Generate Syntax Highlighter CSS](#generate-syntax-highlighter-css)).
 +
 +* `linenos=inline` or `linenos=table` (`table` will give copy-and-paste friendly code blocks) turns on line numbers.
 +* `hl_lines` lists a set of line numbers or line number ranges to be highlighted. Note that the hyphen range syntax is only supported for Chroma.
 +* `linenostart=199` starts the line number count from 199.
 +
 +With that, this:
 +
 +```
 +{{</* highlight go "linenos=table,hl_lines=8 15-17,linenostart=199" */>}}
 +// ... code
 +{{</* / highlight */>}}
 +```
 +
 +Gives this:
 +
 +{{< highlight go "linenos=table,hl_lines=8 15-17,linenostart=199" >}}
 +// GetTitleFunc returns a func that can be used to transform a string to
 +// title case.
 +//
 +// The supported styles are
 +//
 +// - "Go" (strings.Title)
 +// - "AP" (see https://www.apstylebook.com/)
 +// - "Chicago" (see http://www.chicagomanualofstyle.org/home.html)
 +//
 +// If an unknown or empty style is provided, AP style is what you get.
 +func GetTitleFunc(style string) func(s string) string {
 +  switch strings.ToLower(style) {
 +  case "go":
 +    return strings.Title
 +  case "chicago":
 +    tc := transform.NewTitleConverter(transform.ChicagoStyle)
 +    return tc.Title
 +  default:
 +    tc := transform.NewTitleConverter(transform.APStyle)
 +    return tc.Title
 +  }
 +}
 +{{< / highlight >}}
 +
 +
 +## Configure Syntax Highlighter
 +To make the transition from Pygments to Chroma seamless, they share a common set of configuration options:
 +
 +pygmentsOptions
 +:  A comma separated list of options. See below for a full list.
 +
 +pygmentsCodefences
 +: Set to true to enable syntax highlighting in code fences with a language tag in markdown (see below for an example).
 +
 +pygmentsStyle
 +: The style of code highlighting. See https://help.farbox.com/pygments.html for a gallery. Note that this option is not relevant when `pygmentsUseClasses` is set.
 +
 +pygmentsUseClasses
 +: Set to `true` to use CSS classes to format your highlighted code. See [Generate Syntax Highlighter CSS](#generate-syntax-highlighter-css).
 +
 +pygmentsCodefencesGuessSyntax
 +: Set to `true` to try to do syntax highlighting on code fenced blocks in markdown without a language tag.
 +
 +pygmentsUseClassic
 +: Set to true to use Pygments instead of the much faster Chroma.
 +
 +### Options
 +
 +`pygmentsOptions` can be set either in site config or overridden per code block in the Highlight shortcode or template func.
 +
 +noclasses
 +: Use inline style.
 +
 +linenos
 +: For Chroma, any value in this setting will print line numbers. Pygments has some more fine grained control.
 +
 +linenostart
 +: Start the line numbers from this value (default is 1). 
 +
 +
 +hl_lines
 +: Highlight a space separated list of line numbers. For Chroma, you can provide a list of ranges, i.e. "3-8 10-20".
 +
 +
 +The full set of supported options for Pygments is: `encoding`, `outencoding`, `nowrap`, `full`, `title`, `style`, `noclasses`, `classprefix`, `cssclass`, `cssstyles`, `prestyles`, `linenos`, `hl_lines`, `linenostart`, `linenostep`, `linenospecial`, `nobackground`, `lineseparator`, `lineanchors`, `linespans`, `anchorlinenos`, `startinline`. See the [Pygments HTML Formatter Documentation](http://pygments.org/docs/formatters/#HtmlFormatter) for details.
 +
 +
 +## Generate Syntax Highlighter CSS
 +
 +If you run with `pygmentsUseClasses=true` in your site config, you need a style sheet.
 +
 +You can generate one with Hugo:
 +
 +```bash
 +hugo gen chromastyles --style=monokai > syntax.css
 +```
 +
 +Run `hugo gen chromastyles -h` for more options. See https://help.farbox.com/pygments.html for a gallery of available styles.
 +
 +
 +## Highlight Shortcode
 +
 +Highlighting is carried out via the [built-in shortcode](/content-management/shortcodes/) `highlight`. `highlight` takes exactly one required parameter for the programming language to be highlighted and requires a closing shortcode. Note that `highlight` is *not* used for client-side javascript highlighting.
 +
 +### Example `highlight` Shortcode
 +
 +{{< code file="example-highlight-shortcode-input.md" >}}
 +{{</* highlight html */>}}
 +<section id="main">
 +  <div>
 +    <h1 id="title">{{ .Title }}</h1>
 +    {{ range .Data.Pages }}
 +      {{ .Render "summary"}}
 +    {{ end }}
 +  </div>
 +</section>
 +{{</* /highlight */>}}
 +{{< /code >}}
 +
 +
 +
 +## Highlight Template Func
 +
 +See [Highlight](/functions/highlight/).
 +
 +## Highlight in Code Fences
 +  
 +It is also possible to add syntax highlighting with GitHub flavored code fences. To enable this, set the `pygmentsCodeFences` to `true` in Hugo's [configuration file](/getting-started/configuration/);
 +
 +````
++```go-html-template
 +<section id="main">
 +  <div>
 +    <h1 id="title">{{ .Title }}</h1>
 +    {{ range .Data.Pages }}
 +      {{ .Render "summary"}}
 +    {{ end }}
 +  </div>
 +</section>
 +```
 +````
 +
++## List of Chroma Highlighting Languages
++
++The full list of Chroma lexers and their aliases (which is the identifier used in the `hightlight` template func or when doing highlighting in code fences):
++
++{{< chroma-lexers >}}
 +
 +## Highlight with Pygments Classic
 +
 +If you for some reason don't want to use the built-in Chroma highlighter, you can set `pygmentsUseClassic=true` in your config and add Pygments to your path.
 +
 +{{% note "Disclaimers on Pygments" %}}
 +* Pygments is relatively slow and _causes a performance hit when building your site_, but Hugo has been designed to cache the results to disk.
 +* The caching can be turned off by setting the `--ignoreCache` flag to `true`.
 +* The languages available for highlighting depend on your Pygments installation.
 +{{% /note %}}
 +
 +If you have never worked with Pygments before, here is a brief primer:
 +
 ++ Install Python from [python.org](https://www.python.org/downloads/). Version 2.7.x is already sufficient.
 ++ Run `pip install Pygments` in order to install Pygments. Once installed, Pygments gives you a command `pygmentize`. Make sure it sits in your PATH; otherwise, Hugo will not be able to find and use it.
 +
 +On Debian and Ubuntu systems, you may also install Pygments by running `sudo apt-get install python3-pygments`.
 +
 +
 +
 +[Prism]: http://prismjs.com
 +[prismdownload]: http://prismjs.com/download.html
 +[Highlight.js]: http://highlightjs.org/
 +[Rainbow]: http://craig.is/making/rainbows
 +[Syntax Highlighter]: http://alexgorbatchev.com/SyntaxHighlighter/
 +[Google Prettify]: https://github.com/google/code-prettify
 +[Yandex]: http://yandex.ru/
index 1a59ebe3e17c82c973fd56f1bb58e24bdf7480fc,0000000000000000000000000000000000000000..287c6f899c569d7747d4de81e60e79913a089766
mode 100644,000000..100644
--- /dev/null
@@@ -1,253 -1,0 +1,193 @@@
- ### Example: TOML Taxonomy Configuration
 +---
 +title: Taxonomies
 +linktitle:
 +description: Hugo includes support for user-defined taxonomies to help you  demonstrate logical relationships between content for the end users of your website.
 +date: 2017-02-01
 +publishdate: 2017-02-01
 +lastmod: 2017-02-01
 +keywords: [taxonomies,metadata,front matter,terms]
 +categories: [content management]
 +menu:
 +  docs:
 +    parent: "content-management"
 +    weight: 80
 +weight: 80    #rem
 +draft: false
 +aliases: [/taxonomies/overview/,/taxonomies/usage/,/indexes/overview/,/doc/indexes/,/extras/indexes]
 +toc: true
 +---
 +
 +## What is a Taxonomy?
 +
 +Hugo includes support for user-defined groupings of content called **taxonomies**. Taxonomies are classifications of logical relationships between content.
 +
 +### Definitions
 +
 +Taxonomy
 +: a categorization that can be used to classify content
 +
 +Term
 +: a key within the taxonomy
 +
 +Value
 +: a piece of content assigned to a term
 +
 +{{< youtube pCPCQgqC8RA >}}
 +
 +## Example Taxonomy: Movie Website
 +
 +Let's assume you are making a website about movies. You may want to include the following taxonomies:
 +
 +* Actors
 +* Directors
 +* Studios
 +* Genre
 +* Year
 +* Awards
 +
 +Then, in each of the movies, you would specify terms for each of these taxonomies (i.e., in the [front matter][] of each of your movie content files). From these terms, Hugo would automatically create pages for each Actor, Director, Studio, Genre, Year, and Award, with each listing all of the Movies that matched that specific Actor, Director, Studio, Genre, Year, and Award.
 +
 +### Movie Taxonomy Organization
 +
 +To continue with the example of a movie site, the following demonstrates content relationships from the perspective of the taxonomy:
 +
 +```
 +Actor                    <- Taxonomy
 +    Bruce Willis         <- Term
 +        The Sixth Sense  <- Value
 +        Unbreakable      <- Value
 +        Moonrise Kingdom <- Value
 +    Samuel L. Jackson    <- Term
 +        Unbreakable      <- Value
 +        The Avengers     <- Value
 +        xXx              <- Value
 +```
 +
 +From the perspective of the content, the relationships would appear differently, although the data and labels used are the same:
 +
 +```
 +Unbreakable                 <- Value
 +    Actors                  <- Taxonomy
 +        Bruce Willis        <- Term
 +        Samuel L. Jackson   <- Term
 +    Director                <- Taxonomy
 +        M. Night Shyamalan  <- Term
 +    ...
 +Moonrise Kingdom            <- Value
 +    Actors                  <- Taxonomy
 +        Bruce Willis        <- Term
 +        Bill Murray         <- Term
 +    Director                <- Taxonomy
 +        Wes Anderson        <- Term
 +    ...
 +```
 +
 +## Hugo Taxonomy Defaults
 +
 +Hugo natively supports taxonomies.
 +
 +Without adding a single line to your site's configuration file, Hugo will automatically create taxonomies for `tags` and `categories`. If you do not want Hugo to create any taxonomies, set `disableKinds` in your site's configuration to the following:
 +
 +```
 +disableKinds = ["taxonomy","taxonomyTerm"]
 +```
 +
 +### Default Destinations
 +
 +When taxonomies are used---and [taxonomy templates][] are provided---Hugo will automatically create both a page listing all the taxonomy's terms and individual pages with lists of content associated with each term. For example, a `categories` taxonomy declared in your configuration and used in your content front matter will create the following pages:
 +
 +* A single page at `example.com/categories/` that lists all the [terms within the taxonomy][]
 +* [Individual taxonomy list pages][taxonomy templates] (e.g., `/categories/development/`) for each of the terms that shows a listing of all pages marked as part of that taxonomy within any content file's [front matter][]
 +
 +## Configure Taxonomies
 +
 +Taxonomies must be defined in your [website configuration][config] before they can be used throughout the site. You need to provide both the plural and singular labels for each taxonomy. For example, `singular key = "plural value"` for TOML and `singular key: "plural value"` for YAML.
 +
- ```
++### Example: Taxonomy Configuration
 +
- ```
- ### Example: YAML Taxonomy Configuration
- ```
- taxonomies:
-   tag: "tags"
-   category: "categories"
-   series: "series"
- ```
++{{< code-toggle copy="false" >}}
 +[taxonomies]
 +  tag = "tags"
 +  category = "categories"
 +  series = "series"
- ### Example: TOML Front Matter with Taxonomies
++{{</ code-toggle >}}
 +
 +### Preserve Taxonomy Values
 +
 +By default, taxonomy names are normalized.
 +
 +Therefore, if you want to have a taxonomy term with special characters such as `Gérard Depardieu` instead of `Gerard Depardieu`, set the value for `preserveTaxonomyNames` to `true` in your [site configuration][config]. Hugo will then preserve special characters in taxonomy values but will still title-ize the values for titles and normalize them in URLs.
 +
 +Note that if you use `preserveTaxonomyNames` and intend to manually construct URLs to the archive pages, you will need to pass the taxonomy values through the [`urlize` template function][].
 +
 +{{% note %}}
 +You can add content and front matter to your taxonomy list and taxonomy terms pages. See [Content Organization](/content-management/organization/) for more information on how to add an `_index.md` for this purpose.
 +
 +Much like regular pages, taxonomy list [permalinks](/content-management/urls/) are configurable, but taxonomy term page permalinks are not.
 +{{% /note %}}
 +
 +## Add Taxonomies to Content
 +
 +Once a taxonomy is defined at the site level, any piece of content can be assigned to it, regardless of [content type][] or [content section][].
 +
 +Assigning content to a taxonomy is done in the [front matter][]. Simply create a variable with the *plural* name of the taxonomy and assign all terms you want to apply to the instance of the content type.
 +
 +{{% note %}}
 +If you would like the ability to quickly generate content files with preconfigured taxonomies or terms, read the docs on [Hugo archetypes](/content-management/archetypes/).
 +{{% /note %}}
 +
- ```
- +++
++### Example: Front Matter with Taxonomies
 +
- +++
- ```
- ### Example: YAML Front Matter with Taxonomies
- ```
- ---
- title: "Hugo: A fast and flexible static site generator"
- tags: ["Development", "Go", "fast", "Blogging"]
- categories: ["Development"]
- series: ["Go Web Dev"]
- slug: "hugo"
- project_url: "https://github.com/gohugoio/hugo"
- ---
- ```
- ### Example: JSON Front Matter with Taxonomies
- ```
- {
-     "title": "Hugo: A fast and flexible static site generator",
-     "tags": [
-         "Development",
-         "Go",
-         "fast",
-         "Blogging"
-     ],
-     "categories" : [
-         "Development"
-     ],
-     "series" : [
-         "Go Web Dev"
-     ],
-     "slug": "hugo",
-     "project_url": "https://github.com/gohugoio/hugo"
- }
- ```
++{{< code-toggle copy="false">}}
 +title = "Hugo: A fast and flexible static site generator"
 +tags = [ "Development", "Go", "fast", "Blogging" ]
 +categories = [ "Development" ]
 +series = [ "Go Web Dev" ]
 +slug = "hugo"
 +project_url = "https://github.com/gohugoio/hugo"
- ### Example: TOML Taxonomic `weight`
++{{</ code-toggle >}}
 +
 +## Order Taxonomies
 +
 +A content file can assign weight for each of its associate taxonomies. Taxonomic weight can be used for sorting or ordering content in [taxonomy list templates][] and is declared in a content file's [front matter][]. The convention for declaring taxonomic weight is `taxonomyname_weight`.
 +
 +The following TOML and YAML examples show a piece of content that has a weight of 22, which can be used for ordering purposes when rendering the pages assigned to the "a", "b" and "c" values of the `tags` taxonomy. It has also been assigned the weight of 44 when rendering the "d" category page.
 +
- ```
- +++
++### Example: Taxonomic `weight`
 +
- +++
- ```
- ### Example: YAML Taxonomic `weight`
- ```
- ---
- title: foo
- tags: [ "a", "b", "c" ]
- tags_weight: 22
- categories: ["d"]
- categories_weight: 44
- ---
- ```
++{{< code-toggle copy="false" >}}
 +title = "foo"
 +tags = [ "a", "b", "c" ]
 +tags_weight = 22
 +categories = ["d"]
 +categories_weight = 44
++{{</ code-toggle >}}
 +
 +By using taxonomic weight, the same piece of content can appear in different positions in different taxonomies.
 +
 +{{% note "Limits to Ordering Taxonomies" %}}
 +Currently taxonomies only support the [default `weight => date` ordering of list content](/templates/lists/#default-weight-date). For more information, see the documentation on [taxonomy templates](/templates/taxonomy-templates/).
 +{{% /note %}}
 +
 +## Add custom metadata to a Taxonomy Term
 +
 +If you need to add custom metadata to your taxonomy terms, you will need to create a page for that term at `/content/<TAXONOMY>/<TERM>/_index.md` and add your metadata in it's front matter. Continuing with our 'Actors' example, let's say you want to add a wikipedia page link to each actor. Your terms pages would be something like this:
 +
 +{{< code file="/content/actors/bruce-willis/_index.md" >}}
 +  ---
 +  title: "Bruce Willis"
 +  wikipedia: "https://en.wikipedia.org/wiki/Bruce_Willis"
 +  ---
 +{{< /code >}}
 +
 +You can later use your custom metadata as shown in the [Taxonomy Terms Templates documentation](/templates/taxonomy-templates/#displaying-custom-metadata-in-taxonomy-terms-templates).
 +
 +[`urlize` template function]: /functions/urlize/
 +[content section]: /content-management/sections/
 +[content type]: /content-management/types/
 +[documentation on archetypes]: /content-management/archetypes/
 +[front matter]: /content-management/front-matter/
 +[taxonomy list templates]: /templates/taxonomy-templates/#taxonomy-page-templates
 +[taxonomy templates]: /templates/taxonomy-templates/
 +[terms within the taxonomy]: /templates/taxonomy-templates/#taxonomy-terms-templates "See how to order terms associated with a taxonomy"
 +[config]: /getting-started/configuration/
index dd91fbcedabf98cf8e6d0fd7bf7f79e547565f90,0000000000000000000000000000000000000000..d33725b72be01ace08d38648b98f4fa4a1874b05
mode 100644,000000..100644
--- /dev/null
@@@ -1,282 -1,0 +1,275 @@@
- ### YAML Permalinks Configuration Example
 +---
 +title: URL Management
 +linktitle: URL Management
 +description: Hugo supports permalinks, aliases, link canonicalization, and multiple options for handling relative vs absolute URLs.
 +date: 2017-02-01
 +publishdate: 2017-02-01
 +lastmod: 2017-03-09
 +keywords: [aliases,redirects,permalinks,urls]
 +categories: [content management]
 +menu:
 +  docs:
 +    parent: "content-management"
 +    weight: 110
 +weight: 110   #rem
 +draft: false
 +aliases: [/extras/permalinks/,/extras/aliases/,/extras/urls/,/doc/redirects/,/doc/alias/,/doc/aliases/]
 +toc: true
 +---
 +
 +## Permalinks
 +
 +The default Hugo target directory for your built website is `public/`. However, you can change this value by specifying a different `publishDir` in your [site configuration][config]. The directories created at build time for a section reflect the position of the content's directory within the `content` folder and namespace matching its layout within the `contentdir` hierarchy.
 +
 +The `permalinks` option in your [site configuration][config] allows you to adjust the directory paths (i.e., the URLs) on a per-section basis. This will change where the files are written to and will change the page's internal "canonical" location, such that template references to `.RelPermalink` will honor the adjustments made as a result of the mappings in this option.
 +
 +{{% note "Default Publish and Content Folders" %}}
 +These examples use the default values for `publishDir` and `contentDir`; i.e., `public` and `content`, respectively. You can override the default values in your [site's `config` file](/getting-started/configuration/).
 +{{% /note %}}
 +
 +For example, if one of your [sections][] is called `post` and you want to adjust the canonical path to be hierarchical based on the year, month, and post title, you could set up the following configurations in YAML and TOML, respectively.
 +
- {{< code file="config.yml" copy="false" >}}
++### Permalinks Configuration Example
 +
- {{< /code >}}
- ### TOML Permalinks Configuration Example
- {{< code file="config.toml" copy="false" >}}
- [permalinks]
-   post = "/:year/:month/:title/"
- {{< /code >}}
++{{< code-toggle file="config" copy="false" >}}
 +permalinks:
 +  post: /:year/:month/:title/
++{{< /code-toggle >}}
 +
 +Only the content under `post/` will have the new URL structure. For example, the file `content/post/sample-entry.md` with `date: 2017-02-27T19:20:00-05:00` in its front matter will render to `public/2017/02/sample-entry/index.html` at build time and therefore be reachable at `https://example.com/2017/02/sample-entry/`.
 +
 +You can also configure permalinks of taxonomies with the same syntax, by using the plural form of the taxonomy instead of the section. You will probably only want to use the configuration values `:slug` or `:title`.
 +
 +### Permalink Configuration Values
 +
 +The following is a list of values that can be used in a `permalink` definition in your site `config` file. All references to time are dependent on the content's date.
 +
 +`:year`
 +: the 4-digit year
 +
 +`:month`
 +: the 2-digit month
 +
 +`:monthname`
 +: the name of the month
 +
 +`:day`
 +: the 2-digit day
 +
 +`:weekday`
 +: the 1-digit day of the week (Sunday = 0)
 +
 +`:weekdayname`
 +: the name of the day of the week
 +
 +`:yearday`
 +: the 1- to 3-digit day of the year
 +
 +`:section`
 +: the content's section
 +
 +`:sections`
 +: the content's sections hierarchy
 +
 +`:title`
 +: the content's title
 +
 +`:slug`
 +: the content's slug (or title if no slug is provided in the front matter)
 +
 +`:filename`
 +: the content's filename (without extension)
 +
 +## Aliases
 +
 +For people migrating existing published content to Hugo, there's a good chance you need a mechanism to handle redirecting old URLs.
 +
 +Luckily, redirects can be handled easily with **aliases** in Hugo.
 +
 +### Example: Aliases
 +
 +Let's assume you create a new piece of content at `content/posts/my-awesome-blog-post.md`. The content is a revision of your previous post at `content/posts/my-original-url.md`. You can create an `aliases` field in the front matter of your new `my-awesome-blog-post.md` where you can add previous paths. The following examples show how to create this filed in TOML and YAML front matter, respectively.
 +
 +#### TOML Front Matter
 +
 +{{< code file="content/posts/my-awesome-post.md" copy="false" >}}
 ++++
 +aliases = [
 +    "/posts/my-original-url/",
 +    "/2010/01/01/even-earlier-url.html"
 +]
 ++++
 +{{< /code >}}
 +
 +#### YAML Front Matter
 +
 +{{< code file="content/posts/my-awesome-post.md" copy="false" >}}
 +---
 +aliases:
 +    - /posts/my-original-url/
 +    - /2010/01/01/even-earlier-url.html
 +---
 +{{< /code >}}
 +
 +Now when you visit any of the locations specified in aliases---i.e., *assuming the same site domain*---you'll be redirected to the page they are specified on. For example, a visitor to `example.com/posts/my-original-url/` will be immediately redirected to `example.com/posts/my-awesome-post/`.
 +
 +### Example: Aliases in Multilingual
 +
 +On [multilingual sites][multilingual], each translation of a post can have unique aliases. To use the same alias across multiple languages, prefix it with the language code.
 +
 +In `/posts/my-new-post.es.md`:
 +
 +```
 +---
 +aliases:
 +    - /es/posts/my-original-post/
 +---
 +```
 +
 +### How Hugo Aliases Work
 +
 +When aliases are specified, Hugo creates a directory to match the alias entry. Inside the directory, Hugo creates an `.html` file specifying the canonical URL for the page and the new redirect target.
 +
 +For example, a content file at `posts/my-intended-url.md` with the following in the front matter:
 +
 +```
 +---
 +title: My New post
 +aliases: [/posts/my-old-url/]
 +---
 +```
 +
 +Assuming a `baseURL` of `example.com`, the contents of the auto-generated alias `.html` found at `https://example.com/posts/my-old-url/` will contain the following:
 +
 +```
 +<!DOCTYPE html>
 +<html>
 +  <head>
 +    <title>https://example.com/posts/my-intended-url</title>
 +    <link rel="canonical" href="https://example.com/posts/my-intended-url"/>
 +    <meta name="robots" content="noindex">
 +    <meta http-equiv="content-type" content="text/html; charset=utf-8"/>
 +    <meta http-equiv="refresh" content="0; url=https://example.com/posts/my-intended-url"/>
 +  </head>
 +</html>
 +```
 +
 +The `http-equiv="refresh"` line is what performs the redirect, in 0 seconds in this case. If an end user of your website goes to `https://example.com/posts/my-old-url`, they will now be automatically redirected to the newer, correct URL. The addition of `<meta name="robots" content="noindex">` lets search engine bots know that they should not crawl and index your new alias page.
 +
 +### Customize 
 +You may customize this alias page by creating an `alias.html` template in the
 +layouts folder of your site (i.e., `layouts/alias.html`). In this case, the data passed to the template is
 +
 +`Permalink`
 +: the link to the page being aliased
 +
 +`Page`
 +: the Page data for the page being aliased
 +
 +### Important Behaviors of Aliases
 +
 +1. Hugo makes no assumptions about aliases. They also do not change based
 +on your UglyURLs setting. You need to provide absolute paths to your web root
 +and the complete filename or directory.
 +2. Aliases are rendered *before* any content are rendered and therefore will be overwritten by any content with the same location.
 +
 +## Pretty URLs
 +
 +Hugo's default behavior is to render your content with "pretty" URLs. No non-standard server-side configuration is required for these pretty URLs to work.
 +
 +The following demonstrates the concept:
 +
 +```
 +content/posts/_index.md
 +=> example.com/posts/index.html
 +content/posts/post-1.md
 +=> example.com/posts/post-1/
 +```
 +
 +## Ugly URLs
 +
 +If you would like to have what are often referred to as "ugly URLs" (e.g., example.com/urls.html), set `uglyurls = true` or `uglyurls: true` in your site's `config.toml` or `config.yaml`, respectively. You can also use the `--uglyURLs=true` [flag from the command line][usage] with `hugo` or `hugo server`..
 +
 +If you want a specific piece of content to have an exact URL, you can specify this in the [front matter][] under the `url` key. The following are examples of the same content directory and what the eventual URL structure will be when Hugo runs with its default behavior.
 +
 +See [Content Organization][contentorg] for more details on paths.
 +
 +```
 +.
 +└── content
 +    └── about
 +    |   └── _index.md  // <- https://example.com/about/
 +    ├── post
 +    |   ├── firstpost.md   // <- https://example.com/post/firstpost/
 +    |   ├── happy
 +    |   |   └── ness.md  // <- https://example.com/post/happy/ness/
 +    |   └── secondpost.md  // <- https://example.com/post/secondpost/
 +    └── quote
 +        ├── first.md       // <- https://example.com/quote/first/
 +        └── second.md      // <- https://example.com/quote/second/
 +```
 +
 +Here's the same organization run with `hugo --uglyURLs`:
 +
 +```
 +.
 +└── content
 +    └── about
 +    |   └── _index.md  // <- https://example.com/about.html
 +    ├── post
 +    |   ├── firstpost.md   // <- https://example.com/post/firstpost.html
 +    |   ├── happy
 +    |   |   └── ness.md    // <- https://example.com/post/happy/ness.html
 +    |   └── secondpost.md  // <- https://example.com/post/secondpost.html
 +    └── quote
 +        ├── first.md       // <- https://example.com/quote/first.html
 +        └── second.md      // <- https://example.com/quote/second.html
 +```
 +
 +
 +## Canonicalization
 +
 +By default, all relative URLs encountered in the input are left unmodified, e.g. `/css/foo.css` would stay as `/css/foo.css`. The `canonifyURLs` field in your site `config` has a default value of `false`.
 +
 +By setting `canonifyURLs` to `true`, all relative URLs would instead be *canonicalized* using `baseURL`.  For example, assuming you have `baseURL = https://example.com/`, the relative URL `/css/foo.css` would be turned into the absolute URL `https://example.com/css/foo.css`.
 +
 +Benefits of canonicalization include fixing all URLs to be absolute, which may aid with some parsing tasks. Note, however, that all modern browsers handle this on the client without issue.
 +
 +Benefits of non-canonicalization include being able to have scheme-relative resource inclusion; e.g., so that `http` vs `https` can be decided according to how the page was retrieved.
 +
 +{{% note "`canonifyURLs` default change" %}}
 +In the May 2014 release of Hugo v0.11, the default value of `canonifyURLs` was switched from `true` to `false`, which we think is the better default and should continue to be the case going forward. Please verify and adjust your website accordingly if you are upgrading from v0.10 or older versions.
 +{{% /note %}}
 +
 +To find out the current value of `canonifyURLs` for your website, you may use the handy `hugo config` command added in v0.13.
 +
 +```
 +hugo config | grep -i canon
 +```
 +
 +Or, if you are on Windows and do not have `grep` installed:
 +
 +```
 +hugo config | FINDSTR /I canon
 +```
 +
 +## Override URLS with Front Matter
 +
 +In addition to specifying permalink values in your site configuration for different content sections, Hugo provides even more granular control for individual pieces of content.
 +
 +Both `slug` and `url` can be defined in individual front matter. For more information on content destinations at build time, see [Content Organization][contentorg].
 +
 +## Relative URLs
 +
 +By default, all relative URLs are left unchanged by Hugo, which can be problematic when you want to make your site browsable from a local file system.
 +
 +Setting `relativeURLs` to `true` in your [site configuration][config] will cause Hugo to rewrite all relative URLs to be relative to the current content.
 +
 +For example, if your `/post/first/` page contains a link to `/about/`, Hugo will rewrite the URL to `../../about/`.
 +
 +[config]: /getting-started/configuration/
 +[contentorg]: /content-management/organization/
 +[front matter]: /content-management/front-matter/
 +[multilingual]: /content-management/multilingual/
 +[sections]: /content-management/sections/
 +[usage]: /getting-started/usage/
index 3aa03296b44debc83c620d86b3d76e0eafc484b7,0000000000000000000000000000000000000000..eb31112157f0c185e69f09ada26c7efdd1dcb79c
mode 100644,000000..100644
--- /dev/null
@@@ -1,154 -1,0 +1,154 @@@
- ```
 +---
 +title: where
 +# linktitle: where
 +description: Filters an array to only the elements containing a matching value for a given field.
 +godocref:
 +date: 2017-02-01
 +publishdate: 2017-02-01
 +lastmod: 2017-02-01
 +categories: [functions]
 +menu:
 +  docs:
 +    parent: "functions"
 +keywords: [filtering]
 +signature: ["where COLLECTION KEY [OPERATOR] MATCH"]
 +workson: [lists,taxonomies,terms,groups]
 +hugoversion:
 +relatedfuncs: [intersect,first,after,last]
 +deprecated: false
 +toc: true
 +needsexample: true
 +---
 +
 +`where` filters an array to only the elements containing a matching value for a given field.
 +
- ```
++```go-html-template
 +{{ range where .Data.Pages "Section" "post" }}
 +  {{ .Content }}
 +{{ end }}
 +```
 +
 +It can be used by dot-chaining the second argument to refer to a nested element of a value.
 +
 +```
 ++++
 +series: golang
 ++++
 +```
 +
- ```
++```go-html-template
 +{{ range where .Site.Pages "Params.series" "golang" }}
 +   {{ .Content }}
 +{{ end }}
 +```
 +
 +It can also be used with the logical operators `!=`, `>=`, `in`, etc. Without an operator, `where` compares a given field with a matching value equivalent to `=`.
 +
- ```
++```go-html-template
 +{{ range where .Data.Pages "Section" "!=" "post" }}
 +   {{ .Content }}
 +{{ end }}
 +```
 +
 +The following logical operators are available with `where`:
 +
 +`=`, `==`, `eq`
 +: `true` if a given field value equals a matching value
 +
 +`!=`, `<>`, `ne`
 +: `true` if a given field value doesn't equal a matching value
 +
 +`>=`, `ge`
 +: `true` if a given field value is greater than or equal to a matching value
 +
 +`>`, `gt`
 +: `true` if a given field value is greater than a matching value
 +
 +`<=`, `le`
 +: `true` if a given field value is lesser than or equal to a matching value
 +
 +`<`, `lt`
 +: `true` if a given field value is lesser than a matching value
 +
 +`in`
 +: `true` if a given field value is included in a matching value; a matching value must be an array or a slice
 +
 +`not in`
 +: `true` if a given field value isn't included in a matching value; a matching value must be an array or a slice
 +
 +`intersect`
 +: `true` if a given field value that is a slice/array of strings or integers contains elements in common with the matching value; it follows the same rules as the [`intersect` function][intersect].
 +
 +## Use `where` with `intersect`
 +
- ```
++```go-html-template
 +{{ range where .Site.Pages ".Params.tags" "intersect" .Params.tags }}
 +  {{ if ne .Permalink $.Permalink }}
 +    {{ .Render "summary" }}
 +  {{ end }}
 +{{ end }}
 +```
 +
 +You can also put the returned value of the `where` clauses into a variable:
 +
 +{{< code file="where-intersect-variables.html" >}}
 +{{ $v1 := where .Site.Pages "Params.a" "v1" }}
 +{{ $v2 := where .Site.Pages "Params.b" "v2" }}
 +{{ $filtered := $v1 | intersect $v2 }}
 +{{ range $filtered }}
 +{{ end }}
 +{{< /code >}}
 +
 +## Use `where` with `first`
 +
 +The following grabs the first five content files in `post` using the [default ordering](/templates/lists/) for lists (i.e., `weight => date`):
 +
 +{{< code file="where-with-first.html" >}}
 +{{ range first 5 (where .Data.Pages "Section" "post") }}
 +   {{ .Content }}
 +{{ end }}
 +{{< /code >}}
 +
 +## Nest `where` Clauses
 +
 +You can also nest `where` clauses to drill down on lists of content by more than one parameter. The following first grabs all pages in the "blog" section and then ranges through the result of the first `where` clause and finds all pages that are *not* featured:
 +
- ```
++```go-html-template
 +{{ range where (where .Data.Pages "Section" "blog" ) ".Params.featured" "!=" "true" }}
 +```
 +
 +## Unset Fields
 +
 +Filtering only works for set fields. To check whether a field is set or exists, you can use the operand `nil`.
 +
 +This can be useful to filter a small amount of pages from a large pool. Instead of set field on all pages, you can set field on required pages only.
 +
 +Only the following operators are available for `nil`
 +
 +* `=`, `==`, `eq`: True if the given field is not set.
 +* `!=`, `<>`, `ne`: True if the given field is set.
 +
- ```html
++```go-html-template
 +{{ range where .Data.Pages ".Params.specialpost" "!=" nil }}
 +   {{ .Content }}
 +{{ end }}
 +```
 +
 +## Portable `where` filters
 +
 +This is especially important for themes, but to list the most relevant pages on the front page or similar, you can use `.Site.Params.mainSections` list.
 +
 +This will, by default, list pages from the _section with the most pages_.
 +
++```go-html-template
 +{{ $pages := where .Site.RegularPages "Type" "in" .Site.Params.mainSections }}
 +```
 +
 +The user can override the default in `config.toml`:
 +
 +```toml
 +[params]
 +mainSections = ["blog", "docs"]
 +```
 +
 +[intersect]: /functions/intersect/
index ae3e3e84b443fdac954555135ad88ab9c9503905,0000000000000000000000000000000000000000..3e6b7da0d58b97f5114db6aac689b708af492519
mode 100644,000000..100644
--- /dev/null
@@@ -1,75 -1,0 +1,75 @@@
- ## That Congig Toggler
 +---
 +title: Code Toggle
 +description: Code Toggle tryout and showcase.
 +date: 2018-03-16
 +categories: [getting started,fundamentals]
 +keywords: [configuration,toml,yaml,json]
 +weight: 60
 +sections_weight: 60
 +draft: false
 +toc: true
 +---
 +
 +## The Config Toggler!
 +
 +This is an exemple for the Config Toggle shortcode. 
 +Its purpose is to let users choose a Config language by clicking on its corresponding tab. Upon doing so, every Code toggler on the page will be switched to the target language. Also, target language will be saved in user's `localStorage` so when they go to a different pages, Code Toggler display their last "toggled" config language.
 +
- {{< /code >}}
++## That Config Toggler
 +
 +{{< code-toggle file="config">}}
 +
 +baseURL: "https://yoursite.example.com/"
 +title: "My Hugo Site"
 +footnoteReturnLinkContents: "↩"
 +permalinks:
 +  post: /:year/:month/:title/
 +params:
 +  Subtitle: "Hugo is Absurdly Fast!"
 +  AuthorName: "Jon Doe"
 +  GitHubUser: "spf13"
 +  ListOfFoo:
 +    - "foo1"
 +    - "foo2"
 +  SidebarRecentLimit: 5
 +{{< /code-toggle >}}
 +
 +## Another Config Toggler!
 +
 +{{< code-toggle file="theme">}}
 +
 +# theme.toml template for a Hugo theme
 +
 +name = "Hugo Theme"
 +license = "MIT"
 +licenselink = "https://github.com/budparr/gohugo.io/blob/master/LICENSE.md"
 +description = ""
 +homepage = "https://github.com/budparr/gohugo.io"
 +tags = ["website"]
 +features = ["", ""]
 +min_version = 0.18
 +
 +[author]
 +  name = "Bud Parr"
 +  homepage = "https://github.com/budparr"
 +
 +{{< /code-toggle >}}
 +
 +## Two regular code blocks
 +
 +{{< code file="bf-config.toml" >}}
 +[blackfriday]
 +  angledQuotes = true
 +  fractions = false
 +  plainIDAnchors = true
 +  extensions = ["hardLineBreak"]
 +{{< /code >}}
 +
 +{{< code file="bf-config.yml" >}}
 +blackfriday:
 +  angledQuotes: true
 +  fractions: false
 +  plainIDAnchors: true
 +  extensions:
 +    - hardLineBreak
++{{< /code >}}
index ba2c87e824ccec9c63d101cf889f3bead48ce958,0000000000000000000000000000000000000000..8da25fd58f89ef66ee65455186a20203fc301982
mode 100644,000000..100644
--- /dev/null
@@@ -1,453 -1,0 +1,404 @@@
- ## YAML Configuration
 +---
 +title: Configure Hugo
 +linktitle: Configuration
 +description: How to configure your Hugo site.
 +date: 2013-07-01
 +publishdate: 2017-01-02
 +lastmod: 2017-03-05
 +categories: [getting started,fundamentals]
 +keywords: [configuration,toml,yaml,json]
 +menu:
 +  docs:
 +    parent: "getting-started"
 +    weight: 60
 +weight: 60
 +sections_weight: 60
 +draft: false
 +aliases: [/overview/source-directory/,/overview/configuration/]
 +toc: true
 +---
 +
 +Hugo uses the `config.toml`, `config.yaml`, or `config.json` (if found in the
 +site root) as the default site config file.
 +
 +The user can choose to override that default with one or more site config files
 +using the command line `--config` switch.
 +
 +Examples:
 +
 +```
 +hugo --config debugconfig.toml
 +hugo --config a.toml,b.toml,c.toml
 +```
 +
 +{{% note %}}
 +Multiple site config files can be specified as a comma-separated string to the `--config` switch.
 +{{% /note %}}
 +
 +## All Configuration Settings
 +
 +The following is the full list of Hugo-defined variables with their default
 +value in parentheses. Users may choose to override those values in their site
 +config file(s).
 +
 +archetypeDir ("archetypes")
 +: The directory where Hugo finds archetype files (content templates).
 +
 +baseURL
 +: Hostname (and path) to the root, e.g. http://bep.is/
 +
 +blackfriday
 +: See [Configure Blackfriday](/getting-started/configuration/#configure-blackfriday)
 +
 +buildDrafts (false)
 +: Include drafts when building.
 +
 +buildExpired  (false)
 +: Include content already expired.
 +
 +buildFuture (false)
 +: Include content with publishdate in the future.
 +
 +canonifyURLs (false)
 +: Enable to turn relative URLs into absolute.
 +
 +contentDir ("content")
 +: The directory from where Hugo reads content files.
 +
 +dataDir ("data")
 +: The directory from where Hugo reads data files.
 +
 +defaultContentLanguage ("en")
 +: Content without language indicator will default to this language.
 +
 +defaultContentLanguageInSubdir (false)
 +: Render the default content language in subdir, e.g. `content/en/`. The site root `/` will then redirect to `/en/`.
 +
 +disableHugoGeneratorInject (false)
 +: Hugo will, by default, inject a generator meta tag in the HTML head on the _home page only_. You can turn it off, but we would really appreciate if you don't, as this is a good way to watch Hugo's popularity on the rise.
 +
 +disableKinds ([])
 +: Enable disabling of all pages of the specified *Kinds*. Allowed values in this list: `"page"`, `"home"`, `"section"`, `"taxonomy"`, `"taxonomyTerm"`, `"RSS"`, `"sitemap"`, `"robotsTXT"`, `"404"`.
 +
 +disableLiveReload (false)
 +: Disable automatic live reloading of browser window.
 +
 +disablePathToLower (false)
 +: Do not convert the url/path to lowercase.
 +
 +enableEmoji (false)
 +: Enable Emoji emoticons support for page content; see the [Emoji Cheat Sheet](https://www.webpagefx.com/tools/emoji-cheat-sheet/).
 +
 +enableGitInfo (false)
 +: Enable `.GitInfo` object for each page (if the Hugo site is versioned by Git). This will then update the `Lastmod` parameter for each page using the last git commit date for that content file.
 +
 +enableMissingTranslationPlaceholders (false)
 +: Show a placeholder instead of the default value or an empty string if a translation is missing.
 +
 +enableRobotsTXT (false)
 +: Enable generation of `robots.txt` file.
 +
 +frontmatter
 +
 +: See [Front matter Configuration](#configure-front-matter).
 +
 +footnoteAnchorPrefix ("")
 +: Prefix for footnote anchors.
 +
 +footnoteReturnLinkContents ("")
 +: Text to display for footnote return links.
 +
 +googleAnalytics ("")
 +: Google Analytics tracking ID.
 +
 +hasCJKLanguage (false)
 +: If true, auto-detect Chinese/Japanese/Korean Languages in the content. This will make `.Summary` and `.WordCount` behave correctly for CJK languages.
 +
 +imaging
 +: See [Image Processing Config](/content-management/image-processing/#image-processing-config).
 +
 +languages
 +: See [Configure Languages](/content-management/multilingual/#configure-languages).
 +
 +languageCode ("")
 +: The site's language code.
 +
 +disableLanguages
 +: See [Disable a Language](/content-management/multilingual/#disable-a-language)
 +
 +layoutDir ("layouts")
 +: The directory from where Hugo reads layouts (templates).
 +
 +log (false)
 +: Enable logging.
 +
 +logFile ("")
 +: Log File path (if set, logging enabled automatically).
 +
 +menu
 +: See [Add Non-content Entries to a Menu](/content-management/menus/#add-non-content-entries-to-a-menu).
 +
 +metaDataFormat ("toml")
 +: Front matter meta-data format. Valid values: `"toml"`, `"yaml"`, or `"json"`.
 +
 +newContentEditor ("")
 +: The editor to use when creating new content.
 +
 +noChmod (false)
 +: Don't sync permission mode of files.
 +
 +noTimes (false)
 +: Don't sync modification time of files.
 +
 +paginate (10)
 +: Default number of pages per page in [pagination](/templates/pagination/).
 +
 +paginatePath ("page")
 +: The path element used during pagination (https://example.com/page/2).
 +
 +permalinks
 +: See [Content Management](/content-management/urls/#permalinks).
 +
 +pluralizeListTitles (true)
 +: Pluralize titles in lists.
 +
 +preserveTaxonomyNames (false)
 +: Preserve special characters in taxonomy names ("Gérard Depardieu" vs "Gerard Depardieu").
 +
 +publishDir ("public")
 +: The directory to where Hugo will write the final static site (the HTML files etc.).
 +
 +pygmentsCodeFencesGuessSyntax (false)
 +: Enable syntax guessing for code fences without specified language.
 +
 +pygmentsStyle ("monokai")
 +: Color-theme or style for syntax highlighting. See [Pygments Color Themes](https://help.farbox.com/pygments.html).
 +
 +pygmentsUseClasses (false)
 +: Enable using external CSS for syntax highlighting.
 +
 +related
 +: See [Related Content](/content-management/related/#configure-related-content).
 +
 +relativeURLs (false)
 +: Enable this to make all relative URLs relative to content root. Note that this does not affect absolute URLs.
 +
 +rssLimit (unlimited)
 +: Maximum number of items in the RSS feed.
 +
 +sectionPagesMenu ("")
 +: See ["Section Menu for Lazy Bloggers"](/templates/menu-templates/#section-menu-for-lazy-bloggers).
 +
 +sitemap
 +: Default [sitemap configuration](/templates/sitemap-template/#configure-sitemap-xml).
 +
 +staticDir ("static")
 +: Relative directory from where Hugo reads static files.
 +
 +stepAnalysis (false)
 +: Display memory and timing of different steps of the program.
 +
 +summaryLength (70)
 +: The length of text to show in a [`.Summary`](/content-management/summaries/#hugo-defined-automatic-summary-splitting).
 +
 +taxonomies
 +: See [Configure Taxonomies](/content-management/taxonomies#configure-taxonomies).
 +
 +theme ("")
 +: Theme to use (located by default in `/themes/THEMENAME/`).
 +
 +themesDir ("themes")
 +: The directory where Hugo reads the themes from.
 +
 +title ("")
 +: Site title.
 +
 +uglyURLs (false)
 +: When enabled, creates URL of the form `/filename.html` instead of `/filename/`.
 +
 +verbose (false)
 +: Enable verbose output.
 +
 +verboseLog (false)
 +: Enable verbose logging.
 +
 +watch (false)
 +: Watch filesystem for changes and recreate as needed.
 +
 +{{% note %}}
 +If you are developing your site on a \*nix machine, here is a handy shortcut for finding a configuration option from the command line:
 +```
 +cd ~/sites/yourhugosite
 +hugo config | grep emoji
 +```
 +
 +which shows output like
 +
 +```
 +enableemoji: true
 +```
 +{{% /note %}}
 +
 +## Configuration Lookup Order
 +
 +Similar to the template [lookup order][], Hugo has a default set of rules for searching for a configuration file in the root of your website's source directory as a default behavior:
 +
 +1. `./config.toml`
 +2. `./config.yaml`
 +3. `./config.json`
 +
 +In your `config` file, you can direct Hugo as to how you want your website rendered, control your website's menus, and arbitrarily define site-wide parameters specific to your project.
 +
 +
- {{< code file="config.yml">}}
- baseURL: "https://yoursite.example.com/"
- title: "My Hugo Site"
- footnoteReturnLinkContents: "↩"
- permalinks:
-   post: /:year/:month/:title/
- params:
-   Subtitle: "Hugo is Absurdly Fast!"
-   AuthorName: "Jon Doe"
-   GitHubUser: "spf13"
-   ListOfFoo:
-     - "foo1"
-     - "foo2"
-   SidebarRecentLimit: 5
- {{< /code >}}
- The following is a typical example of a YAML configuration file. The values nested under `params:` will populate the [`.Site.Params`][] variable for use in [templates][]:
++## Example Configuration
 +
- {{< code file="config.yml">}}
++The following is a typical example of a configuration file. The values nested under `params:` will populate the [`.Site.Params`][] variable for use in [templates][]:
 +
- {{< /code >}}
- ## TOML Configuration
- The following is an example of a TOML configuration file. The values under `[params]` will populate the `.Site.Params` variable for use in [templates][]:
- {{< code file="config.toml">}}
- contentDir = "content"
- layoutDir = "layouts"
- publishDir = "public"
- buildDrafts = false
- baseURL = "https://yoursite.example.com/"
- canonifyURLs = true
- title = "My Hugo Site"
- [taxonomies]
-   category = "categories"
-   tag = "tags"
- [params]
-   subtitle = "Hugo is Absurdly Fast!"
-   author = "John Doe"
- {{< /code >}}
++{{< code-toggle file="config">}}
 +baseURL: "https://yoursite.example.com/"
 +title: "My Hugo Site"
 +footnoteReturnLinkContents: "↩"
 +permalinks:
 +  post: /:year/:month/:title/
 +params:
 +  Subtitle: "Hugo is Absurdly Fast!"
 +  AuthorName: "Jon Doe"
 +  GitHubUser: "spf13"
 +  ListOfFoo:
 +    - "foo1"
 +    - "foo2"
 +  SidebarRecentLimit: 5
- {{< code file="bf-config.toml" >}}
++{{< /code-toggle >}}
 +
 +## Configure with Environment Variables
 +
 +In addition to the 3 config options already mentioned, configuration key-values can be defined through operating system environment variables.
 +
 +For example, the following command will effectively set a website's title on Unix-like systems:
 +
 +```
 +$ env HUGO_TITLE="Some Title" hugo
 +```
 +
 +This is really useful if you use a service such as Netlify to deploy your site. Look at the Hugo docs [Netlify configuration file](https://github.com/gohugoio/hugoDocs/blob/master/netlify.toml) for an example.
 +
 +{{% note "Setting Environment Variables" %}}
 +Names must be prefixed with `HUGO_` and the configuration key must be set in uppercase when setting operating system environment variables.
 +{{% /note %}}
 +
 +{{< todo >}}
 +Test and document setting params via JSON env var.
 +{{< /todo >}}
 +
 +## Ignore Files When Rendering
 +
 +The following statement inside `./config.toml` will cause Hugo to ignore files ending with `.foo` and `.boo` when rendering:
 +
 +```
 +ignoreFiles = [ "\\.foo$", "\\.boo$" ]
 +```
 +
 +The above is a list of regular expressions. Note that the backslash (`\`) character is escaped in this example to keep TOML happy.
 +
 +## Configure Front Matter
 +
 +### Configure Dates
 +
 +Dates are important in Hugo, and you can configure how Hugo assigns dates to your content pages. You do this by adding a `frontmatter` section to your `config.toml`.
 +
 +
 +The default configuration is:
 +
 +```toml
 +[frontmatter]
 +date = ["date","publishDate", "lastmod"]
 +lastmod = [":git" "lastmod", "date","publishDate"]
 +publishDate = ["publishDate", "date"]
 +expiryDate = ["expiryDate"]
 +```
 +
 +If you, as an example, have a non-standard date parameter in some of your content, you can override the setting for `date`:
 +
 + ```toml
 +[frontmatter]
 +date = [ "myDate", ":default"]
 +```
 +
 +The `:default` is a shortcut to the default settings. The above will set `.Date` to the date value in `myDate` if present, if not we will look in `date`,`publishDate`, `lastmod` and pick the first valid date.
 +
 +In the list to the right, values starting with ":" are date handlers with a special meaning (see below). The others are just names of date parameters (case insensitive) in your front matter configuration.  Also note that Hugo have some built-in aliases to the above: `lastmod` => `modified`, `publishDate` => `pubdate`, `published` and `expiryDate` => `unpublishdate`. With that, as an example, using `pubDate` as a date in front matter, will, by default, be assigned to `.PublishDate`.
 +
 +The special date handlers are:
 +
 +
 +`:fileModTime`
 +: Fetches the date from the content file's last modification timestamp.
 +
 +An example:
 +
 + ```toml
 +[frontmatter]
 +lastmod = ["lastmod" ,":fileModTime", ":default"]
 +```
 +
 +
 +The above will try first to extract the value for `.Lastmod` starting with the `lastmod` front matter parameter, then the content file's modification timestamp. The last, `:default` should not be needed here, but Hugo will finally look for a valid date in `:git`, `date` and then `publishDate`.
 +
 +
 +`:filename`
 +: Fetches the date from the content file's filename. For example, `218-02-22-mypage.md` will extract the date `218-02-22`. Also, if `slug is not set, `mypage` will be used as the value for `.Slug`.
 +
 +An example:
 +
 +```toml
 +[frontmatter]
 +date  = [":filename", ":default"]
 +```
 +
 +The above will try first to extract the value for `.Date` from the filename, then it will look in front matter parameters `date`, `publishDate` and lastly `lastmod`.
 +
 +
 +`:git`
 +: This is the Git author date for the last revision of this content file. This will only be set if `--enableGitInfo` is set or `enableGitInfo = true` is set in site config.
 +
 +## Configure Blackfriday
 +
 +[Blackfriday](https://github.com/russross/blackfriday) is Hugo's built-in Markdown rendering engine.
 +
 +Hugo typically configures Blackfriday with sane default values that should fit most use cases reasonably well.
 +
 +However, if you have specific needs with respect to Markdown, Hugo exposes some of its Blackfriday behavior options for you to alter. The following table lists these Hugo options, paired with the corresponding flags from Blackfriday's source code ( [html.go](https://github.com/russross/blackfriday/blob/master/html.go) and [markdown.go](https://github.com/russross/blackfriday/blob/master/markdown.go)).
 +
 +{{< readfile file="/content/readfiles/bfconfig.md" markdown="true" >}}
 +
 +{{% note %}}
 +1. Blackfriday flags are *case sensitive* as of Hugo v0.15.
 +2. Blackfriday flags must be grouped under the `blackfriday` key and can be set on both the site level *and* the page level. Any setting on a page will override its respective site setting.
 +{{% /note %}}
 +
- {{< /code >}}
- {{< code file="bf-config.yml" >}}
- blackfriday:
-   angledQuotes: true
-   fractions: false
-   plainIDAnchors: true
-   extensions:
-     - hardLineBreak
- {{< /code >}}
++{{< code-toggle file="config" >}}
 +[blackfriday]
 +  angledQuotes = true
 +  fractions = false
 +  plainIDAnchors = true
 +  extensions = ["hardLineBreak"]
++{{< /code-toggle >}}
 +
 +## Configure Additional Output Formats
 +
 +Hugo v0.20 introduced the ability to render your content to multiple output formats (e.g., to JSON, AMP html, or CSV). See [Output Formats][] for information on how to add these values to your Hugo project's configuration file.
 +
 +## Configuration Format Specs
 +
 +* [TOML Spec][toml]
 +* [YAML Spec][yaml]
 +* [JSON Spec][json]
 +
 +[`.Site.Params`]: /variables/site/
 +[directory structure]: /getting-started/directory-structure
 +[json]: https://www.ecma-international.org/publications/files/ECMA-ST/ECMA-404.pdf "Specification for JSON, JavaScript Object Notation"
 +[lookup order]: /templates/lookup-order/
 +[Output Formats]: /templates/output-formats/
 +[templates]: /templates/
 +[toml]: https://github.com/toml-lang/toml
 +[yaml]: http://yaml.org/spec/
index 3dd02d455e9630b6d0855a6c549393b2dbea2d95,0000000000000000000000000000000000000000..9251c376842d8a2ebc353023c41858f9a6ef4758
mode 100644,000000..100644
--- /dev/null
@@@ -1,93 -1,0 +1,93 @@@
- ```html
 +
 +---
 +date: 2017-09-11
 +title: "0.27"
 +description: "0.27"
 +categories: ["Releases"]
 +---
 +
 +      
 +Hugo `0.27`comes with fast and flexible **Related Content** ([3b4f17bb](https://github.com/gohugoio/hugo/commit/3b4f17bbc9ff789faa581ac278ad109d1ac5b816) [@bep](https://github.com/bep) [#98](https://github.com/gohugoio/hugo/issues/98)). To add this to your site, put something like this in your single page template:
 +
++```go-html-template
 +{{ $related := .Site.RegularPages.Related . | first 5 }}
 +{{ with $related }}
 +<h3>See Also</h3>
 +<ul>
 +      {{ range . }}
 +      <li><a href="{{ .RelPermalink }}">{{ .Title }}</a></li>
 +      {{ end }}
 +</ul>
 +{{ end }}
 +```
 +
 +The above translates to _list the five regular pages mostly related to the current page_. See the [Related Content Documentation](https://gohugo.io/content-management/related/) for details and configuration options.
 +
 +This release represents **37 contributions by 9 contributors** to the main Hugo code base.
 +
 +[@bep](https://github.com/bep) leads the Hugo development with a significant amount of contributions, but also a big shoutout to [@moorereason](https://github.com/moorereason), [@yihui](https://github.com/yihui), and [@oneleaftea](https://github.com/oneleaftea) for their ongoing contributions.
 +
 +And as always a big thanks to [@digitalcraftsman](https://github.com/digitalcraftsman) for his relentless work on keeping the documentation and the themes site in pristine condition.
 +
 +Many have also been busy writing and fixing the documentation in [hugoDocs](https://github.com/gohugoio/hugoDocs), 
 +which has received **44 contributions by 30 contributors**. A special thanks to [@bep](https://github.com/bep), [@sdomino](https://github.com/sdomino), [@gotgenes](https://github.com/gotgenes), and [@digitalcraftsman](https://github.com/digitalcraftsman) for their work on the documentation site.
 +
 +
 +Hugo now has:
 +
 +* 19464+ [stars](https://github.com/gohugoio/hugo/stargazers)
 +* 455+ [contributors](https://github.com/gohugoio/hugo/graphs/contributors)
 +* 178+ [themes](http://themes.gohugo.io/)
 +
 +## Notes
 +
 +* We now only strip p tag in `markdownify` if there is only one paragraph. This allows blocks of paragraphs to be "markdownified" [33ae10b6](https://github.com/gohugoio/hugo/commit/33ae10b6ade67cd9618970121d7de5fd2ce7d781) [@bep](https://github.com/bep) [#3040](https://github.com/gohugoio/hugo/issues/3040)
 +
 +## Enhancements
 +
 +### Templates
 +
 +* Add `time.Duration` and `time.ParseDuration` template funcs [f4bf2141](https://github.com/gohugoio/hugo/commit/f4bf214137ebd24a0d12f16d3a98d9038e6eabd3) [@bep](https://github.com/bep) [#3828](https://github.com/gohugoio/hugo/issues/3828)
 +* Add `cond` (ternary) template func [0462c96a](https://github.com/gohugoio/hugo/commit/0462c96a5a9da3e8adc78d96acd39575a8b46c40) [@bep](https://github.com/bep) [#3860](https://github.com/gohugoio/hugo/issues/3860)
 +* Prepare for template metrics [d000cf60](https://github.com/gohugoio/hugo/commit/d000cf605091c6999b72d6c632752289bc680223) [@bep](https://github.com/bep) 
 +* Add `strings.TrimLeft` and `TrimRight` [7674ad73](https://github.com/gohugoio/hugo/commit/7674ad73825c61eecc4003475fe0577f225fe579) [@moorereason](https://github.com/moorereason) 
 +* compare, hugolib, tpl: Add `Eqer` interface [08f48b91](https://github.com/gohugoio/hugo/commit/08f48b91d68d3002b887ddf737456ff0cc4e786d) [@bep](https://github.com/bep) [#3807](https://github.com/gohugoio/hugo/issues/3807)
 +* Only strip p tag in `markdownify` if only one paragraph [33ae10b6](https://github.com/gohugoio/hugo/commit/33ae10b6ade67cd9618970121d7de5fd2ce7d781) [@bep](https://github.com/bep) [#3040](https://github.com/gohugoio/hugo/issues/3040)
 +* Cleanup `strings.TrimPrefix` and `TrimSuffix` [29a2da05](https://github.com/gohugoio/hugo/commit/29a2da0593b081cdd61b93c6328af2c9ea4eb20f) [@moorereason](https://github.com/moorereason) 
 +
 +### Output
 +
 +* Improve the base template (aka `baseof.html`) identification [0019ce00](https://github.com/gohugoio/hugo/commit/0019ce002449d671a20a69406da37b10977f9493) [@bep](https://github.com/bep) 
 +
 +### Core
 +
 +* Implement "related content" [3b4f17bb](https://github.com/gohugoio/hugo/commit/3b4f17bbc9ff789faa581ac278ad109d1ac5b816) [@bep](https://github.com/bep) [#98](https://github.com/gohugoio/hugo/issues/98)
 +* Add `Page.Equals` [f0f49ed9](https://github.com/gohugoio/hugo/commit/f0f49ed9b0c9b4545a45c95d56340fcbf4aafbef) [@bep](https://github.com/bep) 
 +* Rewrite `replaceDivider` to reduce memory allocation [71ae9b45](https://github.com/gohugoio/hugo/commit/71ae9b4533083be185c5314c9c5b273cc3bd07bd) [@bep](https://github.com/bep) 
 +
 +
 +### Other
 +
 +* Set up Hugo release flow on `CircleCI` [d2249c50](https://github.com/gohugoio/hugo/commit/d2249c50991ba7b00b092aca6e315ca1a4de75a1) [@bep](https://github.com/bep) [#3779](https://github.com/gohugoio/hugo/issues/3779)
 +* Maintain the scroll position if possible [7231d5a8](https://github.com/gohugoio/hugo/commit/7231d5a829f8d97336a2120afde1260db6ee6541) [@yihui](https://github.com/yihui) [#3824](https://github.com/gohugoio/hugo/issues/3824)
 +* Add an `iFrame` title to the `YouTube` shortcode [919bc921](https://github.com/gohugoio/hugo/commit/919bc9210a69c801c7304c0b529df93d1dca27aa) [@nraboy](https://github.com/nraboy) 
 +* Remove the theme submodule from /docs [ea2cc26b](https://github.com/gohugoio/hugo/commit/ea2cc26b390476f1c605405604f8c92afd09b6ee) [@bep](https://github.com/bep) [#3791](https://github.com/gohugoio/hugo/issues/3791)
 +* Add support for multiple config files via `--config a.toml,b.toml,c.toml` [0f9f73cc](https://github.com/gohugoio/hugo/commit/0f9f73cce5c3f1f05be20bcf1d23b2332623d7f9) [@jgielstra](https://github.com/jgielstra) 
 +* Render task list item inside `label` for correct accessibility [c8257f8b](https://github.com/gohugoio/hugo/commit/c8257f8b726478ca70dc8984cdcc17b31e4bdc0c) [@danieka](https://github.com/danieka) [#3303](https://github.com/gohugoio/hugo/issues/3303)
 +* Normalize `UniqueID` between Windows & Linux [0abdeeef](https://github.com/gohugoio/hugo/commit/0abdeeef6740a3cbba0db95374853d040f2022b8) [@Shywim](https://github.com/Shywim) 
 +
 +
 +## Fixes
 +
 +### Output
 +
 +* Fix taxonomy term base template lookup [f88fe312](https://github.com/gohugoio/hugo/commit/f88fe312cb35f7de1615c095edd2f898303dd23b) [@bep](https://github.com/bep) [#3856](https://github.com/gohugoio/hugo/issues/3856)
 +* Fix `published` front matter handling [202510fd](https://github.com/gohugoio/hugo/commit/202510fdc92d52a20baeaa7edb1091f6882bd95f) [@bep](https://github.com/bep) [#3867](https://github.com/gohugoio/hugo/issues/3867)
 +
 +
 +
 +
 +
 +
 +
 +
index a4ead0816e5b982452513c1f24124444497e1afd,0000000000000000000000000000000000000000..92fc3a7b0cd5e717f189545fb4dae0d03fe1d8dc
mode 100644,000000..100644
--- /dev/null
@@@ -1,95 -1,0 +1,95 @@@
- ```html
 +
 +---
 +date: 2017-09-11
 +title: "Hugo 0.27: Fast and Flexible Related Content!"
 +description: "Makes it easy to add \"See Also\" sections etc. to your site."
 +categories: ["Releases"]
 +images:
 +- images/blog/hugo-27-poster.png
 +---
 +
 +      
 +Hugo `0.27`comes with fast and flexible **Related Content** ([3b4f17bb](https://github.com/gohugoio/hugo/commit/3b4f17bbc9ff789faa581ac278ad109d1ac5b816) [@bep](https://github.com/bep) [#98](https://github.com/gohugoio/hugo/issues/98)). To add this to your site, put something like this in your single page template:
 +
++```go-html-template
 +{{ $related := .Site.RegularPages.Related . | first 5 }}
 +{{ with $related }}
 +<h3>See Also</h3>
 +<ul>
 +      {{ range . }}
 +      <li><a href="{{ .RelPermalink }}">{{ .Title }}</a></li>
 +      {{ end }}
 +</ul>
 +{{ end }}
 +```
 +
 +The above translates to _list the five regular pages mostly related to the current page_. See the [Related Content Documentation](https://gohugo.io/content-management/related/) for details and configuration options.
 +
 +This release represents **37 contributions by 9 contributors** to the main Hugo code base.
 +
 +[@bep](https://github.com/bep) leads the Hugo development with a significant amount of contributions, but also a big shoutout to [@moorereason](https://github.com/moorereason), [@yihui](https://github.com/yihui), and [@oneleaftea](https://github.com/oneleaftea) for their ongoing contributions.
 +
 +And as always a big thanks to [@digitalcraftsman](https://github.com/digitalcraftsman) for his relentless work on keeping the documentation and the themes site in pristine condition.
 +
 +Many have also been busy writing and fixing the documentation in [hugoDocs](https://github.com/gohugoio/hugoDocs), 
 +which has received **44 contributions by 30 contributors**. A special thanks to [@bep](https://github.com/bep), [@sdomino](https://github.com/sdomino), [@gotgenes](https://github.com/gotgenes), and [@digitalcraftsman](https://github.com/digitalcraftsman) for their work on the documentation site.
 +
 +
 +Hugo now has:
 +
 +* 19464+ [stars](https://github.com/gohugoio/hugo/stargazers)
 +* 455+ [contributors](https://github.com/gohugoio/hugo/graphs/contributors)
 +* 178+ [themes](http://themes.gohugo.io/)
 +
 +## Notes
 +
 +* We now only strip p tag in `markdownify` if there is only one paragraph. This allows blocks of paragraphs to be "markdownified" [33ae10b6](https://github.com/gohugoio/hugo/commit/33ae10b6ade67cd9618970121d7de5fd2ce7d781) [@bep](https://github.com/bep) [#3040](https://github.com/gohugoio/hugo/issues/3040)
 +
 +## Enhancements
 +
 +### Templates
 +
 +* Add `time.Duration` and `time.ParseDuration` template funcs [f4bf2141](https://github.com/gohugoio/hugo/commit/f4bf214137ebd24a0d12f16d3a98d9038e6eabd3) [@bep](https://github.com/bep) [#3828](https://github.com/gohugoio/hugo/issues/3828)
 +* Add `cond` (ternary) template func [0462c96a](https://github.com/gohugoio/hugo/commit/0462c96a5a9da3e8adc78d96acd39575a8b46c40) [@bep](https://github.com/bep) [#3860](https://github.com/gohugoio/hugo/issues/3860)
 +* Prepare for template metrics [d000cf60](https://github.com/gohugoio/hugo/commit/d000cf605091c6999b72d6c632752289bc680223) [@bep](https://github.com/bep) 
 +* Add `strings.TrimLeft` and `TrimRight` [7674ad73](https://github.com/gohugoio/hugo/commit/7674ad73825c61eecc4003475fe0577f225fe579) [@moorereason](https://github.com/moorereason) 
 +* compare, hugolib, tpl: Add `Eqer` interface [08f48b91](https://github.com/gohugoio/hugo/commit/08f48b91d68d3002b887ddf737456ff0cc4e786d) [@bep](https://github.com/bep) [#3807](https://github.com/gohugoio/hugo/issues/3807)
 +* Only strip p tag in `markdownify` if only one paragraph [33ae10b6](https://github.com/gohugoio/hugo/commit/33ae10b6ade67cd9618970121d7de5fd2ce7d781) [@bep](https://github.com/bep) [#3040](https://github.com/gohugoio/hugo/issues/3040)
 +* Cleanup `strings.TrimPrefix` and `TrimSuffix` [29a2da05](https://github.com/gohugoio/hugo/commit/29a2da0593b081cdd61b93c6328af2c9ea4eb20f) [@moorereason](https://github.com/moorereason) 
 +
 +### Output
 +
 +* Improve the base template (aka `baseof.html`) identification [0019ce00](https://github.com/gohugoio/hugo/commit/0019ce002449d671a20a69406da37b10977f9493) [@bep](https://github.com/bep) 
 +
 +### Core
 +
 +* Implement "related content" [3b4f17bb](https://github.com/gohugoio/hugo/commit/3b4f17bbc9ff789faa581ac278ad109d1ac5b816) [@bep](https://github.com/bep) [#98](https://github.com/gohugoio/hugo/issues/98)
 +* Add `Page.Equals` [f0f49ed9](https://github.com/gohugoio/hugo/commit/f0f49ed9b0c9b4545a45c95d56340fcbf4aafbef) [@bep](https://github.com/bep) 
 +* Rewrite `replaceDivider` to reduce memory allocation [71ae9b45](https://github.com/gohugoio/hugo/commit/71ae9b4533083be185c5314c9c5b273cc3bd07bd) [@bep](https://github.com/bep) 
 +
 +
 +### Other
 +
 +* Set up Hugo release flow on `CircleCI` [d2249c50](https://github.com/gohugoio/hugo/commit/d2249c50991ba7b00b092aca6e315ca1a4de75a1) [@bep](https://github.com/bep) [#3779](https://github.com/gohugoio/hugo/issues/3779)
 +* Maintain the scroll position if possible [7231d5a8](https://github.com/gohugoio/hugo/commit/7231d5a829f8d97336a2120afde1260db6ee6541) [@yihui](https://github.com/yihui) [#3824](https://github.com/gohugoio/hugo/issues/3824)
 +* Add an `iFrame` title to the `YouTube` shortcode [919bc921](https://github.com/gohugoio/hugo/commit/919bc9210a69c801c7304c0b529df93d1dca27aa) [@nraboy](https://github.com/nraboy) 
 +* Remove the theme submodule from /docs [ea2cc26b](https://github.com/gohugoio/hugo/commit/ea2cc26b390476f1c605405604f8c92afd09b6ee) [@bep](https://github.com/bep) [#3791](https://github.com/gohugoio/hugo/issues/3791)
 +* Add support for multiple config files via `--config a.toml,b.toml,c.toml` [0f9f73cc](https://github.com/gohugoio/hugo/commit/0f9f73cce5c3f1f05be20bcf1d23b2332623d7f9) [@jgielstra](https://github.com/jgielstra) 
 +* Render task list item inside `label` for correct accessibility [c8257f8b](https://github.com/gohugoio/hugo/commit/c8257f8b726478ca70dc8984cdcc17b31e4bdc0c) [@danieka](https://github.com/danieka) [#3303](https://github.com/gohugoio/hugo/issues/3303)
 +* Normalize `UniqueID` between Windows & Linux [0abdeeef](https://github.com/gohugoio/hugo/commit/0abdeeef6740a3cbba0db95374853d040f2022b8) [@Shywim](https://github.com/Shywim) 
 +
 +
 +## Fixes
 +
 +### Output
 +
 +* Fix taxonomy term base template lookup [f88fe312](https://github.com/gohugoio/hugo/commit/f88fe312cb35f7de1615c095edd2f898303dd23b) [@bep](https://github.com/bep) [#3856](https://github.com/gohugoio/hugo/issues/3856)
 +* Fix `published` front matter handling [202510fd](https://github.com/gohugoio/hugo/commit/202510fdc92d52a20baeaa7edb1091f6882bd95f) [@bep](https://github.com/bep) [#3867](https://github.com/gohugoio/hugo/issues/3867)
 +
 +
 +
 +
 +
 +
 +
 +
index 6ce614dfac68188a1ae58dcd7fd82fa0bedfe2ff,0000000000000000000000000000000000000000..80b4afd7b35cc4c4266f4deb3f9f0a2ff9a69f76
mode 100644,000000..100644
--- /dev/null
@@@ -1,102 -1,0 +1,102 @@@
- * Support pages without front matter [91bb774a](https://github.com/gohugoio/hugo/commit/91bb774ae4e129f7ed0624754b31479c960ef774) [@vassudanagunta](https://github.com/vassudanagunta) [#4320](https://github.com/gohugoio/hugo/issues/4320)[#4320](https://github.com/gohugoio/hugo/issues/4320)
 +
 +---
 +date: 2018-01-31
 +title: "Hugo 0.35: Headless Bundles!"
 +description: "Headless Bundles, disable languages, improves fast render mode, and much more."
 +categories: ["Releases"]
 +---
 +
 +The most notable new feature in Hugo `0.35` is perhaps **Headless Bundles**.
 +
 +This means that you in your `index.md` front matter can say:
 +
 +```yaml
 +headless: true
 +```
 +And
 +
 +* it will have no `Permalink` and no rendered HTML in `/public`
 +* it will not be part of `.Site.RegularPages` etc.
 +
 +But you can get it by:
 +
 +* `.Site.GetPage ...`
 +
 +The use cases are many:
 +
 +* Shared media libraries
 +* Reusable page content "snippets"
 +* ...
 +
 +But this release contains more goodies than possible to sum up in one paragraph, so study the release notes carefully. It represents **42 contributions by 8 contributors** to the main Hugo code base.
 +
 +[@bep](https://github.com/bep) leads the Hugo development with a significant amount of contributions, but also a big shoutout to [@vassudanagunta](https://github.com/vassudanagunta), [@yanzay](https://github.com/yanzay), and [@robertbasic](https://github.com/robertbasic) for their ongoing contributions.
 +
 +And as always a big thanks to [@digitalcraftsman](https://github.com/digitalcraftsman) for his relentless work on keeping the documentation and the themes site in pristine condition.
 +
 +Many have also been busy writing and fixing the documentation in [hugoDocs](https://github.com/gohugoio/hugoDocs), 
 +which has received **28 contributions by 5 contributors**. A special thanks to [@bep](https://github.com/bep), [@kaushalmodi](https://github.com/kaushalmodi), [@regisphilibert](https://github.com/regisphilibert), and [@salim-b](https://github.com/salim-b) for their work on the documentation site.
 +
 +
 +Hugo now has:
 +
 +* 22967+ [stars](https://github.com/gohugoio/hugo/stargazers)
 +* 448+ [contributors](https://github.com/gohugoio/hugo/graphs/contributors)
 +* 197+ [themes](http://themes.gohugo.io/)
 +
 +
 +## Notes
 +
 +* Deprecate `useModTimeAsFallback` [adfd4370](https://github.com/gohugoio/hugo/commit/adfd4370b67fd7181178bd6b3b1d07356beaac71) [@bep](https://github.com/bep) [#4351](https://github.com/gohugoio/hugo/issues/4351)
 +* Deprecate CLI flags `canonifyURLs`, `pluralizeListTitles`, `preserveTaxonomyNames`, `uglyURLs` [f08ea02d](https://github.com/gohugoio/hugo/commit/f08ea02d24d42929676756950f3affaca7fd8c01) [@bep](https://github.com/bep) [#4347](https://github.com/gohugoio/hugo/issues/4347)
 +* Remove undraft command [2fa70c93](https://github.com/gohugoio/hugo/commit/2fa70c9344b231c9d999bbafdfa4acbf27ed9f6e) [@robertbasic](https://github.com/robertbasic) [#4353](https://github.com/gohugoio/hugo/issues/4353)
 +
 +## Enhancements
 +
 +### Templates
 +
 +* Update Twitter card to also consider images in `.Resources` [25d691da](https://github.com/gohugoio/hugo/commit/25d691daff57d7c6d7d0f63af3991d22e3f788fe) [@bep](https://github.com/bep) [#4349](https://github.com/gohugoio/hugo/issues/4349)
 +* Seed random on init only [83c761b7](https://github.com/gohugoio/hugo/commit/83c761b71a980aee6331179b271c7e24e999e8eb) [@liguoqinjim](https://github.com/liguoqinjim) 
 +* Remove duplicate layout lookup layouts [b2fcbb1f](https://github.com/gohugoio/hugo/commit/b2fcbb1f9774aa1e929b8575c0e1ac366ab2fb73) [@bep](https://github.com/bep) [#4319](https://github.com/gohugoio/hugo/issues/4319)
 +* Add "removable-media" interface to `snapcraft.yaml` [f0c0ece4](https://github.com/gohugoio/hugo/commit/f0c0ece44d55b6c2997cbd106d1bc099ea1a2fa7) [@anthonyfok](https://github.com/anthonyfok) [#3837](https://github.com/gohugoio/hugo/issues/3837)
 +
 +### Other
 +
 +* Add a way to disable one or more languages [6413559f](https://github.com/gohugoio/hugo/commit/6413559f7575e2653d76227a8037a7edbaae82aa) [@bep](https://github.com/bep) [#4297](https://github.com/gohugoio/hugo/issues/4297)[#4329](https://github.com/gohugoio/hugo/issues/4329)
 +* Handle newly created files in Fast Render Mode [1707dae8](https://github.com/gohugoio/hugo/commit/1707dae8d3634006017eb6d040df4dbafc53d92f) [@yanzay](https://github.com/yanzay) [#4339](https://github.com/gohugoio/hugo/issues/4339)
 +* Extract the Fast Render Mode logic into a method [94e736c5](https://github.com/gohugoio/hugo/commit/94e736c5e167a0ee70a528e1c19d64a47e7929c2) [@bep](https://github.com/bep) [#4339](https://github.com/gohugoio/hugo/issues/4339)
 +* Remove unused code [ae5a45be](https://github.com/gohugoio/hugo/commit/ae5a45be6f0ee4d5c52b38fd28b22b55d9cd7b2d) [@bep](https://github.com/bep) 
 +* Add the last lookup variant for the `GetPage` index [3446fe9b](https://github.com/gohugoio/hugo/commit/3446fe9b8937610b8b628b2c212eb25888a7c1bb) [@bep](https://github.com/bep) [#4312](https://github.com/gohugoio/hugo/issues/4312)
 +* Simplify bundle lookup via `.Site.GetPage`, `ref`, `relref` [517b6b62](https://github.com/gohugoio/hugo/commit/517b6b62389d23bfe41fe3ae551a691b11bdcaa7) [@bep](https://github.com/bep) [#4312](https://github.com/gohugoio/hugo/issues/4312)
 +* Remove some now superflous Fast Render Mode code [feeed073](https://github.com/gohugoio/hugo/commit/feeed073c3320b09fb38168ce272ac88b987f1d2) [@bep](https://github.com/bep) [#4339](https://github.com/gohugoio/hugo/issues/4339)
 +* Make resource counters for `name` and `title` independent [df20b054](https://github.com/gohugoio/hugo/commit/df20b05463fef42aba93d5208e410a7ecc56da5d) [@bep](https://github.com/bep) [#4335](https://github.com/gohugoio/hugo/issues/4335)
 +* Provide .Name to the archetype templates [863a812e](https://github.com/gohugoio/hugo/commit/863a812e07193541b42732b0e227f3d320433f01) [@bep](https://github.com/bep) [#4348](https://github.com/gohugoio/hugo/issues/4348)
 +* Only set `url` if permalink in metadata and remove duplicate confirm msg [3752348e](https://github.com/gohugoio/hugo/commit/3752348ef13ced8f6f528b42ee7d76a12a97ae5c) [@lildude](https://github.com/lildude) [#1887](https://github.com/gohugoio/hugo/issues/1887)
 +* Start Resources :counter first time they're used [7b472e46](https://github.com/gohugoio/hugo/commit/7b472e46084b603045b87cea870ffc73ac1cf7e7) [@bep](https://github.com/bep) [#4335](https://github.com/gohugoio/hugo/issues/4335)
 +* Update to Go 1.9.3 [a91aba1c](https://github.com/gohugoio/hugo/commit/a91aba1c1562259dffd321a608f38c38dd4d5aeb) [@bep](https://github.com/bep) [#4328](https://github.com/gohugoio/hugo/issues/4328)
++* Support pages without front matter [91bb774a](https://github.com/gohugoio/hugo/commit/91bb774ae4e129f7ed0624754b31479c960ef774) [@vassudanagunta](https://github.com/vassudanagunta) [#4320](https://github.com/gohugoio/hugo/issues/4320)
 +* Add page metadata dates tests [3f0379ad](https://github.com/gohugoio/hugo/commit/3f0379adb72389954ca2be6a9f2ebfcd65c6c440) [@vassudanagunta](https://github.com/vassudanagunta) 
 +* Re-generate CLI docs [1e27d058](https://github.com/gohugoio/hugo/commit/1e27d0589118a114e49c032e4bd68b4798e44a5b) [@bep](https://github.com/bep) 
 +* Remove and update deprecation status [d418c2c2](https://github.com/gohugoio/hugo/commit/d418c2c2eacdc1dc6fffe839e0a90600867878ca) [@bep](https://github.com/bep) 
 +* Shorten the stale setup [4a7c2b36](https://github.com/gohugoio/hugo/commit/4a7c2b3695fe7b88861f2155ea7ef635fe425cd4) [@bep](https://github.com/bep) 
 +* Add a `GetPage` to the site benchmarks [a1956391](https://github.com/gohugoio/hugo/commit/a19563910eec5fed08f3b02563b9a7b38026183d) [@bep](https://github.com/bep) 
 +* Add headless bundle support [0432c64d](https://github.com/gohugoio/hugo/commit/0432c64dd22e4610302162678bb93661ba68d758) [@bep](https://github.com/bep) [#4311](https://github.com/gohugoio/hugo/issues/4311)
 +* Merge matching resources params maps [5a0819b9](https://github.com/gohugoio/hugo/commit/5a0819b9b5eb9e79826cfa0a65f235d9821b1ac4) [@bep](https://github.com/bep) [#4315](https://github.com/gohugoio/hugo/issues/4315)
 +* Add some general code contribution criterias [78c86330](https://github.com/gohugoio/hugo/commit/78c863305f337ed4faf3cf0a23675f28b0ae5641) [@bep](https://github.com/bep) 
 +* Tighten page kind logic, introduce tests [8125b4b0](https://github.com/gohugoio/hugo/commit/8125b4b03d10eb73f8aea3f9ea41172aba8df082) [@vassudanagunta](https://github.com/vassudanagunta) 
 +
 +## Fixes
 +* Fix `robots.txt` in multihost mode [4d912e2a](https://github.com/gohugoio/hugo/commit/4d912e2aad39bfe8d76672cf53b01317792e02c5) [@bep](https://github.com/bep) [#4193](https://github.com/gohugoio/hugo/issues/4193)
 +* Fix `--uglyURLs` from comand line regression [016398ff](https://github.com/gohugoio/hugo/commit/016398ffe2e0a073453cf46a9d6bf72d693c11e5) [@bep](https://github.com/bep) [#4343](https://github.com/gohugoio/hugo/issues/4343)
 +* Avoid unescape in `highlight` [ebdd8cba](https://github.com/gohugoio/hugo/commit/ebdd8cba3f5965a8ac897833f313d772271de649) [@bep](https://github.com/bep) [#4219](https://github.com/gohugoio/hugo/issues/4219)
 +* Fix Docker build [a34213f0](https://github.com/gohugoio/hugo/commit/a34213f0b5624de101272aab469ca9b6fe0c273f) [@skoblenick](https://github.com/skoblenick) [#4076](https://github.com/gohugoio/hugo/issues/4076)[#4077](https://github.com/gohugoio/hugo/issues/4077)
 +* Fix language params handling [ae742cb1](https://github.com/gohugoio/hugo/commit/ae742cb1bdf35b81aa0ede5453da6b0c4a4fccf2) [@bep](https://github.com/bep) [#4356](https://github.com/gohugoio/hugo/issues/4356)[#4352](https://github.com/gohugoio/hugo/issues/4352)
 +* Fix handling of top-level page bundles [4eb2fec6](https://github.com/gohugoio/hugo/commit/4eb2fec67c3a72a3ac98aa834dc56fd4504626d8) [@bep](https://github.com/bep) [#4332](https://github.com/gohugoio/hugo/issues/4332)
 +* Fix `baseURL` server regression for multilingual sites [ed4a00e4](https://github.com/gohugoio/hugo/commit/ed4a00e46f2344320a22f07febe5aec4075cb3fb) [@bep](https://github.com/bep) [#4333](https://github.com/gohugoio/hugo/issues/4333)
 +* Fix "date" page param [322c5672](https://github.com/gohugoio/hugo/commit/322c567220aa4123a5d707629c1bebd375599912) [@vassudanagunta](https://github.com/vassudanagunta) [#4323](https://github.com/gohugoio/hugo/issues/4323)
 +* Fix typo in comment [912147ab](https://github.com/gohugoio/hugo/commit/912147ab896e69a450b7100c3d6bf81a7bf78b5a) [@yanzay](https://github.com/yanzay) 
 +
 +
 +
 +
 +
index 0000000000000000000000000000000000000000,0000000000000000000000000000000000000000..1e7988c8f6e086ad4ac09b90876ee9346114e401
new file mode 100644 (file)
Binary files differ
index 1bfa7e14c809d7d7925516e00fc0e16b547eadb0,0000000000000000000000000000000000000000..88ef88872fb53838388f9d09a0bb69f34f71cfd1
mode 100644,000000..100644
--- /dev/null
@@@ -1,67 -1,0 +1,66 @@@
- title: "0.38"
- description: "0.38"
 +
 +---
 +date: 2018-04-02
-       
++title: "The Easter Egg Edition"
++description: "Hugo 0.38: Date and slug from filenames, multiple content dirs, config from themes, language merge func …"
 +categories: ["Releases"]
 +---
 +
 +Hugo `0.38` is an **Easter egg** filled with good stuff. We now support fetching **date and slug from the content filename**, making the move from Jekyll even easier. And you can now set `contentDir` per language with intelligent merging, and themes can now provide configuration ...  Also worth mentioning is several improvements in the [Chroma](https://github.com/alecthomas/chroma) highlighter, most notable support for Go templates.
 +
++We are working hard to get the documentation up-to-date with the new features, but you can also see them in action with the full source at [hugotest.bep.is](http://hugotest.bep.is/).
++
 +This release represents **39 contributions by 4 contributors** to the main Hugo code base.
 +[@bep](https://github.com/bep) leads the Hugo development with a significant amount of contributions, but also a big shoutout to [@anthonyfok](https://github.com/anthonyfok), [@felicianotech](https://github.com/felicianotech), and [@paulcmal](https://github.com/paulcmal) for their ongoing contributions.
 +
 +And a big thanks to [@digitalcraftsman](https://github.com/digitalcraftsman) for his relentless work on keeping the themes site in pristine condition and to [@kaushalmodi](https://github.com/kaushalmodi) for his great work on the documentation site.
 +
 +Also, a shoutout to [@regisphilibert](https://github.com/regisphilibert) for his work on the new [Code Toggle Shortcode](https://gohugo.io/getting-started/code-toggle/) on the Hugo docs site, which we will put to good use to improve all the configuration samples.
 +
 +Many have also been busy writing and fixing the documentation in [hugoDocs](https://github.com/gohugoio/hugoDocs), 
 +which has received **55 contributions by 18 contributors**. A special thanks to [@kaushalmodi](https://github.com/kaushalmodi), [@bep](https://github.com/bep), [@xa0082249956](https://github.com/xa0082249956), and [@paulcmal](https://github.com/paulcmal) for their work on the documentation site.
 +
 +
 +Hugo now has:
 +
 +* 24547+ [stars](https://github.com/gohugoio/hugo/stargazers)
 +* 447+ [contributors](https://github.com/gohugoio/hugo/graphs/contributors)
 +* 213+ [themes](http://themes.gohugo.io/)
 +
 +## Notes
 +
 +* Hugo now allows partial redefinition `outputs` in your site configuration. This is what most people would expect, but it is still a change in behaviour. For details, see [#4487](https://github.com/gohugoio/hugo/issues/4487)
 +* Before this release, Hugo flattened URLs of processed images in sub-folders. This worked fine but was not intentional. See [#4502](https://github.com/gohugoio/hugo/issues/4502).
 +
 +## Enhancements
 +
 +* Allow themes to define output formats, media types and params [e9c7b620](https://github.com/gohugoio/hugo/commit/e9c7b6205f94a7edac0e0df2cd18d1456cb26a06) [@bep](https://github.com/bep) [#4490](https://github.com/gohugoio/hugo/issues/4490)
 +* Allow partial redefinition of the `ouputs` config [f8dc47ee](https://github.com/gohugoio/hugo/commit/f8dc47eeffa847fd0b51e376da355e3d957848a6) [@bep](https://github.com/bep) [#4487](https://github.com/gohugoio/hugo/issues/4487)
 +* Add a way to merge pages by language [ffaec4ca](https://github.com/gohugoio/hugo/commit/ffaec4ca8c4c6fd05b195879ccd65acf2fd5a6ac) [@bep](https://github.com/bep) [#4463](https://github.com/gohugoio/hugo/issues/4463)
 +* Extract `date` and `slug` from filename [68bf1511](https://github.com/gohugoio/hugo/commit/68bf1511f2be39b6576d882d071196e477c72c9f) [@bep](https://github.com/bep) [#285](https://github.com/gohugoio/hugo/issues/285)[#3310](https://github.com/gohugoio/hugo/issues/3310)[#3762](https://github.com/gohugoio/hugo/issues/3762)[#4340](https://github.com/gohugoio/hugo/issues/4340)
 +* Add `Delete` method to delete key from `Scratch` [e46ab29b](https://github.com/gohugoio/hugo/commit/e46ab29bd24caa9e2cfa51f24ba15037750850d6) [@paulcmal](https://github.com/paulcmal) 
 +* Simplify Prev/Next [79dd7cb3](https://github.com/gohugoio/hugo/commit/79dd7cb31a941d7545df33b938ca3ed46593ddfd) [@bep](https://github.com/bep) 
 +* List Chroma lexers [2c54f1ad](https://github.com/gohugoio/hugo/commit/2c54f1ad48fe2a2f7504117d351d45abc89dcb1f) [@bep](https://github.com/bep) [#4554](https://github.com/gohugoio/hugo/issues/4554)
 +* Add support for a `contentDir` set per language [eb42774e](https://github.com/gohugoio/hugo/commit/eb42774e587816b1fbcafbcea59ed65df703882a) [@bep](https://github.com/bep) [#4523](https://github.com/gohugoio/hugo/issues/4523)[#4552](https://github.com/gohugoio/hugo/issues/4552)[#4553](https://github.com/gohugoio/hugo/issues/4553)
 +* Update Chroma [7a634898](https://github.com/gohugoio/hugo/commit/7a634898c359a6af0da52be17df07cae97c7937c) [@bep](https://github.com/bep) [#4549](https://github.com/gohugoio/hugo/issues/4549)
 +* Add `.Site.IsServer` [1823c053](https://github.com/gohugoio/hugo/commit/1823c053c8900cb6ee53b8e5c02939c7398e34dd) [@felicianotech](https://github.com/felicianotech) [#4478](https://github.com/gohugoio/hugo/issues/4478)
 +* Move to Ubuntu Trusty image [511d5d3b](https://github.com/gohugoio/hugo/commit/511d5d3b7681cb76822098f430ed6862232ca529) [@anthonyfok](https://github.com/anthonyfok) 
 +* Bump some deprecations [b6798ee8](https://github.com/gohugoio/hugo/commit/b6798ee8676c48f86b0bd8581ea244f4be4ef3fa) [@bep](https://github.com/bep) 
 +* Update Chroma to get `Go template support` [904a3d9d](https://github.com/gohugoio/hugo/commit/904a3d9ddf523d452d04d0b5814503e0ff17bd2e) [@bep](https://github.com/bep) [#4515](https://github.com/gohugoio/hugo/issues/4515)
 +* Recover from error in server [f0052b6d](https://github.com/gohugoio/hugo/commit/f0052b6d0f8e113a50aeb6cd7bd34555dbf34a00) [@bep](https://github.com/bep) [#4516](https://github.com/gohugoio/hugo/issues/4516)
 +* Spring test cleaning, take 2 [da880157](https://github.com/gohugoio/hugo/commit/da88015776645cc68b96e8b94030c95905df53ae) [@bep](https://github.com/bep) 
 +* Add docs for `lang.Merge` [70005364](https://github.com/gohugoio/hugo/commit/70005364a245ea3bc59c74192e1f4c56cb6879cf) [@bep](https://github.com/bep) 
 +* Remove archetype title/date warning [ac12d51e](https://github.com/gohugoio/hugo/commit/ac12d51e7ea3a0ffb7d8053a10b6bf6acf1235ae) [@bep](https://github.com/bep) [#4504](https://github.com/gohugoio/hugo/issues/4504)
 +* Add docs on the new front matter configuration [0dbf79c2](https://github.com/gohugoio/hugo/commit/0dbf79c2f8cd5b1a5c91c04a8d677f956b0b8fe8) [@bep](https://github.com/bep) [#4495](https://github.com/gohugoio/hugo/issues/4495)
 +* Refactor the GitInfo into the date handlers [ce6e4310](https://github.com/gohugoio/hugo/commit/ce6e4310febf5659392a41b543594382441f3681) [@bep](https://github.com/bep) [#4495](https://github.com/gohugoio/hugo/issues/4495)
 +* Do not print build total when `--quiet` is set [50a03a5a](https://github.com/gohugoio/hugo/commit/50a03a5acc7c200c795590c3f4b964fdc56085f2) [@bep](https://github.com/bep) [#4456](https://github.com/gohugoio/hugo/issues/4456)
 +
 +## Fixes
 +
 +* Fix freeze in invalid front matter error case [93e24a03](https://github.com/gohugoio/hugo/commit/93e24a03ce98d3212a2d49ad04739141229d0809) [@bep](https://github.com/bep) [#4526](https://github.com/gohugoio/hugo/issues/4526)
 +* Fix path duplication/flattening in processed images [3fbc7553](https://github.com/gohugoio/hugo/commit/3fbc75534d1acda2be1c597aa77c919d3a02659d) [@bep](https://github.com/bep) [#4502](https://github.com/gohugoio/hugo/issues/4502)[#4501](https://github.com/gohugoio/hugo/issues/4501)
 +* Fix SVG and similar resource handling [ba94abbf](https://github.com/gohugoio/hugo/commit/ba94abbf5dd90f989242af8a7027d67a572a6128) [@bep](https://github.com/bep) [#4455](https://github.com/gohugoio/hugo/issues/4455)
 +
 +
 +
 +
index 73cdeb247382ec2566b1b886978778fa800a9e6e,0000000000000000000000000000000000000000..b900b6fb0d4d6fff243e041e586cca3c8c322544
mode 100644,000000..100644
--- /dev/null
@@@ -1,32 -1,0 +1,32 @@@
- title: "0.38.1"
- description: "0.38.1"
 +
 +---
 +date: 2018-04-05
++title: "Some Live Reload Fixes"
++description: "Hugo 0.38.1 fixes some live reload issues introduced in 0.38."
 +categories: ["Releases"]
 +images:
 +- images/blog/hugo-bug-poster.png
 +
 +---
 +
 +      
 +
 +This is a bug-fix that is mainly motivated by some issues with server live reloading introduced in Hugo 0.38.
 +
 +* Fix livereload for the home page bundle [f87239e4](https://github.com/gohugoio/hugo/commit/f87239e4cab958bf59ecfb1beb8cac439441a553) [@bep](https://github.com/bep) [#4576](https://github.com/gohugoio/hugo/issues/4576)
 +* Fix empty BuildDate in "hugo version" [294c0f80](https://github.com/gohugoio/hugo/commit/294c0f8001fe598278c1eb8015deb6b98e8de686) [@anthonyfok](https://github.com/anthonyfok) 
 +* Fix some livereload content regressions [a4deaeff](https://github.com/gohugoio/hugo/commit/a4deaeff0cfd70abfbefa6d40c0b86839a216f6d) [@bep](https://github.com/bep) [#4566](https://github.com/gohugoio/hugo/issues/4566)
 +* Update github.com/bep/gitmap to fix snap build [4d115c56](https://github.com/gohugoio/hugo/commit/4d115c56fac9060230fbac6181a05f7cc6d10b42) [@anthonyfok](https://github.com/anthonyfok) [#4538](https://github.com/gohugoio/hugo/issues/4538)
 +* Fix two tests that are broken on Windows [26f34fd5](https://github.com/gohugoio/hugo/commit/26f34fd59da1ce1885d4f2909c5d9ef9c1726944) [@neurocline](https://github.com/neurocline) 
 +
 +
 +This release also contains some improvements:
 +
 +* Add bash completion [874159b5](https://github.com/gohugoio/hugo/commit/874159b5436bc9080aec71a9c26d35f8f62c9fd0) [@anthonyfok](https://github.com/anthonyfok) 
 +* Handle mass content etc. edits in server mode [730b66b6](https://github.com/gohugoio/hugo/commit/730b66b6520f263af16f555d1d7be51205a8e51d) [@bep](https://github.com/bep) [#4563](https://github.com/gohugoio/hugo/issues/4563)
 +
 +
 +
 +
 +
 +
index 33cae74768a2544fb71b639e012253bfc9b31c40,0000000000000000000000000000000000000000..d69c5f5b39f3c5d1eed36f6e24f7a9f7056dc2b7
mode 100644,000000..100644
--- /dev/null
@@@ -1,26 -1,0 +1,26 @@@
- title: "0.38.2"
- description: "0.38.2"
 +
 +---
 +date: 2018-04-09
++title: "Hugo 0.38.2: Two Bugfixes"
++description: "0.38.2 fixes --contentDir flag handling and \".\" in content filenames."
 +categories: ["Releases"]
 +images:
 +- images/blog/hugo-bug-poster.png
 +
 +---
 +
 +      
 +
 +This is a bug-fix release with a couple of important fixes:
 +
 +
 +* Fix handling of the `--contentDir` and possibly other related flags [080302eb](https://github.com/gohugoio/hugo/commit/080302eb8757fd94ccbd6bf99103432cd98e716c) [@bep](https://github.com/bep) [#4589](https://github.com/gohugoio/hugo/issues/4589)
 +* Fix handling of content files with "." in them [2817e842](https://github.com/gohugoio/hugo/commit/2817e842407c8dcbfc738297ab634392fcb41ce1) [@bep](https://github.com/bep) [#4559](https://github.com/gohugoio/hugo/issues/4559)
 +
 +
 +Also in this release:
 +
 +* Set .Parent in bundled pages to its owner [6792d86a](https://github.com/gohugoio/hugo/commit/6792d86ad028571c684a776c5f00e0107838c955) [@bep](https://github.com/bep) [#4582](https://github.com/gohugoio/hugo/issues/4582)
 +
 +
 +
index c0b2b5145ed4d1b5c3ed66f627a0498130307b6d,0000000000000000000000000000000000000000..460a657ef3bf7ed435edc6e28aa591eec8b8f25c
mode 100644,000000..100644
--- /dev/null
@@@ -1,255 -1,0 +1,259 @@@
- Assume you have the following YAML structure in your `User0123.yml` data file located directly in `data/`:
 +---
 +title: Data Templates
 +linktitle:
 +description: In addition to Hugo's built-in variables, you can specify your own custom data in templates or shortcodes that pull from both local and dynamic sources.
 +date: 2017-02-01
 +publishdate: 2017-02-01
 +lastmod: 2017-03-12
 +categories: [templates]
 +keywords: [data,dynamic,csv,json,toml,yaml]
 +menu:
 +  docs:
 +    parent: "templates"
 +    weight: 80
 +weight: 80
 +sections_weight: 80
 +draft: false
 +aliases: [/extras/datafiles/,/extras/datadrivencontent/,/doc/datafiles/]
 +toc: true
 +---
 +
 +<!-- begin data files -->
 +
 +Hugo supports loading data from YAML, JSON, and TOML files located in the `data` directory in the root of your Hugo project.
 +
 +{{< youtube FyPgSuwIMWQ >}}
 +
 +## The Data Folder
 +
 +The `data` folder is where you can store additional data for Hugo to use when generating your site. Data files aren't used to generate standalone pages; rather, they're meant to be supplemental to content files. This feature can extend the content in case your front matter fields grow out of control. Or perhaps you want to show a larger dataset in a template (see example below). In both cases, it's a good idea to outsource the data in their own files.
 +
 +These files must be YAML, JSON, or TOML files (using the `.yml`, `.yaml`, `.json`, or `.toml` extension). The data will be accessible as a `map` in the `.Site.Data` variable.
 +
 +## Data Files in Themes
 +
 +Data Files can also be used in [Hugo themes][themes] but note that theme data files follow the same logic as other template files in the [Hugo lookup order][lookup] (i.e., given two files with the same name and relative path, the file in the root project `data` directory will override the file in the `themes/<THEME>/data` directory).
 +
 +Therefore, theme authors should take care to not include data files that could be easily overwritten by a user who decides to [customize a theme][customize]. For theme-specific data items that shouldn't be overridden, it can be wise to prefix the folder structure with a namespace; e.g. `mytheme/data/<THEME>/somekey/...`. To check if any such duplicate exists, run hugo with the `-v` flag.
 +
 +The keys in the map created with data templates from data files will be a dot-chained set of `path`, `filename`, and `key` in file (if applicable).
 +
 +This is best explained with an example:
 +
 +## Example: Jaco Pastorius' Solo Discography
 +
 +[Jaco Pastorius](http://en.wikipedia.org/wiki/Jaco_Pastorius_discography) was a great bass player, but his solo discography is short enough to use as an example. [John Patitucci](http://en.wikipedia.org/wiki/John_Patitucci) is another bass giant.
 +
 +The example below is a bit contrived, but it illustrates the flexibility of data Files. This example uses TOML as its file format with the two following data files:
 +
 +* `data/jazz/bass/jacopastorius.toml`
 +* `data/jazz/bass/johnpatitucci.toml`
 +
 +`jacopastorius.toml` contains the content below. `johnpatitucci.toml` contains a similar list:
 +
 +```
 +discography = [
 +"1974 – Modern American Music … Period! The Criteria Sessions",
 +"1974 – Jaco",
 +"1976 - Jaco Pastorius",
 +"1981 - Word of Mouth",
 +"1981 - The Birthday Concert (released in 1995)",
 +"1982 - Twins I & II (released in 1999)",
 +"1983 - Invitation",
 +"1986 - Broadway Blues (released in 1998)",
 +"1986 - Honestly Solo Live (released in 1990)",
 +"1986 - Live In Italy (released in 1991)",
 +"1986 - Heavy'n Jazz (released in 1992)",
 +"1991 - Live In New York City, Volumes 1-7.",
 +"1999 - Rare Collection (compilation)",
 +"2003 - Punk Jazz: The Jaco Pastorius Anthology (compilation)",
 +"2007 - The Essential Jaco Pastorius (compilation)"
 +]
 +```
 +
 +The list of bass players can be accessed via `.Site.Data.jazz.bass`, a single bass player by adding the filename without the suffix, e.g. `.Site.Data.jazz.bass.jacopastorius`.
 +
 +You can now render the list of recordings for all the bass players in a template:
 +
 +```
 +{{ range $.Site.Data.jazz.bass }}
 +   {{ partial "artist.html" . }}
 +{{ end }}
 +```
 +
 +And then in the `partials/artist.html`:
 +
 +```
 +<ul>
 +{{ range .discography }}
 +  <li>{{ . }}</li>
 +{{ end }}
 +</ul>
 +```
 +
 +Discover a new favorite bass player? Just add another `.toml` file in the same directory.
 +
 +## Example: Accessing Named Values in a Data File
 +
- ```
++Assume you have the following data structure in your `User0123.[yml|toml|json]` data file located directly in `data/`:
 +
- ```
++{{< code-toggle file="User0123" >}}
 +Name: User0123
 +"Short Description": "He is a **jolly good** fellow."
 +Achievements:
 +  - "Can create a Key, Value list from Data File"
 +  - "Learns Hugo"
 +  - "Reads documentation"
- ### Load Local files
++{{</ code-toggle >}}
 +
 +You can use the following code to render the `Short Description` in your layout::
 +
 +```
 +<div>Short Description of {{.Site.Data.User0123.Name}}: <p>{{ index .Site.Data.User0123 "Short Description" | markdownify }}</p></div>
 +```
 +
 +Note the use of the [`markdownify` template function][markdownify]. This will send the description through the Blackfriday Markdown rendering engine.
 +
 +<!-- begin "Data-drive Content" page -->
 +
 +## Data-Driven Content
 +
 +In addition to the [data files](/extras/datafiles/) feature, Hugo also has a "data-driven content" feature, which lets you load any [JSON](http://www.json.org/) or [CSV](http://en.wikipedia.org/wiki/Comma-separated_values) file from nearly any resource.
 +
 +Data-driven content currently consists of two functions, `getJSON` and `getCSV`, which are available in all template files.
 +
 +## Implementation details
 +
 +### Call the Functions with a URL
 +
 +In your template, call the functions like this:
 +
 +```
 +{{ $dataJ := getJSON "url" }}
 +{{ $dataC := getCSV "separator" "url" }}
 +```
 +
 +If you use a prefix or postfix for the URL, the functions accept [variadic arguments][variadic]:
 +
 +```
 +{{ $dataJ := getJSON "url prefix" "arg1" "arg2" "arg n" }}
 +{{ $dataC := getCSV  "separator" "url prefix" "arg1" "arg2" "arg n" }}
 +```
 +
 +The separator for `getCSV` must be put in the first position and can only be one character long.
 +
 +All passed arguments will be joined to the final URL:
 +
 +```
 +{{ $urlPre := "https://api.github.com" }}
 +{{ $gistJ := getJSON $urlPre "/users/GITHUB_USERNAME/gists" }}
 +```
 +
 +This will resolve internally to the following:
 +
 +```
 +{{ $gistJ := getJSON "https://api.github.com/users/GITHUB_USERNAME/gists" }}
 +```
 +
 +Finally, you can range over an array. This example will output the
 +first 5 gists for a GitHub user:
 +
 +```
 +<ul>
 +  {{ $urlPre := "https://api.github.com" }}
 +  {{ $gistJ := getJSON $urlPre "/users/GITHUB_USERNAME/gists" }}
 +  {{ range first 5 $gistJ }}
 +    {{ if .public }}
 +      <li><a href="{{ .html_url }}" target="_blank">{{ .description }}</a></li>
 +    {{ end }}
 +  {{ end }}
 +</ul>
 +```
 +
 +### Example for CSV files
 +
 +For `getCSV`, the one-character-long separator must be placed in the first position followed by the URL. The following is an example of creating an HTML table in a [partial template][partials] from a published CSV:
 +
 +{{< code file="layouts/partials/get-csv.html" >}}
 +  <table>
 +    <thead>
 +      <tr>
 +      <th>Name</th>
 +      <th>Position</th>
 +      <th>Salary</th>
 +      </tr>
 +    </thead>
 +    <tbody>
 +    {{ $url := "http://a-big-corp.com/finance/employee-salaries.csv" }}
 +    {{ $sep := "," }}
 +    {{ range $i, $r := getCSV $sep $url }}
 +      <tr>
 +        <td>{{ index $r 0 }}</td>
 +        <td>{{ index $r 1 }}</td>
 +        <td>{{ index $r 2 }}</td>
 +      </tr>
 +    {{ end }}
 +    </tbody>
 +  </table>
 +{{< /code >}}
 +
 +The expression `{{index $r number}}` must be used to output the nth-column from the current row.
 +
 +### Cache URLs
 +
 +Each downloaded URL will be cached in the default folder `$TMPDIR/hugo_cache/`. The variable `$TMPDIR` will be resolved to your system-dependent temporary directory.
 +
 +With the command-line flag `--cacheDir`, you can specify any folder on your system as a caching directory.
 +
 +You can also set `cacheDir` in the [main configuration file][config].
 +
 +If you don't like caching at all, you can fully disable caching with the command line flag `--ignoreCache`.
 +
 +### Authentication When Using REST URLs
 +
 +Currently, you can only use those authentication methods that can be put into an URL. [OAuth][] and other authentication methods are not implemented.
 +
++## Load Local files
 +
 +To load local files with `getJSON` and `getCSV`, the source files must reside within Hugo's working directory. The file extension does not matter, but the content does.
 +
 +It applies the same output logic as above in [Calling the Functions with a URL](#calling-the-functions-with-a-url).
 +
++{{% note %}}
++The local CSV files to be loaded using `getCSV` must be located **outside** of the `data` directory.
++{{% /note %}}
++
 +## LiveReload with Data Files
 +
 +There is no chance to trigger a [LiveReload][] when the content of a URL changes. However, when a *local* file changes (i.e., `data/*` and `themes/<THEME>/data/*`), a LiveReload will be triggered. Symlinks are not supported. Note too that because downloading of data takes a while, Hugo stops processing your Markdown files until the data download has completed.
 +
 +{{% warning "URL Data and LiveReload" %}}
 +If you change any local file and the LiveReload is triggered, Hugo will read the data-driven (URL) content from the cache. If you have disabled the cache (i.e., by running the server with `hugo server --ignoreCache`), Hugo will re-download the content every time LiveReload triggers. This can create *huge* traffic. You may reach API limits quickly.
 +{{% /warning %}}
 +
 +## Examples of Data-driven Content
 +
 +- Photo gallery JSON powered: [https://github.com/pcdummy/hugo-lightslider-example](https://github.com/pcdummy/hugo-lightslider-example)
 +- GitHub Starred Repositories [in a post](https://github.com/SchumacherFM/blog-cs/blob/master/content%2Fposts%2Fgithub-starred.md) using data-driven content in a [custom short code](https://github.com/SchumacherFM/blog-cs/blob/master/layouts%2Fshortcodes%2FghStarred.html).
 +
 +## Specs for Data Formats
 +
 +* [TOML Spec][toml]
 +* [YAML Spec][yaml]
 +* [JSON Spec][json]
 +* [CSV Spec][csv]
 +
 +[config]: /getting-started/configuration/
 +[csv]: https://tools.ietf.org/html/rfc4180
 +[customize]: /themes/customizing/
 +[json]: https://www.ecma-international.org/publications/files/ECMA-ST/ECMA-404.pdf "Specification for JSON, JavaScript Object Notation"
 +[LiveReload]: /getting-started/usage/#livereload
 +[lookup]: /templates/lookup-order/
 +[markdownify]: /functions/markdownify/
 +[OAuth]: http://en.wikipedia.org/wiki/OAuth
 +[partials]: /templates/partials/
 +[themes]: /themes/
 +[toml]: https://github.com/toml-lang/toml
 +[variadic]: http://en.wikipedia.org/wiki/Variadic_function
 +[vars]: /variables/
 +[yaml]: http://yaml.org/spec/
index 6f8d4e864c9c50c3b5726814a9761e74c16633c4,0000000000000000000000000000000000000000..7fbfec43c7197d467abe4c9145ccc3654e685107
mode 100644,000000..100644
--- /dev/null
@@@ -1,133 -1,0 +1,125 @@@
- ```
 +---
 +title: Internal Templates
 +linktitle: Internal Templates
 +description: Hugo ships with a group of boilerplate templates that cover the most common use cases for static websites.
 +date: 2017-03-06
 +publishdate: 2017-03-06
 +lastmod: 2017-03-06
 +categories: [templates]
 +keywords: [internal, analytics,]
 +menu:
 +  docs:
 +    parent: "templates"
 +    weight: 168
 +weight: 168
 +sections_weight: 168
 +draft: false
 +aliases: []
 +toc: true
 +wip: true
 +---
 +<!-- reference: https://discourse.gohugo.io/t/lookup-order-for-partials/5705/6
 +code: https://github.com/gohugoio/hugo/blob/e445c35d6a0c7f5fc2f90f31226cd1d46e048bbc/tpl/template_embedded.go#L147 -->
 +
 +{{% warning %}}
 +While the following internal templates are called similar to partials, they do *not* observe the partial template lookup order.
 +{{% /warning %}}
 +
 +## Google Analytics
 +
 +Hugo ships with internal templates for Google Analytics tracking, including both synchronous and asynchronous tracking codes.
 +
 +### Configure Google Analytics
 +
 +Provide your tracking id in your configuration file:
 +
- ```
- ```
- googleAnalytics: "UA-123-45"
- ```
++{{< code-toggle file="config" >}}
 +googleAnalytics = "UA-123-45"
- ```
++{{</ code-toggle >}}
 +
 +### Use the Google Analytics Template
 +
 +You can then include the Google Analytics internal template:
 +
 +```
 +{{ template "_internal/google_analytics.html" . }}
 +```
 +
 +
 +```
 +{{ template "_internal/google_analytics_async.html" . }}
 +```
 +
 +## Disqus
 +
 +Hugo also ships with an internal template for [Disqus comments][disqus], a popular commenting system for both static and dynamic websites. In order to effectively use Disqus, you will need to secure a Disqus "shortname" by [signing up for the free service][disqussignup].
 +
 +### Configure Disqus
 +
 +To use Hugo's Disqus template, you first need to set a single value in your site's `config.toml` or `config.yml`:
 +
- ```
- ```
- disqusShortname: "yourdiscussshortname"
- ```
++{{< code-toggle file="config" >}}
 +disqusShortname = "yourdiscussshortname"
++{{</ code-toggle >}}
 +
 +You also have the option to set the following in the front matter for a given piece of content:
 +
 +* `disqus_identifier`
 +* `disqus_title`
 +* `disqus_url`
 +
 +### Use the Disqus Template
 +
 +To add Disqus, include the following line in templates where you want your comments to appear:
 +
 +```
 +{{ template "_internal/disqus.html" . }}
 +```
 +
 +### Conditional Loading of Disqus Comments
 +
 +Users have noticed that enabling Disqus comments when running the Hugo web server on `localhost` (i.e. via `hugo server`) causes the creation of unwanted discussions on the associated Disqus account.
 +
 +You can create the following `layouts/partials/disqus.html`:
 +
 +{{< code file="layouts/partials/disqus.html" download="disqus.html" >}}
 +<div id="disqus_thread"></div>
 +<script type="text/javascript">
 +
 +(function() {
 +    // Don't ever inject Disqus on localhost--it creates unwanted
 +    // discussions from 'localhost:1313' on your Disqus account...
 +    if (window.location.hostname == "localhost")
 +        return;
 +
 +    var dsq = document.createElement('script'); dsq.type = 'text/javascript'; dsq.async = true;
 +    var disqus_shortname = '{{ .Site.DisqusShortname }}';
 +    dsq.src = '//' + disqus_shortname + '.disqus.com/embed.js';
 +    (document.getElementsByTagName('head')[0] || document.getElementsByTagName('body')[0]).appendChild(dsq);
 +})();
 +</script>
 +<noscript>Please enable JavaScript to view the <a href="http://disqus.com/?ref_noscript">comments powered by Disqus.</a></noscript>
 +<a href="http://disqus.com/" class="dsq-brlink">comments powered by <span class="logo-disqus">Disqus</span></a>
 +{{< /code >}}
 +
 +The `if` statement skips the initialization of the Disqus comment injection when you are running on `localhost`.
 +
 +You can then render your custom Disqus partial template as follows:
 +
 +```
 +{{ partial "disqus.html" . }}
 +```
 +
 +## The Internal Templates
 +
 +* `_internal/disqus.html`
 +* `_internal/google_news.html`
 +* `_internal/google_analytics.html`
 +* `_internal/google_analytics_async.html`
 +* `_internal/opengraph.html`
 +* `_internal/pagination.html`
 +* `_internal/schema.html`
 +* `_internal/twitter_cards.html`
 +
 +[disqus]: https://disqus.com
 +[disqussignup]: https://disqus.com/profile/signup/
index 95db7eab885582229d508947866cf5c73ceed089,0000000000000000000000000000000000000000..32df1129741e9b21a30343da786db966abeca013
mode 100644,000000..100644
--- /dev/null
@@@ -1,541 -1,0 +1,541 @@@
- {{< code file="config.yaml" >}}
 +---
 +title: Introduction to Hugo Templating
 +linktitle: Introduction
 +description: Hugo uses Go's `html/template` and `text/template` libraries as the basis for the templating.
 +godocref: https://golang.org/pkg/html/template/
 +date: 2017-02-01
 +publishdate: 2017-02-01
 +lastmod: 2017-02-25
 +categories: [templates,fundamentals]
 +keywords: [go]
 +menu:
 +  docs:
 +    parent: "templates"
 +    weight: 10
 +weight: 10
 +sections_weight: 10
 +draft: false
 +aliases: [/templates/introduction/,/layouts/introduction/,/layout/introduction/, /templates/go-templates/]
 +toc: true
 +---
 +
 +{{% note %}}
 +The following is only a primer on Go templates. For an in-depth look into Go templates, check the official [Go docs](http://golang.org/pkg/html/template/).
 +{{% /note %}}
 +
 +Go templates provide an extremely simple template language that adheres to the belief that only the most basic of logic belongs in the template or view layer.
 +
 +{{< youtube gnJbPO-GFIw >}}
 +
 +## Basic Syntax
 +
 +Golang templates are HTML files with the addition of [variables][variables] and [functions][functions]. Golang template variables and functions are accessible within `{{ }}`.
 +
 +### Access a Predefined Variable
 +
 +```
 +{{ foo }}
 +```
 +
 +Parameters for functions are separated using spaces. The following example calls the `add` function with inputs of `1` and `2`:
 +
 +```
 +{{ add 1 2 }}
 +```
 +
 +#### Methods and Fields are Accessed via dot Notation
 +
 +Accessing the Page Parameter `bar` defined in a piece of content's [front matter][].
 +
 +```
 +{{ .Params.bar }}
 +```
 +
 +#### Parentheses Can be Used to Group Items Together
 +
 +```
 +{{ if or (isset .Params "alt") (isset .Params "caption") }} Caption {{ end }}
 +```
 +
 +## Variables
 +
 +Each Go template gets a data object. In Hugo, each template is passed a `Page`. See [variables][] for more information.
 +
 +This is how you access a `Page` variable from a template:
 +
 +```
 +<title>{{ .Title }}</title>
 +```
 +
 +Values can also be stored in custom variables and referenced later:
 +
 +```
 +{{ $address := "123 Main St."}}
 +{{ $address }}
 +```
 +
 +{{% warning %}}
 +Variables defined inside `if` conditionals and similar are not visible on the outside. See [https://github.com/golang/go/issues/10608](https://github.com/golang/go/issues/10608).
 +
 +Hugo has created a workaround for this issue in [Scratch](/functions/scratch).
 +
 +{{% /warning %}}
 +
 +## Functions
 +
 +Go templates only ship with a few basic functions but also provide a mechanism for applications to extend the original set.
 +
 +[Hugo template functions][functions] provide additional functionality specific to building websites. Functions are called by using their name followed by the required parameters separated by spaces. Template functions cannot be added without recompiling Hugo.
 +
 +### Example 1: Adding Numbers
 +
 +```
 +{{ add 1 2 }}
 +=> 3
 +```
 +
 +### Example 2: Comparing Numbers
 +
 +```
 +{{ lt 1 2 }}
 +=> true (i.e., since 1 is less than 2)
 +```
 +
 +Note that both examples make use of Go template's [math functions][].
 +
 +{{% note "Additional Boolean Operators" %}}
 +There are more boolean operators than those listed in the Hugo docs in the [Golang template documentation](http://golang.org/pkg/text/template/#hdr-Functions).
 +{{% /note %}}
 +
 +## Includes
 +
 +When including another template, you will need to pass it the data that it would
 +need to access.
 +
 +{{% note %}}
 +To pass along the current context, please remember to include a trailing **dot**.
 +{{% /note %}}
 +
 +The templates location will always be starting at the `layouts/` directory
 +within Hugo.
 +
 +### Partial
 +
 +The [`partial`][partials] function is used to include *partial* templates using
 +the syntax `{{ partial "<PATH>/<PARTIAL>.<EXTENSION>" . }}`.
 +
 +Example:
 +
 +```
 +{{ partial "header.html" . }}
 +```
 +
 +### Template
 +
 +The `template` function was used to include *partial* templates in much older
 +Hugo versions. Now it is still useful for calling [*internal*
 +templates][internal_templates]:
 +
 +```
 +{{ template "_internal/opengraph.html" . }}
 +```
 +
 +## Logic
 +
 +Go templates provide the most basic iteration and conditional logic.
 +
 +### Iteration
 +
 +Just like in Go, the Go templates make heavy use of `range` to iterate over
 +a map, array, or slice. The following are different examples of how to use
 +range.
 +
 +#### Example 1: Using Context
 +
 +```
 +{{ range array }}
 +    {{ . }}
 +{{ end }}
 +```
 +
 +#### Example 2: Declaring Value => Variable name
 +
 +```
 +{{range $element := array}}
 +    {{ $element }}
 +{{ end }}
 +```
 +
 +#### Example 3: Declaring Key-Value Variable Name
 +
 +```
 +{{range $index, $element := array}}
 +   {{ $index }}
 +   {{ $element }}
 +{{ end }}
 +```
 +
 +### Conditionals
 +
 +`if`, `else`, `with`, `or`, and `and` provide the framework for handling conditional logic in Go Templates. Like `range`, each statement is closed with an `{{end}}`.
 +
 +Go Templates treat the following values as false:
 +
 +* false
 +* 0
 +* any zero-length array, slice, map, or string
 +
 +#### Example 1: `if`
 +
 +```
 +{{ if isset .Params "title" }}<h4>{{ index .Params "title" }}</h4>{{ end }}
 +```
 +
 +#### Example 2: `if` … `else`
 +
 +```
 +{{ if isset .Params "alt" }}
 +    {{ index .Params "alt" }}
 +{{else}}
 +    {{ index .Params "caption" }}
 +{{ end }}
 +```
 +
 +#### Example 3: `and` & `or`
 +
 +```
 +{{ if and (or (isset .Params "title") (isset .Params "caption")) (isset .Params "attr")}}
 +```
 +
 +#### Example 4: `with`
 +
 +An alternative way of writing "`if`" and then referencing the same value
 +is to use "`with`" instead. `with` rebinds the context `.` within its scope
 +and skips the block if the variable is absent.
 +
 +The first example above could be simplified as:
 +
 +```
 +{{ with .Params.title }}<h4>{{ . }}</h4>{{ end }}
 +```
 +
 +#### Example 5: `if` … `else if`
 +
 +```
 +{{ if isset .Params "alt" }}
 +    {{ index .Params "alt" }}
 +{{ else if isset .Params "caption" }}
 +    {{ index .Params "caption" }}
 +{{ end }}
 +```
 +
 +## Pipes
 +
 +One of the most powerful components of Go templates is the ability to stack actions one after another. This is done by using pipes. Borrowed from Unix pipes, the concept is simple: each pipeline's output becomes the input of the following pipe.
 +
 +Because of the very simple syntax of Go templates, the pipe is essential to being able to chain together function calls. One limitation of the pipes is that they can only work with a single value and that value becomes the last parameter of the next pipeline.
 +
 +A few simple examples should help convey how to use the pipe.
 +
 +### Example 1: `shuffle`
 +
 +The following two examples are functionally the same:
 +
 +```
 +{{ shuffle (seq 1 5) }}
 +```
 +
 +
 +```
 +{{ (seq 1 5) | shuffle }}
 +```
 +
 +### Example 2: `index`
 +
 +The following accesses the page parameter called "disqus_url" and escapes the HTML. This example also uses the [`index` function][index], which is built into Go templates:
 +
 +```
 +{{ index .Params "disqus_url" | html }}
 +```
 +
 +### Example 3: `or` with `isset`
 +
 +```
 +{{ if or (or (isset .Params "title") (isset .Params "caption")) (isset .Params "attr") }}
 +Stuff Here
 +{{ end }}
 +```
 +
 +Could be rewritten as
 +
 +```
 +{{ if isset .Params "caption" | or isset .Params "title" | or isset .Params "attr" }}
 +Stuff Here
 +{{ end }}
 +```
 +
 +### Example 4: Internet Explorer Conditional Comments {#ie-conditional-comments}
 +
 +By default, Go Templates remove HTML comments from output. This has the unfortunate side effect of removing Internet Explorer conditional comments. As a workaround, use something like this:
 +
 +```
 +{{ "<!--[if lt IE 9]>" | safeHTML }}
 +  <script src="html5shiv.js"></script>
 +{{ "<![endif]-->" | safeHTML }}
 +```
 +
 +Alternatively, you can use the backtick (`` ` ``) to quote the IE conditional comments, avoiding the tedious task of escaping every double quotes (`"`) inside, as demonstrated in the [examples](http://golang.org/pkg/text/template/#hdr-Examples) in the Go text/template documentation:
 +
 +```
 +{{ `<!--[if lt IE 7]><html class="no-js lt-ie9 lt-ie8 lt-ie7"><![endif]-->` | safeHTML }}
 +```
 +
 +## Context (aka "the dot")
 +
 +The most easily overlooked concept to understand about Go templates is that `{{ . }}` always refers to the current context. In the top level of your template, this will be the data set made available to it. Inside of an iteration, however, it will have the value of the current item in the loop; i.e., `{{ . }}` will no longer refer to the data available to the entire page. If you need to access page-level data (e.g., page params set in front matter) from within the loop, you will likely want to do one of the following:
 +
 +### 1. Define a Variable Independent of Context
 +
 +The following shows how to define a variable independent of the context.
 +
 +{{< code file="tags-range-with-page-variable.html" >}}
 +{{ $title := .Site.Title }}
 +<ul>
 +{{ range .Params.tags }}
 +    <li>
 +        <a href="/tags/{{ . | urlize }}">{{ . }}</a>
 +        - {{ $title }}
 +    </li>
 +{{ end }}
 +</ul>
 +{{< /code >}}
 +
 +{{% note %}}
 +Notice how once we have entered the loop (i.e. `range`), the value of `{{ . }}` has changed. We have defined a variable outside of the loop (`{{$title}}`) that we've assigned a value so that we have access to the value from within the loop as well.
 +{{% /note %}}
 +
 +### 2. Use `$.` to Access the Global Context
 +
 +`$` has special significance in your templates. `$` is set to the starting value of `.` ("the dot") by default. This is a [documented feature of Go text/template][dotdoc]. This means you have access to the global context from anywhere. Here is an equivalent example of the preceding code block but now using `$` to grab `.Site.Title` from the global context:
 +
 +{{< code file="range-through-tags-w-global.html" >}}
 +<ul>
 +{{ range .Params.tags }}
 +  <li>
 +    <a href="/tags/{{ . | urlize }}">{{ . }}</a>
 +            - {{ $.Site.Title }}
 +  </li>
 +{{ end }}
 +</ul>
 +{{< /code >}}
 +
 +{{% warning "Don't Redefine the Dot" %}}
 +The built-in magic of `$` would cease to work if someone were to mischievously redefine the special character; e.g. `{{ $ := .Site }}`. *Don't do it.* You may, of course, recover from this mischief by using `{{ $ := . }}` in a global context to reset `$` to its default value.
 +{{% /warning %}}
 +
 +## Whitespace
 +
 +Go 1.6 includes the ability to trim the whitespace from either side of a Go tag by including a hyphen (`-`) and space immediately beside the corresponding `{{` or `}}` delimiter.
 +
 +For instance, the following Go template will include the newlines and horizontal tab in its HTML output:
 +
 +```
 +<div>
 +  {{ .Title }}
 +</div>
 +```
 +
 +Which will output:
 +
 +```
 +<div>
 +  Hello, World!
 +</div>
 +```
 +
 +Leveraging the `-` in the following example will remove the extra white space surrounding the `.Title` variable and remove the newline:
 +
 +```
 +<div>
 +  {{- .Title -}}
 +</div>
 +```
 +
 +Which then outputs:
 +
 +```
 +<div>Hello, World!</div>
 +```
 +
 +Go considers the following characters whitespace:
 +
 +* <kbd>space</kbd>
 +* horizontal <kbd>tab</kbd>
 +* carriage <kbd>return</kbd>
 +* newline
 +
 +## Comments
 +
 +In order to keep your templates organized and share information throughout your team, you may want to add comments to your templates. There are two ways to do that with Hugo.
 +
 +### Go templates comments
 +
 +Go templates support `{{/*` and `*/}}` to open and close a comment block. Nothing within that block will be rendered.
 +
 +For example:
 +
 +```
 +Bonsoir, {{/* {{ add 0 + 2 }} */}}Eliott.
 +```
 +
 +Will render `Bonsoir, Eliott.`, and not care about the syntax error (`add 0 + 2`) in the comment block.
 +
 +### HTML comments
 +
 +If you need to produce HTML comments from your templates, take a look at the [Internet Explorer conditional comments](#ie-conditional-comments) example. If you need variables to construct such HTML comments, just pipe `printf` to `safeHTML`. For example:
 +
 +```
 +{{ printf "<!-- Our website is named: %s -->" .Site.Title | safeHTML }}
 +```
 +
 +#### HTML comments containing Go templates
 +
 +HTML comments are by default stripped, but their content is still evaluated. That means that although the HTML comment will never render any content to the final HTML pages, code contained within the comment may fail the build process.
 +
 +{{% note %}}
 +Do **not** try to comment out Go template code using HTML comments.
 +{{% /note %}}
 +
 +```
 +<!-- {{ $author := "Emma Goldman" }} was a great woman. -->
 +{{ $author }}
 +```
 +
 +The templating engine will strip the content within the HTML comment, but will first evaluate any Go template code if present within. So the above example will render `Emma Goldman`, as the `$author` variable got evaluated in the HTML comment. But the build would have failed if that code in the HTML comment had an error.
 +
 +## Hugo Parameters
 +
 +Hugo provides the option of passing values to your template layer through your [site configuration][config] (i.e. for site-wide values) or through the metadata of each specific piece of content (i.e. the [front matter][]). You can define any values of any type and use them however you want in your templates, as long as the values are supported by the front matter format specified via `metaDataFormat` in your configuration file.
 +
 +## Use Content (`Page`) Parameters
 +
 +You can provide variables to be used by templates in individual content's [front matter][].
 +
 +An example of this is used in the Hugo docs. Most of the pages benefit from having the table of contents provided, but sometimes the table of contents doesn't make a lot of sense. We've defined a `notoc` variable in our front matter that will prevent a table of contents from rendering when specifically set to `true`.
 +
 +Here is the example front matter:
 +
 +```
 +---
 +title: Roadmap
 +lastmod: 2017-03-05
 +date: 2013-11-18
 +notoc: true
 +---
 +```
 +
 +Here is an example of corresponding code that could be used inside a `toc.html` [partial template][partials]:
 +
 +{{< code file="layouts/partials/toc.html" download="toc.html" >}}
 +{{ if not .Params.notoc }}
 +<aside>
 +  <header>
 +    <a href="#{{.Title | urlize}}">
 +    <h3>{{.Title}}</h3>
 +    </a>
 +  </header>
 +  {{.TableOfContents}}
 +</aside>
 +<a href="#" id="toc-toggle"></a>
 +{{end}}
 +{{< /code >}}
 +
 +We want the *default* behavior to be for pages to include a TOC unless otherwise specified. This template checks to make sure that the `notoc:` field in this page's front matter is not `true`.
 +
 +## Use Site Configuration Parameters
 +
 +You can arbitrarily define as many site-level parameters as you want in your [site's configuration file][config]. These parameters are globally available in your templates.
 +
 +For instance, you might declare the following:
 +
++{{< code-toggle file="config" >}}
 +params:
 +  copyrighthtml: "Copyright &#xA9; 2017 John Doe. All Rights Reserved."
 +  twitteruser: "spf13"
 +  sidebarrecentlimit: 5
 +{{< /code >}}
 +
 +Within a footer layout, you might then declare a `<footer>` that is only rendered if the `copyrighthtml` parameter is provided. If it *is* provided, you will then need to declare the string is safe to use via the [`safeHTML` function][safehtml] so that the HTML entity is not escaped again. This would let you easily update just your top-level config file each January 1st, instead of hunting through your templates.
 +
 +```
 +{{if .Site.Params.copyrighthtml}}<footer>
 +<div class="text-center">{{.Site.Params.CopyrightHTML | safeHTML}}</div>
 +</footer>{{end}}
 +```
 +
 +An alternative way of writing the "`if`" and then referencing the same value is to use [`with`][with] instead. `with` rebinds the context (`.`) within its scope and skips the block if the variable is absent:
 +
 +{{< code file="layouts/partials/twitter.html" >}}
 +{{with .Site.Params.twitteruser}}
 +<div>
 +  <a href="https://twitter.com/{{.}}" rel="author">
 +  <img src="/images/twitter.png" width="48" height="48" title="Twitter: {{.}}" alt="Twitter"></a>
 +</div>
 +{{end}}
 +{{< /code >}}
 +
 +Finally, you can pull "magic constants" out of your layouts as well. The following uses the [`first`][first] function, as well as the [`.RelPermalink`][relpermalink] page variable and the [`.Site.Pages`][sitevars] site variable.
 +
 +```
 +<nav>
 +  <h1>Recent Posts</h1>
 +  <ul>
 +  {{- range first .Site.Params.SidebarRecentLimit .Site.Pages -}}
 +    <li><a href="{{.RelPermalink}}">{{.Title}}</a></li>
 +  {{- end -}}
 +  </ul>
 +</nav>
 +```
 +
 +## Example: Show Only Upcoming Events
 +
 +Go allows you to do more than what's shown here. Using Hugo's [`where` function][where] and Go built-ins, we can list only the items from `content/events/` whose date (set in a content file's [front matter][]) is in the future. The following is an example [partial template][partials]:
 +
 +{{< code file="layouts/partials/upcoming-events.html" download="upcoming-events.html" >}}
 +<h4>Upcoming Events</h4>
 +<ul class="upcoming-events">
 +{{ range where .Data.Pages.ByDate "Section" "events" }}
 +  {{ if ge .Date.Unix .Now.Unix }}
 +    <li>
 +    <!-- add span for event type -->
 +      <span>{{ .Type | title }} —</span>
 +      {{ .Title }} on
 +    <!-- add span for event date -->
 +      <span>{{ .Date.Format "2 January at 3:04pm" }}</span>
 +      at {{ .Params.place }}
 +    </li>
 +  {{ end }}
 +{{ end }}
 +</ul>
 +{{< /code >}}
 +
 +
 +[`where` function]: /functions/where/
 +[config]: /getting-started/configuration/
 +[dotdoc]: http://golang.org/pkg/text/template/#hdr-Variables
 +[first]: /functions/first/
 +[front matter]: /content-management/front-matter/
 +[functions]: /functions/ "See the full list of Hugo's templating functions with a quick start reference guide and basic and advanced examples."
 +[Go html/template]: http://golang.org/pkg/html/template/ "Godocs references for Golang's html templating"
 +[gohtmltemplate]: http://golang.org/pkg/html/template/ "Godocs references for Golang's html templating"
 +[index]: /functions/index/
 +[math functions]: /functions/math/
 +[partials]: /templates/partials/ "Link to the partial templates page inside of the templating section of the Hugo docs"
 +[internal_templates]: /templates/internal/
 +[relpermalink]: /variables/page/
 +[safehtml]: /functions/safehtml/
 +[sitevars]: /variables/site/
 +[variables]: /variables/ "See the full extent of page-, site-, and other variables that Hugo make available to you in your templates."
 +[where]: /functions/where/
 +[with]: /functions/with/
 +[godocsindex]: http://golang.org/pkg/text/template/ "Godocs page for index function"
index 9eba3dc1b31e081de1eb72bb4db4a173321557e4,0000000000000000000000000000000000000000..5efb080d839b86fc78db592adc25f656cb7deeb5
mode 100644,000000..100644
--- /dev/null
@@@ -1,157 -1,0 +1,162 @@@
-   <ul>
-     {{ $currentPage := . }}
-     {{ range .Site.Menus.main }}
-       {{ if .HasChildren }}
-         <li class="{{ if $currentPage.HasMenuCurrent "main" . }}active{{ end }}">
-           <a href="#">
-             {{ .Pre }}
-             <span>{{ .Name }}</span>
-           </a>
-           <ul class="sub-menu">
-             {{ range .Children }}
-               <li class="{{ if $currentPage.IsMenuCurrent "main" . }}active{{ end }}">
-                 <a href="{{ .URL }}">{{ .Name }}</a>
 +---
 +title: Menu Templates
 +linktitle: Menu Templates
 +description: Menus are a powerful but simple feature for content management but can be easily manipulated in your templates to meet your design needs.
 +date: 2017-02-01
 +publishdate: 2017-02-01
 +lastmod: 2017-02-01
 +categories: [templates]
 +keywords: [lists,sections,menus]
 +menu:
 +  docs:
 +    title: "how to use menus in templates"
 +    parent: "templates"
 +    weight: 130
 +weight: 130
 +sections_weight: 130
 +draft: false
 +aliases: [/templates/menus/]
 +toc: false
 +---
 +
 +Hugo makes no assumptions about how your rendered HTML will be
 +structured. Instead, it provides all of the functions you will need to be
 +able to build your menu however you want.
 +
 +The following is an example:
 +
 +{{< code file="layouts/partials/sidebar.html" download="sidebar.html" >}}
 +<!-- sidebar start -->
 +<aside>
-           </ul>
-       {{else}}
++    <ul>
++        {{ $currentPage := . }}
++        {{ range .Site.Menus.main }}
++            {{ if .HasChildren }}
++                <li class="{{ if $currentPage.HasMenuCurrent "main" . }}active{{ end }}">
++                    <a href="#">
++                        {{ .Pre }}
++                        <span>{{ .Name }}</span>
++                    </a>
++                </li>
++                <ul class="sub-menu">
++                    {{ range .Children }}
++                        <li class="{{ if $currentPage.IsMenuCurrent "main" . }}active{{ end }}">
++                            <a href="{{ .URL }}">{{ .Name }}</a>
++                        </li>
++                    {{ end }}
++                </ul>
++            {{ else }}
++                <li>
++                    <a href="{{ .URL }}">
++                        {{ .Pre }}
++                        <span>{{ .Name }}</span>
++                    </a>
++                </li>
 +            {{ end }}
-           <a href="{{.URL}}">
-             {{ .Pre }}
-             <span>{{ .Name }}</span>
-           </a>
-       {{end}}
-     {{end}}
-     <li>
-       <a href="#" target="blank">Hardcoded Link 1</a>
-     <li>
-       <a href="#" target="blank">Hardcoded Link 2</a>
-   </ul>
++        {{ end }}
++        <li>
++            <a href="#" target="_blank">Hardcoded Link 1</a>
++        </li>
 +        <li>
- The above is all that's needed. But if you want custom menu items, e.g. changing weight, name, or link title attribute, you can define them manually in the site config, i.e. `config.toml`:
++            <a href="#" target="_blank">Hardcoded Link 2</a>
++        </li>
++    </ul>
 +</aside>
 +{{< /code >}}
 +
 +{{% note "`absLangURL` and `relLangURL`" %}}
 +Use the [`absLangUrl`](/functions/abslangurl) or [`relLangUrl`](/functions/rellangurl) functions if your theme makes use of the [multilingual feature](/content-management/multilingual/). In contrast to `absURL` and `relURL`, these two functions add the correct language prefix to the url.
 +{{% /note %}}
 +
 +## Section Menu for Lazy Bloggers
 +
 +To enable this menu, configure `sectionPagesMenu` in your site `config`:
 +
 +```
 +sectionPagesMenu = "main"
 +```
 +
 +The menu name can be anything, but take a note of what it is.
 +
 +This will create a menu with all the sections as menu items and all the sections' pages as "shadow-members". The _shadow_ implies that the pages isn't represented by a menu-item themselves, but this enables you to create a top-level menu like this:
 +
 +```
 +<nav class="sidebar-nav">
 +    {{ $currentPage := . }}
 +    {{ range .Site.Menus.main }}
 +    <a class="sidebar-nav-item{{if or ($currentPage.IsMenuCurrent "main" .) ($currentPage.HasMenuCurrent "main" .) }} active{{end}}" href="{{ .URL }}" title="{{ .Title }}">{{ .Name }}</a>
 +    {{ end }}
 +</nav>
 +```
 +
 +In the above, the menu item is marked as active if on the current section's list page or on a page in that section.
 +
 +
 +## Site Config menus
 +
- ```
++The above is all that's needed. But if you want custom menu items, e.g. changing weight, name, or link title attribute, you can define them manually in the site config file:
 +
- ```
++{{< code-toggle file="config" >}}
 +[[menu.main]]
 +    name = "This is the blog section"
 +    title = "blog section"
 +    weight = -110
 +    identifier = "blog"
 +    url = "/blog/"
++{{</ code-toggle >}}
 +
 +{{% note %}}
 +The `identifier` *must* match the section name.
 +{{% /note %}}
 +
 +## Menu Entries from the Page's front matter
 +
 +It's also possible to create menu entries from the page (i.e. the `.md`-file).
 +
 +Here is a `yaml` example:
 +
 +```
 +---
 +title: Menu Templates
 +linktitle: Menu Templates
 +menu:
 +  docs:
 +    title: "how to use menus in templates"
 +    parent: "templates"
 +    weight: 130
 +---
 +...
 +```
 +
 +{{% note %}}
 +You can define more than one menu. It also doesn't have to be a complex value,
 +`menu` can also be a string, an array of strings, or an array of complex values
 +like in the example above.
 +{{% /note %}}
 +
 +### Using .Page in Menus
 +
 +If you use the front matter method of defining menu entries, you'll get access to the `.Page` variable.
 +This allows to use every variable that's reachable from the [page variable](/variables/page/).
 +
 +This variable is only set when the menu entry is defined in the page's front matter.
 +Menu entries from the site config don't know anything about `.Page`.
 +
 +That's why you have to use the go template's `with` keyword or something similar in your templating language.
 +
 +Here's an example:
 +
 +```
 +<nav class="sidebar-nav">
 +  {{ range .Site.Menus.main }}
 +    <a href="{{ .URL }}" title="{{ .Title }}">
 +      {{- .Name -}}
 +      {{- with .Page -}}
 +        <span class="date">
 +        {{- dateFormat " (2006-01-02)" .Date -}}
 +        </span>
 +      {{- end -}}
 +    </a>
 +  {{ end }}
 +</nav>
 +```
index 9af68f5e04edaa6b8676ac87b932ab2d7c834710,0000000000000000000000000000000000000000..ff286c9d22152fc1332bfb289301c31714d5b657
mode 100644,000000..100644
--- /dev/null
@@@ -1,224 -1,0 +1,237 @@@
- description: Hugo can output content in multiple formats, including calendar events, e-book formats, Google AMP, and JSON search indexes, or any custom text format. 
 +---
 +title: Custom Output Formats
 +linktitle: Custom Output Formats
- ```
++description: Hugo can output content in multiple formats, including calendar events, e-book formats, Google AMP, and JSON search indexes, or any custom text format.
 +date: 2017-03-22
 +publishdate: 2017-03-22
 +lastmod: 2017-03-22
 +categories: [templates]
 +keywords: ["amp","outputs","rss"]
 +menu:
 +  docs:
 +    parent: "templates"
 +    weight: 18
 +weight: 18
 +sections_weight: 18
 +draft: false
 +aliases: [/templates/outputs/,/extras/output-formats/,/content-management/custom-outputs/]
 +toc: true
 +---
 +
 +This page describes how to properly configure your site with the media types and output formats, as well as where to create your templates for your custom outputs.
 +
 +## Media Types
 +
 +A [media type][] (also known as *MIME type* and *content type*) is a two-part identifier for file formats and format contents transmitted on the Internet.
 +
 +This is the full set of built-in media types in Hugo:
 +
 +{{< datatable "media" "types" "type" "suffix" >}}
 +
 +**Note:**
 +
 +* It is possible to add custom media types or change the defaults; e.g., if you want to change the suffix for `text/html` to `asp`.
 +* The `Suffix` is the value that will be used for URLs and filenames for that media type in Hugo.
 +* The `Type` is the identifier that must be used when defining new/custom `Output Formats` (see below).
 +* The full set of media types will be registered in Hugo's built-in development server to make sure they are recognized by the browser.
 +
 +To add or modify a media type, define it in a `mediaTypes` section in your [site configuration][config], either for all sites or for a given language.
 +
- ```
++{{< code-toggle file="config" >}}
 +[mediaTypes]
 +  [mediaTypes."text/enriched"]
 +  suffix = "enr"
 +  [mediaTypes."text/html"]
 +  suffix = "asp"
- **Note** that for the above to work, you also need to add an`outputs` definition in your site config.
++{{</ code-toggle >}}
 +
 +The above example adds one new media type, `text/enriched`, and changes the suffix for the built-in `text/html` media type.
 +
 +**Note:** these media types are configured for **your output formats**. If you want to redefine one of Hugo's default output formats (e.g. `HTML`), you also need to redefine the output format. So, if you want to change the suffix of the `HTML` output format from `html` (default) to `htm`:
 +
 +```toml
 +[mediaTypes]
 +[mediaTypes."text/html"]
 +suffix = "htm"
 +
 +# Redefine HTML to update its media type.
 +[outputFormats]
 +[outputFormats.HTML]
 +mediaType = "text/html"
 +```
 +
- ## Output Formats
++**Note** that for the above to work, you also need to add an `outputs` definition in your site config.
 +
- Given a media type and some additional configuration, you get an `Output Format`:
++## Output Format Definitions
 +
- ```
++Given a media type and some additional configuration, you get an **Output Format**.
 +
 +This is the full set of Hugo's built-in output formats:
 +
 +{{< datatable "output" "formats" "name" "mediaType" "path" "baseName" "rel" "protocol" "isPlainText" "isHTML" "noUgly">}}
 +
 +* A page can be output in as many output formats as you want, and you can have an infinite amount of output formats defined **as long as they resolve to a unique path on the file system**. In the above table, the best example of this is `AMP` vs. `HTML`. `AMP` has the value `amp` for `Path` so it doesn't overwrite the `HTML` version; e.g. we can now have both `/index.html` and `/amp/index.html`.
 +* The `MediaType` must match the `Type` of an already defined media type.
 +* You can define new output formats or redefine built-in output formats; e.g., if you want to put `AMP` pages in a different path.
 +
 +To add or modify an output format, define it in an `outputFormats` section in your site's [configuration file](/getting-started/configuration/), either for all sites or for a given language.
 +
- ```
++{{< code-toggle file="config" >}}
 +[outputFormats.MyEnrichedFormat]
 +mediaType = "text/enriched"
 +baseName = "myindex"
 +isPlainText = true
 +protocol = "bep://"
- A `Page` in Hugo can be rendered to multiple representations on the file system. By default, all pages will render as `HTML` with some of them also as `RSS` (homepage, sections, etc.).
++{{</ code-toggle >}}
 +
 +The above example is fictional, but if used for the homepage on a site with `baseURL` `https://example.org`, it will produce a plain text homepage with the URL `bep://example.org/myindex.enr`.
 +
 +### Configure Output Formats
 +
 +The following is the full list of configuration options for output formats and their default values:
 +
 +`name`
 +: the output format identifier. This is used to define what output format(s) you want for your pages.
 +
 +`mediaType`
 +: this must match the `Type` of a defined media type.
 +
 +`path`
 +: sub path to save the output files.
 +
 +`baseName`
 +: the base filename for the list filenames (homepage, etc.). **Default:** `index`.
 +
 +`rel`
 +: can be used to create `rel` values in `link` tags. **Default:** `alternate`.
 +
 +`protocol`
 +: will replace the "http://" or "https://" in your `baseURL` for this output format.
 +
 +`isPlainText`
 +: use Go's plain text templates parser for the templates. **Default:** `false`.
 +
 +`isHTML`
 +: used in situations only relevant for `HTML`-type formats; e.g., page aliases.
 +
 +`noUgly`
 +: used to turn off ugly URLs If `uglyURLs` is set to `true` in your site. **Default:** `false`.
 +
 +`notAlternative`
 +: enable if it doesn't make sense to include this format in an `AlternativeOutputFormats` format listing on `Page` (e.g., with `CSS`). Note that we use the term *alternative* and not *alternate* here, as it does not necessarily replace the other format. **Default:** `false`.
 +
 +## Output Formats for Pages
 +
- This can be changed by defining an `outputs` list of output formats in either the `Page` front matter or in the site configuration (either for all sites or per language).
++A `Page` in Hugo can be rendered to multiple *output formats* on the file
++system.
 +
- Example from site `config.toml`:
++### Default Output Formats
++Every `Page` has a [`Kind`][page_kinds] attribute, and the default Output
++Formats are set based on that.
 +
- ```
++| Kind           | Default Output Formats |
++|--------------- |----------------------- |
++| `page`         | HTML                   |
++| `home`         | HTML, RSS              |
++| `section`      | HTML, RSS              |
++| `taxonomyTerm` | HTML, RSS              |
++| `taxonomy`     | HTML, RSS              |
 +
- ```
- Example from site `config.yml`:
++### Customizing Output Formats
++
++This can be changed by defining an `outputs` list of output formats in either
++the `Page` front matter or in the site configuration (either for all sites or
++per language).
++
++Example from site config file`:
++
++{{< code-toggle file="config" >}}
 +[outputs]
 +  home = ["HTML", "AMP", "RSS"]
 +  page = ["HTML"]
- ```
- outputs:
-   home: ["HTML", "AMP", "RSS"]
-   page: ["HTML"]
- ```
++{{</ code-toggle >}}
 +
- * The output definition is per `Page` `Kind` (i.e, `page`, `home`, `section`, `taxonomy`, or `taxonomyTerm`).
- * The names used must match the `Name` of a defined `Output Format`.
- * Any `Kind` without a definition will default to `HTML`.
 +
++Note that in the above examples, the *output formats* for `section`,
++`taxonomyTerm` and `taxonomy` will stay at their default value `["HTML",
++"RSS"]`.
 +
- * Output formats are case insensitive.
++* The `outputs` definition is per [`Page` `Kind`][page_kinds] (`page`, `home`, `section`, `taxonomy`, or `taxonomyTerm`).
++* The names (e.g. `HTML`, `AMP`) used must match the `Name` of a defined *Output Format*.
++  * These names are case insensitive.
 +* These can be overridden per `Page` in the front matter of content files.
- ```html
 +
 +The following is an example of `YAML` front matter in a content file that defines output formats for the rendered `Page`:
 +
 +```yaml
 +---
 +date: "2016-03-19"
 +outputs:
 +- html
 +- amp
 +- json
 +---
 +```
 +
 +## Link to Output Formats
 +
 +Each `Page` has both an `.OutputFormats` (all formats, including the current) and an `.AlternativeOutputFormats` variable, the latter of which is useful for creating a `link rel` list in your site's `<head>`:
 +
- ```html
++```go-html-template
 +{{ range .AlternativeOutputFormats -}}
 +<link rel="{{ .Rel }}" type="{{ .MediaType.Type }}" href="{{ .Permalink | safeURL }}">
 +{{ end -}}
 +```
 +
 +Note that `.Permalink` and `.RelPermalink` on `Page` will return the first output format defined for that page (usually `HTML` if nothing else is defined).
 +
 +This is how you link to a given output format:
 +
- ```html
++```go-html-template
 +{{ with  .OutputFormats.Get "json" -}}
 +<a href="{{ .Permalink }}">{{ .Name }}</a>
 +{{- end }}
 +```
 +
 +From content files, you can use the [`ref` or `relref` shortcodes](/content-management/shortcodes/#ref-and-relref):
 +
++```go-html-template
 +[Neat]({{</* ref "blog/neat.md" "amp" */>}})
 +[Who]({{</* relref "about.md#who" "amp" */>}})
 +```
 +
 +## Templates for Your Output Formats
 +
 +A new output format needs a corresponding template in order to render anything useful.
 +
 +{{% note %}}
 +The key distinction for Hugo versions 0.20 and newer is that Hugo looks at an output format's `Name` and MediaType's `Suffix` when choosing the template used to render a given `Page`.
 +{{% /note %}}
 +
 +The following table shows examples of different output formats, the suffix used, and Hugo's respective template [lookup order][]. All of the examples in the table can:
 +
 +* Use a [base template][base].
 +* Include [partial templates][partials]
 +
 +{{< datatable "output" "layouts" "Example" "OutputFormat" "Suffix" "Template Lookup Order" >}}
 +
 +Hugo will now also detect the media type and output format of partials, if possible, and use that information to decide if the partial should be parsed as a plain text template or not.
 +
 +Hugo will look for the name given, so you can name it whatever you want. But if you want it treated as plain text, you should use the file suffix and, if needed, the name of the Output Format. The pattern is as follows:
 +
 +```
 +[partial name].[OutputFormat].[suffix]
 +```
 +
 +The partial below is a plain text template (Outpuf Format is `CSV`, and since this is the only output format with the suffix `csv`, we don't need to include the Output Format's `Name`):
 +
 +```
 +{{ partial "mytextpartial.csv" . }}
 +```
 +
 +[base]: /templates/base/
 +[config]: /getting-started/configuration/
 +[lookup order]: /templates/lookup/
 +[media type]: https://en.wikipedia.org/wiki/Media_type
 +[partials]: /templates/partials/
++[page_kinds]: /templates/section-templates/#page-kinds
index 98a4c2b1d860f8ca4a059446e3957c2c6327d9c4,0000000000000000000000000000000000000000..29b59ad12c0ac64a6d47800b35277bbd537a36f7
mode 100644,000000..100644
--- /dev/null
@@@ -1,75 -1,0 +1,75 @@@
- ```
 +---
 +title: Sitemap Template
 +# linktitle: Sitemap
 +description: Hugo ships with a built-in template file observing the v0.9 of the Sitemap Protocol, but you can override this template if needed.
 +date: 2017-02-01
 +publishdate: 2017-02-01
 +lastmod: 2017-02-01
 +categories: [templates]
 +keywords: [sitemap, xml, templates]
 +menu:
 +  docs:
 +    parent: "templates"
 +    weight: 160
 +weight: 160
 +sections_weight: 160
 +draft: false
 +aliases: [/layout/sitemap/,/templates/sitemap/]
 +toc: false
 +---
 +
 +A single Sitemap template is used to generate the `sitemap.xml` file.
 +Hugo automatically comes with this template file. *No work is needed on
 +the users' part unless they want to customize `sitemap.xml`.*
 +
 +A sitemap is a `Page` and therefore has all the [page variables][pagevars] available to use in this template along with Sitemap-specific ones:
 +
 +`.Sitemap.ChangeFreq`
 +: The page change frequency
 +
 +`.Sitemap.Priority`
 +: The priority of the page
 +
 +`.Sitemap.Filename`
 +: The sitemap filename
 +
 +If provided, Hugo will use `/layouts/sitemap.xml` instead of the internal `sitemap.xml` template that ships with Hugo.
 +
 +## Hugo’s sitemap.xml
 +
 +This template respects the version 0.9 of the [Sitemap Protocol](http://www.sitemaps.org/protocol.html).
 +
 +```
 +<urlset xmlns="http://www.sitemaps.org/schemas/sitemap/0.9">
 +  {{ range .Data.Pages }}
 +  <url>
 +    <loc>{{ .Permalink }}</loc>{{ if not .Lastmod.IsZero }}
 +    <lastmod>{{ safeHTML ( .Lastmod.Format "2006-01-02T15:04:05-07:00" ) }}</lastmod>{{ end }}{{ with .Sitemap.ChangeFreq }}
 +    <changefreq>{{ . }}</changefreq>{{ end }}{{ if ge .Sitemap.Priority 0.0 }}
 +    <priority>{{ .Sitemap.Priority }}</priority>{{ end }}
 +  </url>
 +  {{ end }}
 +</urlset>
 +```
 +
 +{{% note %}}
 +Hugo will automatically add the following header line to this file
 +on render. Please don't include this in the template as it's not valid HTML.
 +
 +`<?xml version="1.0" encoding="utf-8" standalone="yes" ?>`
 +{{% /note %}}
 +
 +## Configure `sitemap.xml`
 +
 +Defaults for `<changefreq>`, `<priority>` and `filename` values can be set in the site's config file, e.g.:
 +
- ```
++{{< code-toggle file="config" >}}
 +[sitemap]
 +  changefreq = "monthly"
 +  priority = 0.5
 +  filename = "sitemap.xml"
++{{</ code-toggle >}}
 +
 +The same fields can be specified in an individual content file's front matter in order to override the value assigned to that piece of content at render time.
 +
 +[pagevars]: /variables/page/
index 149bdfe05812d7c3f3e70dde9ae27923ac7ced50,0000000000000000000000000000000000000000..2145c187c8ad5476932c5461c3b90c6f8d0fe7a5
mode 100644,000000..100644
--- /dev/null
@@@ -1,30 -1,0 +1,31 @@@
 +---
 +title: Search for your Hugo Website
 +linktitle: Search
 +description: See some of the open-source and commercial search options for your newly created Hugo website.
 +date: 2017-02-01
 +publishdate: 2017-02-01
 +lastmod: 2017-02-26
 +categories: [developer tools]
 +keywords: [search,tools]
 +menu:
 +  docs:
 +    parent: "tools"
 +    weight: 60
 +weight: 60
 +sections_weight: 60
 +draft: false
 +aliases: []
 +toc: true
 +---
 +
 +A static website with a dynamic search function? Yes. As alternatives to embeddable scripts from Google or other search engines, you can provide your visitors a custom search by indexing your content files directly.
 +
 +* [GitHub Gist for Hugo Workflow](https://gist.github.com/sebz/efddfc8fdcb6b480f567). This gist contains a simple workflow to create a search index for your static website. It uses a simple Grunt script to index all your content files and [lunr.js](http://lunrjs.com/) to serve the search results.
 +* [hugo-lunr](https://www.npmjs.com/package/hugo-lunr). A simple way to add site search to your static Hugo site using [lunr.js](http://lunrjs.com/). Hugo-lunr will create an index file of any html and markdown documents in your Hugo project.
 +* [hugo-lunr-zh](https://www.npmjs.com/package/hugo-lunr-zh). A bit like Hugo-lunr, but Hugo-lunr-zh can help you separate the Chinese keywords.
 +* [Github Gist for Fuse.js integration](https://gist.github.com/eddiewebb/735feb48f50f0ddd65ae5606a1cb41ae). This gist demonstrates how to leverage Hugo's existing build time processing to generate a searchable JSON index used by [Fuse.js](http://fusejs.io/) on the client side. Although this gist uses Fuse.js for fuzzy matching, any client side search tool capable of reading JSON indexes will work. Does not require npm, grunt or other build-time tools except Hugo!
++* [hugo-search-index](https://www.npmjs.com/package/hugo-search-index). A library containing Gulp tasks and a prebuilt browser script that implements search. Gulp generates a search index from project markdown files. 
 +
 +## Commercial Search Services
 +
 +* [Algolia](https://www.algolia.com/)'s Search API makes it easy to deliver a great search experience in your apps and websites. Algolia Search provides hosted full-text, numerical, faceted, and geolocalized search.
index f0c041ecbe651d0c7f2e1c4fddb3a8c188bb0a72,0000000000000000000000000000000000000000..a5909a563abe49f47c3e7e4c15ca9a68b8149563
mode 100644,000000..100644
--- /dev/null
@@@ -1,128 -1,0 +1,128 @@@
- The following `config.toml` defines a site-wide param for `description`:
 +---
 +title: Site Variables
 +linktitle: Site Variables
 +description: Many, but not all, site-wide variables are defined in your site's configuration. However, Hugo provides a number of built-in variables for convenient access to global values in your templates.
 +date: 2017-02-01
 +publishdate: 2017-02-01
 +lastmod: 2017-02-01
 +categories: [variables and params]
 +keywords: [global,site]
 +draft: false
 +menu:
 +  docs:
 +    parent: "variables"
 +    weight: 10
 +weight: 10
 +sections_weight: 10
 +aliases: [/variables/site-variables/]
 +toc: true
 +---
 +
 +The following is a list of site-level (aka "global") variables. Many of these variables are defined in your site's [configuration file][config], whereas others are built into Hugo's core for convenient usage in your templates.
 +
 +## Site Variables List
 +
 +.Site.AllPages
 +: array of all pages, regardless of their translation.
 +
 +.Site.Author
 +: a map of the authors as defined in the site configuration.
 +
 +.Site.BaseURL
 +: the base URL for the site as defined in the site configuration.
 +
 +.Site.BuildDrafts
 +: a boolean (default: `false`) to indicate whether to build drafts as defined in the site configuration.
 +
 +.Site.Copyright
 +: a string representing the copyright of your website as defined in the site configuration.
 +
 +.Site.Data
 +: custom data, see [Data Templates](/templates/data-templates/).
 +
 +.Site.DisqusShortname
 +: a string representing the shortname of the Disqus shortcode as defined in the site configuration.
 +
 +.Site.Files
 +: all source files for the Hugo website.
 +
 +.Site.GoogleAnalytics
 +: a string representing your tracking code for Google Analytics as defined in the site configuration.
 +
 +.Site.IsMultiLingual
 +: whether there are more than one language in this site. See [Multilingual](/content-management/multilingual/) for more information.
 +
 +.Site.IsServer
 +: a boolean to indicate if the site is being served with Hugo's built-in server. See [`hugo server`](/commands/hugo_server/) for more information.
 +
 +.Site.Language.Lang
 +: the language code of the current locale (e.g., `en`).
 +
 +.Site.Language.LanguageName
 +: the full language name (e.g. `English`).
 +
 +.Site.Language.Weight
 +: the weight that defines the order in the `.Site.Languages` list.
 +
 +.Site.Language
 +: indicates the language currently being used to render the website. This object's attributes are set in site configurations' language definition.
 +
 +.Site.LanguageCode
 +: a string representing the language as defined in the site configuration. This is mostly used to populate the RSS feeds with the right language code.
 +
 +.Site.LanguagePrefix
 +: this can be used to prefix URLs to point to the correct language. It will even work when only one defined language. See also the functions [absLangURL](/functions/abslangurl/) and [relLangURL](/functions/rellangurl).
 +
 +.Site.Languages
 +: an ordered list (ordered by defined weight) of languages.
 +
 +.Site.LastChange
 +: a string representing the date/time of the most recent change to your site. This string is based on the [`date` variable in the front matter](/content-management/front-matter) of your content pages.
 +
 +.Site.Menus
 +: all of the menus in the site.
 +
 +.Site.Pages
 +: array of all content ordered by Date with the newest first. This array contains only the pages in the current language.
 +
 +.Site.Permalinks
 +: a string to override the default [permalink](/content-management/urls/) format as defined in the site configuration.
 +
 +.Site.RegularPages
 +: a shortcut to the *regular* page collection. `.Site.RegularPages` is equivalent to `where .Site.Pages "Kind" "page"`.
 +
 +.Site.RSSLink
 +: the URL for the site RSS.
 +
 +.Site.Sections
 +: top-level directories of the site.
 +
 +.Site.Taxonomies
 +: the [taxonomies](/taxonomies/usage/) for the entire site.  Replaces the now-obsolete `.Site.Indexes` since v0.11. Also see section [Taxonomies elsewhere](#taxonomies-elsewhere).
 +
 +.Site.Title
 +: a string representing the title of the site.
 +
 +## The `.Site.Params` Variable
 +
 +`.Site.Params` is a container holding the values from the `params` section of your site configuration.
 +
 +### Example: `.Site.Params`
 +
- ```
++The following `config.[yaml|toml|json]` defines a site-wide param for `description`:
 +
- ```
++{{< code-toggle file="config" >}}
 +baseURL = "https://yoursite.example.com/"
 +
 +[params]
 +  description = "Tesla's Awesome Hugo Site"
 +  author = "Nikola Tesla"
++{{</ code-toggle >}}
 +
 +You can use `.Site.Params` in a [partial template](/templates/partials/) to call the default site description:
 +
 +{{< code file="layouts/partials/head.html" >}}
 +<meta name="description" content="{{if .IsHome}}{{ $.Site.Params.description }}{{else}}{{.Description}}{{end}}" />
 +{{< /code >}}
 +
 +[config]: /getting-started/configuration/
index 0000000000000000000000000000000000000000,0000000000000000000000000000000000000000..0df2b868f4597dab4a48fc4bb8ea9261968d6cf2
new file mode 100644 (file)
--- /dev/null
--- /dev/null
@@@ -1,0 -1,0 +1,6 @@@
++<dl>
++{{  range .Site.Data.docs.chroma.lexers }}
++<dt>{{ .Name }}</dt>
++<dd>{{ delimit .Aliases ", " }}</dd>
++{{ end }}
++</dl>
index 83220c47d60cacff4ebbe78b8992827c29ee4b6e,0000000000000000000000000000000000000000..2ee20b1eb589fd6bf67da382a6e8ed6f5075ed42
mode 100644,000000..100644
--- /dev/null
@@@ -1,22 -1,0 +1,25 @@@
 +{{ $file := .Get "file" }}
 +{{ $.Scratch.Set "codeLang" "" }}
 +{{ $suffix := findRE "(\\.[^.]+)$" $file 1 }}
 +{{ with  $suffix }}
 +{{ $.Scratch.Set "codeLang" (index . 0 | strings.TrimPrefix ".") }}
 +{{ end }}
 +{{ with .Get "codeLang" }}{{ $.Scratch.Set "codeLang" . }}{{ end }}
++{{ if eq (.Scratch.Get "codeLang") "html"}}
++{{ $.Scratch.Set "codeLang" "go-html-template" }}
++{{ end }}
 +<div class="code relative" id="{{ $file | urlize}}">
 +      {{- with $file -}}
 +              <div class="filename san-serif f6 dib lh-solid pl2 pv2">{{.}}</div>
 +      {{- end -}}
 +
 +      {{ if ne (.Get "copy") "false" }}
 +              <button class="needs-js copy bg-accent-color-dark f6 absolute top-0 right-0 lh-solid hover-bg-primary-color-dark bn white ph3 pv2" title="Copy this code to your clipboard." data-clipboard-action="copy" aria-label="copy button">
 +              </button>
 +              {{/* Functionality located within filesaver.js The copy here is located in the css with .copy class so it can be replaced with JS on success */}}
 +      {{end}}
 +      <div class="code-copy-content nt3" {{with .Get "download"}}id="{{.}}"{{end}}>
 +              {{ if  .Get "nocode" }}{{ $.Inner }}{{ else }}{{ with $.Scratch.Get "codeLang" }}{{- highlight $.Inner . "" | -}}{{ else }}<pre><code>{{- .Inner | string -}}</code></pre>{{ end }}{{ end }}
 +      </div>
 +
 +</div>
index 5955d26cd2175d15c57f65f220ed2438e18ecadc,0000000000000000000000000000000000000000..0f24d5ae301a204692fa1b6ce2bc841f79842020
mode 100644,000000..100644
--- /dev/null
@@@ -1,31 -1,0 +1,31 @@@
- HUGO_VERSION = "0.37.1"
 +[build]
 +publish = "public"
 +command = "hugo"
 +
 +[context.production.environment]
- HUGO_VERSION = "0.37.1"
++HUGO_VERSION = "0.38.2"
 +HUGO_ENV = "production"
 +HUGO_ENABLEGITINFO = "true"
 +
 +[context.split1]
 +command = "hugo --enableGitInfo"
 +
 +[context.split1.environment]
- HUGO_VERSION = "0.37.1"
++HUGO_VERSION = "0.38.2"
 +HUGO_ENV = "production"
 +
 +[context.deploy-preview]
 +command = "hugo -b $DEPLOY_PRIME_URL"
 +
 +[context.deploy-preview.environment]
- HUGO_VERSION = "0.37.1"
++HUGO_VERSION = "0.38.2"
 +
 +[context.branch-deploy]
 +command = "hugo -b $DEPLOY_PRIME_URL"
 +
 +[context.branch-deploy.environment]
++HUGO_VERSION = "0.38.2"
 +
 +[context.next.environment]
 +HUGO_ENABLEGITINFO = "true"
 +
index 0000000000000000000000000000000000000000,0000000000000000000000000000000000000000..ec2bf453ca41b205d36bdab58489657550eff8a0
new file mode 100644 (file)
Binary files differ
index 0000000000000000000000000000000000000000,0000000000000000000000000000000000000000..b97d27f322eb83d0d266270592f321427d4ed775
new file mode 100644 (file)
Binary files differ
index 5e35a25dca2f9ace2feccf8cfd97b2944ebf9508,0000000000000000000000000000000000000000..eb9964f391015da1595584c4026ce5a4a950cd48
mode 100644,000000..100644
--- /dev/null
@@@ -1,17 -1,0 +1,17 @@@
- name = ""
- link = ""
- logo = ""
 +[[banners]]
 +name = "Forestry.io"
 +link = "https://forestry.io/"
 +logo = "/images/sponsors/forestry-logotype.svg"
 +copy = ""
 +
 +[[banners]]
 +name = "Linode"
 +link = "https://www.linode.com/"
 +logo = "/images/sponsors/linode-logo_standard_light_medium.png"
 +copy = ""
 +
 +[[banners]]
++name = "eSolia"
++link = "https://esolia.com/"
++logo = "/images/sponsors/esolia-logo.svg"
 +copy = ""
index 4ed15b63d86a950599dda7973d70fbd7499852a1,0000000000000000000000000000000000000000..6e0022cc9925494793fcd920d83a018b4e8b619e
mode 100644,000000..100644
--- /dev/null
@@@ -1,30 -1,0 +1,34 @@@
-       border-bottom-color:#f3f4f4;
-       background-color: #f4f4f4;
 +.tab-button{
 +      margin-bottom:1px;
 +      position: relative;
 +      z-index: 1;
 +      color:#333;
 +      border-color:#ccc;
 +      outline: none;
 +      background-color:white;
 +}
++.tab-pane code{
++      background:#f1f2f2;
++      border-radius:0;
++}
 +.tab-pane .chroma{
 +      background:none;
 +      padding:0;
 +}
 +.tab-button.active{
++      border-bottom-color:#f1f2f2;
++      background-color: #f1f2f2;
 +}
 +.tab-content .tab-pane{
 +      display: none;
 +}
 +.tab-content .tab-pane.active{
 +      display: block;
 +}
 +/* Treatment of copy buttons inside a tab module */ 
 +.tab-content .copy, .tab-content .copied{
 +      display: none;
 +}
 +.tab-content .tab-pane.active + .copy, .tab-content .tab-pane.active + .copied{
 +      display: block;
 +}
index 6391e71e9d75a17632195f8a5f224ef932ebd664,0000000000000000000000000000000000000000..7ea75e36fc249e4acf786b8c54890bfcaed401b7
mode 100644,000000..100644
--- /dev/null
@@@ -1,22 -1,0 +1,11890 @@@
- !function(t){function e(r){if(n[r])return n[r].exports;var i=n[r]={i:r,l:!1,exports:{}};return t[r].call(i.exports,i,i.exports,e),i.l=!0,i.exports}var n={};e.m=t,e.c=n,e.i=function(t){return t},e.d=function(t,n,r){e.o(t,n)||Object.defineProperty(t,n,{configurable:!1,enumerable:!0,get:r})},e.n=function(t){var n=t&&t.__esModule?function(){return t.default}:function(){return t};return e.d(n,"a",n),n},e.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},e.p="",e(e.s=11)}([function(t,e,n){"use strict";var r=function(t){var e=document.createElement("a");return e.className="header-link",e.href="#"+t,e.innerHTML='  <svg class="fill-current o-60 hover-accent-color-light" height="22px" viewBox="0 0 24 24" width="22px" xmlns="http://www.w3.org/2000/svg"><path d="M0 0h24v24H0z" fill="none"/><path d="M3.9 12c0-1.71 1.39-3.1 3.1-3.1h4V7H7c-2.76 0-5 2.24-5 5s2.24 5 5 5h4v-1.9H7c-1.71 0-3.1-1.39-3.1-3.1zM8 13h8v-2H8v2zm9-6h-4v1.9h4c1.71 0 3.1 1.39 3.1 3.1s-1.39 3.1-3.1 3.1h-4V17h4c2.76 0 5-2.24 5-5s-2.24-5-5-5z"/></svg>',e},i=function(t,e){for(var n=e.getElementsByTagName("h"+t),i=0;i<n.length;i++){var o=n[i];void 0!==o.id&&""!==o.id&&o.appendChild(r(o.id))}};document.onreadystatechange=function(){if("complete"===this.readyState){var t=document.getElementsByClassName("prose")[0];if(!t)return;for(var e=2;e<=4;e++)i(e,t)}}},function(t,e,n){"use strict";function r(t,e){t.setAttribute("class","copied bg-primary-color-dark f6 absolute top-0 right-0 lh-solid hover-bg-primary-color-dark bn white ph3 pv2"),t.setAttribute("aria-label",e)}function i(t,e){var n="cut"===e?"X":"C";return isMac?"Press ⌘-"+n:"Press Ctrl-"+n}new(n(12))(".copy",{target:function(t){return t.classList.contains("copy-toggle")?t.previousElementSibling:t.nextElementSibling}}).on("success",function(t){r(t.trigger,"Copied!"),t.clearSelection()}).on("error",function(t){r(t.trigger,i(t.action))})},function(t,e,n){"use strict";var r=function(){function t(t,e){var n=[],r=!0,i=!1,o=void 0;try{for(var s,a=t[Symbol.iterator]();!(r=(s=a.next()).done)&&(n.push(s.value),!e||n.length!==e);r=!0);}catch(t){i=!0,o=t}finally{try{!r&&a.return&&a.return()}finally{if(i)throw o}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),i=document.getElementById("prose");if(i){var o=i.getElementsByTagName("code"),s=!0,a=!1,u=void 0;try{for(var c,l=Object.entries(o)[Symbol.iterator]();!(s=(c=l.next()).done);s=!0){var h=c.value,f=r(h,2),p=(f[0],f[1]);p.scrollWidth-p.clientWidth>0&&p.parentNode.classList.add("expand")}}catch(t){a=!0,u=t}finally{try{!s&&l.return&&l.return()}finally{if(a)throw u}}}},function(t,e,n){"use strict";n(13)({apiKey:"167e7998590aebda7f9fedcf86bc4a55",indexName:"hugodocs",inputSelector:"#search-input",debug:!0})},function(t,e,n){"use strict";n(14),n(15)},function(t,e,n){"use strict";function r(){for(var t=this.dataset.target.split(" "),e=document.querySelector(".mobilemenu:not(.dn)"),n=document.querySelector(".desktopmenu:not(.dn)"),r=document.querySelector(".desktopmenu:not(.dn)"),i=0;i<t.length;i++){var o=document.querySelectorAll(t[i]);[].forEach.call(o,function(t){return t.classList.contains("dn")?t.classList.remove("dn"):t.classList.add("dn"),!1}),e&&e.classList.add("dn"),n&&n.classList.add("dn"),r&&r.classList.remove("db")}}for(var i=document.getElementsByClassName("js-toggle"),o=0;o<i.length;o++)i[o].addEventListener("click",r,!1)},function(t,e,n){"use strict";document.documentElement.className=document.documentElement.className.replace(/\bno-js\b/,"js")},function(t,e,n){"use strict";n(16)},function(t,e,n){"use strict";!function(){if("querySelector"in document&&"addEventListener"in window&&Array.prototype.forEach){var t=function(t,e){var n,r=window.pageYOffset,i=t.offsetTop,o=i-r,s=o/(e/16),a=function(){window.scrollBy(0,s),n()};n=s>=0?function(){var t=window.pageYOffset;(t>=i-s||window.innerHeight+t>=document.body.offsetHeight)&&clearInterval(u)}:function(){window.pageYOffset<=(i||0)&&clearInterval(u)};var u=setInterval(a,16)},e=document.querySelectorAll("#TableOfContents ul li a");[].forEach.call(e,function(e){e.addEventListener("click",function(n){n.preventDefault();var r=e.getAttribute("href"),i=document.querySelector(r),o=e.getAttribute("data-speed");i&&t(i,o||500)},!1)})}}()},function(t,e,n){"use strict";function r(t){if(t.target){t.preventDefault();var e=t.currentTarget,n=e.getAttribute("data-toggle-tab")}else var n=t;window.localStorage&&window.localStorage.setItem("configLangPref",n);for(var r=document.querySelectorAll("[data-toggle-tab='"+n+"']"),i=document.querySelectorAll("[data-pane='"+n+"']"),a=0;a<o.length;a++)o[a].classList.remove("active"),s[a].classList.remove("active");for(var a=0;a<r.length;a++)r[a].classList.add("active"),i[a].classList.add("active")}var i,o=document.querySelectorAll("[data-toggle-tab]"),s=document.querySelectorAll("[data-pane]");for(i=0;i<o.length;i++)o[i].addEventListener("click",r);window.localStorage.getItem("configLangPref")&&r(window.localStorage.getItem("configLangPref"))},function(t,e){},function(t,e,n){"use strict";var r=n(10);!function(t){t&&t.__esModule}(r);n(0),n(1),n(2),n(3),n(4),n(5),n(7),n(8),n(9),n(6)},function(t,e,n){var r,r;/*!
++/******/ (function(modules) { // webpackBootstrap
++/******/      // The module cache
++/******/      var installedModules = {};
++/******/
++/******/      // The require function
++/******/      function __webpack_require__(moduleId) {
++/******/
++/******/              // Check if module is in cache
++/******/              if(installedModules[moduleId]) {
++/******/                      return installedModules[moduleId].exports;
++/******/              }
++/******/              // Create a new module (and put it into the cache)
++/******/              var module = installedModules[moduleId] = {
++/******/                      i: moduleId,
++/******/                      l: false,
++/******/                      exports: {}
++/******/              };
++/******/
++/******/              // Execute the module function
++/******/              modules[moduleId].call(module.exports, module, module.exports, __webpack_require__);
++/******/
++/******/              // Flag the module as loaded
++/******/              module.l = true;
++/******/
++/******/              // Return the exports of the module
++/******/              return module.exports;
++/******/      }
++/******/
++/******/
++/******/      // expose the modules object (__webpack_modules__)
++/******/      __webpack_require__.m = modules;
++/******/
++/******/      // expose the module cache
++/******/      __webpack_require__.c = installedModules;
++/******/
++/******/      // identity function for calling harmony imports with the correct context
++/******/      __webpack_require__.i = function(value) { return value; };
++/******/
++/******/      // define getter function for harmony exports
++/******/      __webpack_require__.d = function(exports, name, getter) {
++/******/              if(!__webpack_require__.o(exports, name)) {
++/******/                      Object.defineProperty(exports, name, {
++/******/                              configurable: false,
++/******/                              enumerable: true,
++/******/                              get: getter
++/******/                      });
++/******/              }
++/******/      };
++/******/
++/******/      // getDefaultExport function for compatibility with non-harmony modules
++/******/      __webpack_require__.n = function(module) {
++/******/              var getter = module && module.__esModule ?
++/******/                      function getDefault() { return module['default']; } :
++/******/                      function getModuleExports() { return module; };
++/******/              __webpack_require__.d(getter, 'a', getter);
++/******/              return getter;
++/******/      };
++/******/
++/******/      // Object.prototype.hasOwnProperty.call
++/******/      __webpack_require__.o = function(object, property) { return Object.prototype.hasOwnProperty.call(object, property); };
++/******/
++/******/      // __webpack_public_path__
++/******/      __webpack_require__.p = "";
++/******/
++/******/      // Load entry module and return exports
++/******/      return __webpack_require__(__webpack_require__.s = 11);
++/******/ })
++/************************************************************************/
++/******/ ([
++/* 0 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++/**
++* Anchor for ID BPNY
++**/
++var anchorForId = function anchorForId(id) {
++  var anchor = document.createElement("a");
++  anchor.className = "header-link";
++  anchor.href = "#" + id;
++  anchor.innerHTML = '  <svg class="fill-current o-60 hover-accent-color-light" height="22px" viewBox="0 0 24 24" width="22px" xmlns="http://www.w3.org/2000/svg"><path d="M0 0h24v24H0z" fill="none"/><path d="M3.9 12c0-1.71 1.39-3.1 3.1-3.1h4V7H7c-2.76 0-5 2.24-5 5s2.24 5 5 5h4v-1.9H7c-1.71 0-3.1-1.39-3.1-3.1zM8 13h8v-2H8v2zm9-6h-4v1.9h4c1.71 0 3.1 1.39 3.1 3.1s-1.39 3.1-3.1 3.1h-4V17h4c2.76 0 5-2.24 5-5s-2.24-5-5-5z"/></svg>';
++  return anchor;
++};
++
++var linkifyAnchors = function linkifyAnchors(level, containingElement) {
++  var headers = containingElement.getElementsByTagName("h" + level);
++  for (var h = 0; h < headers.length; h++) {
++    var header = headers[h];
++
++    if (typeof header.id !== "undefined" && header.id !== "") {
++      header.appendChild(anchorForId(header.id));
++    }
++  }
++};
++
++document.onreadystatechange = function () {
++  if (this.readyState === "complete") {
++    var contentBlock = document.getElementsByClassName("prose")[0];
++    if (!contentBlock) {
++      return;
++    }
++    for (var level = 2; level <= 4; level++) {
++      linkifyAnchors(level, contentBlock);
++    }
++  }
++};
++
++/***/ }),
++/* 1 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var Clipboard = __webpack_require__(12);
++new Clipboard('.copy', {
++  target: function target(trigger) {
++    if (trigger.classList.contains('copy-toggle')) {
++      return trigger.previousElementSibling;
++    }
++    return trigger.nextElementSibling;
++  }
++}).on('success', function (e) {
++  successMessage(e.trigger, 'Copied!');
++  e.clearSelection();
++}).on('error', function (e) {
++  successMessage(e.trigger, fallbackMessage(e.action));
++});
++
++function successMessage(elem, msg) {
++  elem.setAttribute('class', 'copied bg-primary-color-dark f6 absolute top-0 right-0 lh-solid hover-bg-primary-color-dark bn white ph3 pv2');
++  elem.setAttribute('aria-label', msg);
++}
++
++function fallbackMessage(elem, action) {
++  var actionMsg = '';
++  var actionKey = action === 'cut' ? 'X' : 'C';
++  if (isMac) {
++    actionMsg = 'Press ⌘-' + actionKey;
++  } else {
++    actionMsg = 'Press Ctrl-' + actionKey;
++  }
++  return actionMsg;
++}
++
++/***/ }),
++/* 2 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var _slicedToArray = function () { function sliceIterator(arr, i) { var _arr = []; var _n = true; var _d = false; var _e = undefined; try { for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i && _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n && _i["return"]) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } return function (arr, i) { if (Array.isArray(arr)) { return arr; } else if (Symbol.iterator in Object(arr)) { return sliceIterator(arr, i); } else { throw new TypeError("Invalid attempt to destructure non-iterable instance"); } }; }();
++
++var article = document.getElementById('prose');
++
++if (article) {
++  var codeBlocks = article.getElementsByTagName('code');
++  var _iteratorNormalCompletion = true;
++  var _didIteratorError = false;
++  var _iteratorError = undefined;
++
++  try {
++    for (var _iterator = Object.entries(codeBlocks)[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
++      var _ref = _step.value;
++
++      var _ref2 = _slicedToArray(_ref, 2);
++
++      var key = _ref2[0];
++      var codeBlock = _ref2[1];
++
++      var widthDif = codeBlock.scrollWidth - codeBlock.clientWidth;
++      if (widthDif > 0) codeBlock.parentNode.classList.add('expand');
++    }
++  } catch (err) {
++    _didIteratorError = true;
++    _iteratorError = err;
++  } finally {
++    try {
++      if (!_iteratorNormalCompletion && _iterator.return) {
++        _iterator.return();
++      }
++    } finally {
++      if (_didIteratorError) {
++        throw _iteratorError;
++      }
++    }
++  }
++}
++
++/***/ }),
++/* 3 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var docsearch = __webpack_require__(13);
++docsearch({
++  apiKey: '167e7998590aebda7f9fedcf86bc4a55',
++  indexName: 'hugodocs',
++  inputSelector: '#search-input',
++  debug: true // Set debug to true if you want to inspect the dropdown
++});
++
++/***/ }),
++/* 4 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var lazysizes = __webpack_require__(14);
++// var lsnoscript = require('lazysizes/plugins/noscript/ls.noscript.js');
++var unveilhooks = __webpack_require__(15);
++
++/***/ }),
++/* 5 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++// Grab any element that has the 'js-toggle' class and add an event listner for the toggleClass function
++var toggleBtns = document.getElementsByClassName('js-toggle');
++for (var i = 0; i < toggleBtns.length; i++) {
++  toggleBtns[i].addEventListener('click', toggleClass, false);
++}
++
++function toggleClass() {
++  // Define the data target via the dataset "target" (e.g. data-target=".docsmenu")
++  var content = this.dataset.target.split(' ');
++  // Find any menu items that are open
++  var mobileCurrentlyOpen = document.querySelector('.mobilemenu:not(.dn)');
++  var desktopCurrentlyOpen = document.querySelector('.desktopmenu:not(.dn)');
++  var desktopActive = document.querySelector('.desktopmenu:not(.dn)');
++
++  // Loop through the targets' divs
++  for (var i = 0; i < content.length; i++) {
++    var matches = document.querySelectorAll(content[i]);
++    //for each, if the div has the 'dn' class (which is "display:none;"), remove it, otherwise, add that class
++    [].forEach.call(matches, function (dom) {
++      dom.classList.contains('dn') ? dom.classList.remove('dn') : dom.classList.add('dn');
++      return false;
++    });
++    // close the currently open menu items
++    if (mobileCurrentlyOpen) mobileCurrentlyOpen.classList.add('dn');
++    if (desktopCurrentlyOpen) desktopCurrentlyOpen.classList.add('dn');
++    if (desktopActive) desktopActive.classList.remove('db');
++  }
++}
++
++/***/ }),
++/* 6 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++document.documentElement.className = document.documentElement.className.replace(/\bno-js\b/, 'js');
++
++/***/ }),
++/* 7 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var scrollDir = __webpack_require__(16);
++
++/***/ }),
++/* 8 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++// query selector targets Hugo TOC 
++(function () {
++
++  'use strict';
++
++  // Feature Test
++
++  if ('querySelector' in document && 'addEventListener' in window && Array.prototype.forEach) {
++
++    // Function to animate the scroll
++    var smoothScroll = function smoothScroll(anchor, duration) {
++
++      // Calculate how far and how fast to scroll
++      var startLocation = window.pageYOffset;
++      var endLocation = anchor.offsetTop;
++      var distance = endLocation - startLocation;
++      var increments = distance / (duration / 16);
++      var stopAnimation;
++
++      // Scroll the page by an increment, and check if it's time to stop
++      var animateScroll = function animateScroll() {
++        window.scrollBy(0, increments);
++        stopAnimation();
++      };
++
++      // If scrolling down
++      if (increments >= 0) {
++        // Stop animation when you reach the anchor OR the bottom of the page
++        stopAnimation = function stopAnimation() {
++          var travelled = window.pageYOffset;
++          if (travelled >= endLocation - increments || window.innerHeight + travelled >= document.body.offsetHeight) {
++            clearInterval(runAnimation);
++          }
++        };
++      }
++      // If scrolling up
++      else {
++          // Stop animation when you reach the anchor OR the top of the page
++          stopAnimation = function stopAnimation() {
++            var travelled = window.pageYOffset;
++            if (travelled <= (endLocation || 0)) {
++              clearInterval(runAnimation);
++            }
++          };
++        }
++
++      // Loop the animation function
++      var runAnimation = setInterval(animateScroll, 16);
++    };
++
++    // Define smooth scroll links
++    var scrollToggle = document.querySelectorAll('#TableOfContents ul li a');
++
++    // For each smooth scroll link
++    [].forEach.call(scrollToggle, function (toggle) {
++
++      // When the smooth scroll link is clicked
++      toggle.addEventListener('click', function (e) {
++
++        // Prevent the default link behavior
++        e.preventDefault();
++
++        // Get anchor link and calculate distance from the top
++        var dataID = toggle.getAttribute('href');
++        var dataTarget = document.querySelector(dataID);
++        var dataSpeed = toggle.getAttribute('data-speed');
++
++        // If the anchor exists
++        if (dataTarget) {
++          // Scroll to the anchor
++          smoothScroll(dataTarget, dataSpeed || 500);
++        }
++      }, false);
++    });
++  }
++})();
++
++/***/ }),
++/* 9 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++/**
++ * Scripts which manages Code Toggle tabs.
++ */
++var i;
++// store tabs variable
++var allTabs = document.querySelectorAll("[data-toggle-tab]");
++var allPanes = document.querySelectorAll("[data-pane]");
++
++function toggleTabs(event) {
++
++      if (event.target) {
++              event.preventDefault();
++              var clickedTab = event.currentTarget;
++              var targetKey = clickedTab.getAttribute("data-toggle-tab");
++      } else {
++              var targetKey = event;
++      }
++      // We store the config language selected in users' localStorage
++      if (window.localStorage) {
++              window.localStorage.setItem("configLangPref", targetKey);
++      }
++      var selectedTabs = document.querySelectorAll("[data-toggle-tab='" + targetKey + "']");
++      var selectedPanes = document.querySelectorAll("[data-pane='" + targetKey + "']");
++
++      for (var i = 0; i < allTabs.length; i++) {
++              allTabs[i].classList.remove("active");
++              allPanes[i].classList.remove("active");
++      }
++
++      for (var i = 0; i < selectedTabs.length; i++) {
++              selectedTabs[i].classList.add("active");
++              selectedPanes[i].classList.add("active");
++      }
++}
++
++for (i = 0; i < allTabs.length; i++) {
++      allTabs[i].addEventListener("click", toggleTabs);
++}
++// Upon page load, if user has a prefered language in its localStorage, tabs are set to it.
++if (window.localStorage.getItem('configLangPref')) {
++      toggleTabs(window.localStorage.getItem('configLangPref'));
++}
++
++/***/ }),
++/* 10 */
++/***/ (function(module, exports) {
++
++// removed by extract-text-webpack-plugin
++
++/***/ }),
++/* 11 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var _main = __webpack_require__(10);
++
++var _main2 = _interopRequireDefault(_main);
++
++__webpack_require__(0);
++
++__webpack_require__(1);
++
++__webpack_require__(2);
++
++__webpack_require__(3);
++
++__webpack_require__(4);
++
++__webpack_require__(5);
++
++__webpack_require__(7);
++
++__webpack_require__(8);
++
++__webpack_require__(9);
++
++__webpack_require__(6);
++
++function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }
++
++/***/ }),
++/* 12 */
++/***/ (function(module, exports, __webpack_require__) {
++
++var require;var require;/*!
 + * clipboard.js v1.7.1
 + * https://zenorocha.github.io/clipboard.js
 + *
 + * Licensed MIT © Zeno Rocha
 + */
- !function(e){t.exports=e()}(function(){var t;return function t(e,n,i){function o(a,u){if(!n[a]){if(!e[a]){var c="function"==typeof r&&r;if(!u&&c)return r(a,!0);if(s)return s(a,!0);var l=new Error("Cannot find module '"+a+"'");throw l.code="MODULE_NOT_FOUND",l}var h=n[a]={exports:{}};e[a][0].call(h.exports,function(t){var n=e[a][1][t];return o(n||t)},h,h.exports,t,e,n,i)}return n[a].exports}for(var s="function"==typeof r&&r,a=0;a<i.length;a++)o(i[a]);return o}({1:[function(t,e,n){function r(t,e){for(;t&&t.nodeType!==i;){if("function"==typeof t.matches&&t.matches(e))return t;t=t.parentNode}}var i=9;if("undefined"!=typeof Element&&!Element.prototype.matches){var o=Element.prototype;o.matches=o.matchesSelector||o.mozMatchesSelector||o.msMatchesSelector||o.oMatchesSelector||o.webkitMatchesSelector}e.exports=r},{}],2:[function(t,e,n){function r(t,e,n,r,o){var s=i.apply(this,arguments);return t.addEventListener(n,s,o),{destroy:function(){t.removeEventListener(n,s,o)}}}function i(t,e,n,r){return function(n){n.delegateTarget=o(n.target,e),n.delegateTarget&&r.call(t,n)}}var o=t("./closest");e.exports=r},{"./closest":1}],3:[function(t,e,n){n.node=function(t){return void 0!==t&&t instanceof HTMLElement&&1===t.nodeType},n.nodeList=function(t){var e=Object.prototype.toString.call(t);return void 0!==t&&("[object NodeList]"===e||"[object HTMLCollection]"===e)&&"length"in t&&(0===t.length||n.node(t[0]))},n.string=function(t){return"string"==typeof t||t instanceof String},n.fn=function(t){return"[object Function]"===Object.prototype.toString.call(t)}},{}],4:[function(t,e,n){function r(t,e,n){if(!t&&!e&&!n)throw new Error("Missing required arguments");if(!a.string(e))throw new TypeError("Second argument must be a String");if(!a.fn(n))throw new TypeError("Third argument must be a Function");if(a.node(t))return i(t,e,n);if(a.nodeList(t))return o(t,e,n);if(a.string(t))return s(t,e,n);throw new TypeError("First argument must be a String, HTMLElement, HTMLCollection, or NodeList")}function i(t,e,n){return t.addEventListener(e,n),{destroy:function(){t.removeEventListener(e,n)}}}function o(t,e,n){return Array.prototype.forEach.call(t,function(t){t.addEventListener(e,n)}),{destroy:function(){Array.prototype.forEach.call(t,function(t){t.removeEventListener(e,n)})}}}function s(t,e,n){return u(document.body,t,e,n)}var a=t("./is"),u=t("delegate");e.exports=r},{"./is":3,delegate:2}],5:[function(t,e,n){function r(t){var e;if("SELECT"===t.nodeName)t.focus(),e=t.value;else if("INPUT"===t.nodeName||"TEXTAREA"===t.nodeName){var n=t.hasAttribute("readonly");n||t.setAttribute("readonly",""),t.select(),t.setSelectionRange(0,t.value.length),n||t.removeAttribute("readonly"),e=t.value}else{t.hasAttribute("contenteditable")&&t.focus();var r=window.getSelection(),i=document.createRange();i.selectNodeContents(t),r.removeAllRanges(),r.addRange(i),e=r.toString()}return e}e.exports=r},{}],6:[function(t,e,n){function r(){}r.prototype={on:function(t,e,n){var r=this.e||(this.e={});return(r[t]||(r[t]=[])).push({fn:e,ctx:n}),this},once:function(t,e,n){function r(){i.off(t,r),e.apply(n,arguments)}var i=this;return r._=e,this.on(t,r,n)},emit:function(t){var e=[].slice.call(arguments,1),n=((this.e||(this.e={}))[t]||[]).slice(),r=0,i=n.length;for(r;r<i;r++)n[r].fn.apply(n[r].ctx,e);return this},off:function(t,e){var n=this.e||(this.e={}),r=n[t],i=[];if(r&&e)for(var o=0,s=r.length;o<s;o++)r[o].fn!==e&&r[o].fn._!==e&&i.push(r[o]);return i.length?n[t]=i:delete n[t],this}},e.exports=r},{}],7:[function(e,n,r){!function(i,o){if("function"==typeof t&&t.amd)t(["module","select"],o);else if(void 0!==r)o(n,e("select"));else{var s={exports:{}};o(s,i.select),i.clipboardAction=s.exports}}(this,function(t,e){"use strict";function n(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var r=function(t){return t&&t.__esModule?t:{default:t}}(e),i="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},o=function(){function t(t,e){for(var n=0;n<e.length;n++){var r=e[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(t,r.key,r)}}return function(e,n,r){return n&&t(e.prototype,n),r&&t(e,r),e}}(),s=function(){function t(e){n(this,t),this.resolveOptions(e),this.initSelection()}return o(t,[{key:"resolveOptions",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};this.action=t.action,this.container=t.container,this.emitter=t.emitter,this.target=t.target,this.text=t.text,this.trigger=t.trigger,this.selectedText=""}},{key:"initSelection",value:function(){this.text?this.selectFake():this.target&&this.selectTarget()}},{key:"selectFake",value:function(){var t=this,e="rtl"==document.documentElement.getAttribute("dir");this.removeFake(),this.fakeHandlerCallback=function(){return t.removeFake()},this.fakeHandler=this.container.addEventListener("click",this.fakeHandlerCallback)||!0,this.fakeElem=document.createElement("textarea"),this.fakeElem.style.fontSize="12pt",this.fakeElem.style.border="0",this.fakeElem.style.padding="0",this.fakeElem.style.margin="0",this.fakeElem.style.position="absolute",this.fakeElem.style[e?"right":"left"]="-9999px";var n=window.pageYOffset||document.documentElement.scrollTop;this.fakeElem.style.top=n+"px",this.fakeElem.setAttribute("readonly",""),this.fakeElem.value=this.text,this.container.appendChild(this.fakeElem),this.selectedText=(0,r.default)(this.fakeElem),this.copyText()}},{key:"removeFake",value:function(){this.fakeHandler&&(this.container.removeEventListener("click",this.fakeHandlerCallback),this.fakeHandler=null,this.fakeHandlerCallback=null),this.fakeElem&&(this.container.removeChild(this.fakeElem),this.fakeElem=null)}},{key:"selectTarget",value:function(){this.selectedText=(0,r.default)(this.target),this.copyText()}},{key:"copyText",value:function(){var t=void 0;try{t=document.execCommand(this.action)}catch(e){t=!1}this.handleResult(t)}},{key:"handleResult",value:function(t){this.emitter.emit(t?"success":"error",{action:this.action,text:this.selectedText,trigger:this.trigger,clearSelection:this.clearSelection.bind(this)})}},{key:"clearSelection",value:function(){this.trigger&&this.trigger.focus(),window.getSelection().removeAllRanges()}},{key:"destroy",value:function(){this.removeFake()}},{key:"action",set:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"copy";if(this._action=t,"copy"!==this._action&&"cut"!==this._action)throw new Error('Invalid "action" value, use either "copy" or "cut"')},get:function(){return this._action}},{key:"target",set:function(t){if(void 0!==t){if(!t||"object"!==(void 0===t?"undefined":i(t))||1!==t.nodeType)throw new Error('Invalid "target" value, use a valid Element');if("copy"===this.action&&t.hasAttribute("disabled"))throw new Error('Invalid "target" attribute. Please use "readonly" instead of "disabled" attribute');if("cut"===this.action&&(t.hasAttribute("readonly")||t.hasAttribute("disabled")))throw new Error('Invalid "target" attribute. You can\'t cut text from elements with "readonly" or "disabled" attributes');this._target=t}},get:function(){return this._target}}]),t}();t.exports=s})},{select:5}],8:[function(e,n,r){!function(i,o){if("function"==typeof t&&t.amd)t(["module","./clipboard-action","tiny-emitter","good-listener"],o);else if(void 0!==r)o(n,e("./clipboard-action"),e("tiny-emitter"),e("good-listener"));else{var s={exports:{}};o(s,i.clipboardAction,i.tinyEmitter,i.goodListener),i.clipboard=s.exports}}(this,function(t,e,n,r){"use strict";function i(t){return t&&t.__esModule?t:{default:t}}function o(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function s(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e}function a(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function u(t,e){var n="data-clipboard-"+t;if(e.hasAttribute(n))return e.getAttribute(n)}var c=i(e),l=i(n),h=i(r),f="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},p=function(){function t(t,e){for(var n=0;n<e.length;n++){var r=e[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(t,r.key,r)}}return function(e,n,r){return n&&t(e.prototype,n),r&&t(e,r),e}}(),d=function(t){function e(t,n){o(this,e);var r=s(this,(e.__proto__||Object.getPrototypeOf(e)).call(this));return r.resolveOptions(n),r.listenClick(t),r}return a(e,t),p(e,[{key:"resolveOptions",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};this.action="function"==typeof t.action?t.action:this.defaultAction,this.target="function"==typeof t.target?t.target:this.defaultTarget,this.text="function"==typeof t.text?t.text:this.defaultText,this.container="object"===f(t.container)?t.container:document.body}},{key:"listenClick",value:function(t){var e=this;this.listener=(0,h.default)(t,"click",function(t){return e.onClick(t)})}},{key:"onClick",value:function(t){var e=t.delegateTarget||t.currentTarget;this.clipboardAction&&(this.clipboardAction=null),this.clipboardAction=new c.default({action:this.action(e),target:this.target(e),text:this.text(e),container:this.container,trigger:e,emitter:this})}},{key:"defaultAction",value:function(t){return u("action",t)}},{key:"defaultTarget",value:function(t){var e=u("target",t);if(e)return document.querySelector(e)}},{key:"defaultText",value:function(t){return u("text",t)}},{key:"destroy",value:function(){this.listener.destroy(),this.clipboardAction&&(this.clipboardAction.destroy(),this.clipboardAction=null)}}],[{key:"isSupported",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:["copy","cut"],e="string"==typeof t?[t]:t,n=!!document.queryCommandSupported;return e.forEach(function(t){n=n&&!!document.queryCommandSupported(t)}),n}}]),e}(l.default);t.exports=d})},{"./clipboard-action":7,"good-listener":4,"tiny-emitter":6}]},{},[8])(8)})},function(t,e,n){/*! docsearch 2.4.1 | © Algolia | github.com/algolia/docsearch */
- !function(e,n){t.exports=n()}(0,function(){return function(t){function e(r){if(n[r])return n[r].exports;var i=n[r]={i:r,l:!1,exports:{}};return t[r].call(i.exports,i,i.exports,e),i.l=!0,i.exports}var n={};return e.m=t,e.c=n,e.i=function(t){return t},e.d=function(t,n,r){e.o(t,n)||Object.defineProperty(t,n,{configurable:!1,enumerable:!0,get:r})},e.n=function(t){var n=t&&t.__esModule?function(){return t.default}:function(){return t};return e.d(n,"a",n),n},e.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},e.p="",e(e.s=46)}([function(t,e,n){"use strict";function r(t){return t.replace(/[\-\[\]\/\{\}\(\)\*\+\?\.\\\^\$\|]/g,"\\$&")}var i=n(1);t.exports={isArray:null,isFunction:null,isObject:null,bind:null,each:null,map:null,mixin:null,isMsie:function(){return!!/(msie|trident)/i.test(navigator.userAgent)&&navigator.userAgent.match(/(msie |rv:)(\d+(.\d+)?)/i)[2]},escapeRegExChars:function(t){return t.replace(/[\-\[\]\/\{\}\(\)\*\+\?\.\\\^\$\|]/g,"\\$&")},isNumber:function(t){return"number"==typeof t},toStr:function(t){return void 0===t||null===t?"":t+""},cloneDeep:function(t){var e=this.mixin({},t),n=this;return this.each(e,function(t,r){t&&(n.isArray(t)?e[r]=[].concat(t):n.isObject(t)&&(e[r]=n.cloneDeep(t)))}),e},error:function(t){throw new Error(t)},every:function(t,e){var n=!0;return t?(this.each(t,function(r,i){if(!(n=e.call(null,r,i,t)))return!1}),!!n):n},any:function(t,e){var n=!1;return t?(this.each(t,function(r,i){if(e.call(null,r,i,t))return n=!0,!1}),n):n},getUniqueId:function(){var t=0;return function(){return t++}}(),templatify:function(t){if(this.isFunction(t))return t;var e=i.element(t);return"SCRIPT"===e.prop("tagName")?function(){return e.text()}:function(){return String(t)}},defer:function(t){setTimeout(t,0)},noop:function(){},formatPrefix:function(t,e){return e?"":t+"-"},className:function(t,e,n){return(n?"":".")+t+e},escapeHighlightedString:function(t,e,n){e=e||"<em>";var i=document.createElement("div");i.appendChild(document.createTextNode(e)),n=n||"</em>";var o=document.createElement("div");o.appendChild(document.createTextNode(n));var s=document.createElement("div");return s.appendChild(document.createTextNode(t)),s.innerHTML.replace(RegExp(r(i.innerHTML),"g"),e).replace(RegExp(r(o.innerHTML),"g"),n)}}},function(t,e,n){"use strict";t.exports={element:null}},function(t,e){var n=Object.prototype.hasOwnProperty,r=Object.prototype.toString;t.exports=function(t,e,i){if("[object Function]"!==r.call(e))throw new TypeError("iterator must be a function");var o=t.length;if(o===+o)for(var s=0;s<o;s++)e.call(i,t[s],s,t);else for(var a in t)n.call(t,a)&&e.call(i,t[a],a,t)}},function(t,e){var n;n=function(){return this}();try{n=n||Function("return this")()||(0,eval)("this")}catch(t){"object"==typeof window&&(n=window)}t.exports=n},function(t,e){t.exports=function(t){return JSON.parse(JSON.stringify(t))}},function(t,e,n){"use strict";function r(t,e){var r=n(2),i=this;"function"==typeof Error.captureStackTrace?Error.captureStackTrace(this,this.constructor):i.stack=(new Error).stack||"Cannot get a stacktrace, browser is too old",this.name="AlgoliaSearchError",this.message=t||"Unknown error",e&&r(e,function(t,e){i[e]=t})}function i(t,e){function n(){var n=Array.prototype.slice.call(arguments,0);"string"!=typeof n[0]&&n.unshift(e),r.apply(this,n),this.name="AlgoliaSearch"+t+"Error"}return o(n,r),n}var o=n(20);o(r,Error),t.exports={AlgoliaSearchError:r,UnparsableJSON:i("UnparsableJSON","Could not parse the incoming response as JSON, see err.more for details"),RequestTimeout:i("RequestTimeout","Request timedout before getting a response"),Network:i("Network","Network issue, see err.more for details"),JSONPScriptFail:i("JSONPScriptFail","<script> was loaded but did not call our provided callback"),JSONPScriptError:i("JSONPScriptError","<script> unable to load due to an `error` event on it"),Unknown:i("Unknown","Unknown error occured")}},function(t,e,n){(function(r){function i(){return"undefined"!=typeof document&&"WebkitAppearance"in document.documentElement.style||window.console&&(console.firebug||console.exception&&console.table)||navigator.userAgent.toLowerCase().match(/firefox\/(\d+)/)&&parseInt(RegExp.$1,10)>=31}function o(){var t=arguments,n=this.useColors;if(t[0]=(n?"%c":"")+this.namespace+(n?" %c":" ")+t[0]+(n?"%c ":" ")+"+"+e.humanize(this.diff),!n)return t;var r="color: "+this.color;t=[t[0],r,"color: inherit"].concat(Array.prototype.slice.call(t,1));var i=0,o=0;return t[0].replace(/%[a-z%]/g,function(t){"%%"!==t&&(i++,"%c"===t&&(o=i))}),t.splice(o,0,r),t}function s(){return"object"==typeof console&&console.log&&Function.prototype.apply.call(console.log,console,arguments)}function a(t){try{null==t?e.storage.removeItem("debug"):e.storage.debug=t}catch(t){}}function u(){try{return e.storage.debug}catch(t){}if(void 0!==r&&"env"in r)return n.i({NODE_ENV:"production"}).DEBUG}e=t.exports=n(50),e.log=s,e.formatArgs=o,e.save=a,e.load=u,e.useColors=i,e.storage="undefined"!=typeof chrome&&void 0!==chrome.storage?chrome.storage.local:function(){try{return window.localStorage}catch(t){}}(),e.colors=["lightseagreen","forestgreen","goldenrod","dodgerblue","darkorchid","crimson"],e.formatters.j=function(t){try{return JSON.stringify(t)}catch(t){return"[UnexpectedJSONParseError]: "+t.message}},e.enable(u())}).call(e,n(11))},function(t,e,n){var r=n(2);t.exports=function(t,e){var n=[];return r(t,function(r,i){n.push(e(r,i,t))}),n}},function(t,e,n){"use strict";var r=n(0),i={wrapper:{position:"relative",display:"inline-block"},hint:{position:"absolute",top:"0",left:"0",borderColor:"transparent",boxShadow:"none",opacity:"1"},input:{position:"relative",verticalAlign:"top",backgroundColor:"transparent"},inputWithNoHint:{position:"relative",verticalAlign:"top"},dropdown:{position:"absolute",top:"100%",left:"0",zIndex:"100",display:"none"},suggestions:{display:"block"},suggestion:{whiteSpace:"nowrap",cursor:"pointer"},suggestionChild:{whiteSpace:"normal"},ltr:{left:"0",right:"auto"},rtl:{left:"auto",right:"0"},defaultClasses:{root:"algolia-autocomplete",prefix:"aa",noPrefix:!1,dropdownMenu:"dropdown-menu",input:"input",hint:"hint",suggestions:"suggestions",suggestion:"suggestion",cursor:"cursor",dataset:"dataset",empty:"empty"},appendTo:{wrapper:{position:"absolute",zIndex:"100",display:"none"},input:{},inputWithNoHint:{},dropdown:{display:"block"}}};r.isMsie()&&r.mixin(i.input,{backgroundImage:"url(data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7)"}),r.isMsie()&&r.isMsie()<=7&&r.mixin(i.input,{marginTop:"-1px"}),t.exports=i},function(t,e,n){"use strict";function r(t,e,n,r){var i;if(!n)return this;for(e=e.split(h),n=r?c(n,r):n,this._callbacks=this._callbacks||{};i=e.shift();)this._callbacks[i]=this._callbacks[i]||{sync:[],async:[]},this._callbacks[i][t].push(n);return this}function i(t,e,n){return r.call(this,"async",t,e,n)}function o(t,e,n){return r.call(this,"sync",t,e,n)}function s(t){var e;if(!this._callbacks)return this;for(t=t.split(h);e=t.shift();)delete this._callbacks[e];return this}function a(t){var e,n,r,i,o;if(!this._callbacks)return this;for(t=t.split(h),r=[].slice.call(arguments,1);(e=t.shift())&&(n=this._callbacks[e]);)i=u(n.sync,this,[e].concat(r)),o=u(n.async,this,[e].concat(r)),i()&&l(o);return this}function u(t,e,n){function r(){for(var r,i=0,o=t.length;!r&&i<o;i+=1)r=!1===t[i].apply(e,n);return!r}return r}function c(t,e){return t.bind?t.bind(e):function(){t.apply(e,[].slice.call(arguments,0))}}var l=n(56),h=/\s+/;t.exports={onSync:o,onAsync:i,off:s,trigger:a}},function(t,e){var n={}.toString;t.exports=Array.isArray||function(t){return"[object Array]"==n.call(t)}},function(t,e){function n(){throw new Error("setTimeout has not been defined")}function r(){throw new Error("clearTimeout has not been defined")}function i(t){if(l===setTimeout)return setTimeout(t,0);if((l===n||!l)&&setTimeout)return l=setTimeout,setTimeout(t,0);try{return l(t,0)}catch(e){try{return l.call(null,t,0)}catch(e){return l.call(this,t,0)}}}function o(t){if(h===clearTimeout)return clearTimeout(t);if((h===r||!h)&&clearTimeout)return h=clearTimeout,clearTimeout(t);try{return h(t)}catch(e){try{return h.call(null,t)}catch(e){return h.call(this,t)}}}function s(){g&&p&&(g=!1,p.length?d=p.concat(d):m=-1,d.length&&a())}function a(){if(!g){var t=i(s);g=!0;for(var e=d.length;e;){for(p=d,d=[];++m<e;)p&&p[m].run();m=-1,e=d.length}p=null,g=!1,o(t)}}function u(t,e){this.fun=t,this.array=e}function c(){}var l,h,f=t.exports={};!function(){try{l="function"==typeof setTimeout?setTimeout:n}catch(t){l=n}try{h="function"==typeof clearTimeout?clearTimeout:r}catch(t){h=r}}();var p,d=[],g=!1,m=-1;f.nextTick=function(t){var e=new Array(arguments.length-1);if(arguments.length>1)for(var n=1;n<arguments.length;n++)e[n-1]=arguments[n];d.push(new u(t,e)),1!==d.length||g||i(a)},u.prototype.run=function(){this.fun.apply(null,this.array)},f.title="browser",f.browser=!0,f.env={},f.argv=[],f.version="",f.versions={},f.on=c,f.addListener=c,f.once=c,f.off=c,f.removeListener=c,f.removeAllListeners=c,f.emit=c,f.binding=function(t){throw new Error("process.binding is not supported")},f.cwd=function(){return"/"},f.chdir=function(t){throw new Error("process.chdir is not supported")},f.umask=function(){return 0}},function(t,e,n){function r(t,e){return function(n,r,o){if("function"==typeof n&&"object"==typeof r||"object"==typeof o)throw new i.AlgoliaSearchError("index.search usage is index.search(query, params, cb)");0===arguments.length||"function"==typeof n?(o=n,n=""):1!==arguments.length&&"function"!=typeof r||(o=r,r=void 0),"object"==typeof n&&null!==n?(r=n,n=void 0):void 0!==n&&null!==n||(n="");var s="";void 0!==n&&(s+=t+"="+encodeURIComponent(n));var a;return void 0!==r&&(r.additionalUA&&(a=r.additionalUA,delete r.additionalUA),s=this.as._getSearchParams(r,s)),this._search(s,e,o,a)}}t.exports=r;var i=n(5)},function(t,e,n){"use strict";function r(t){t&&t.el||i.error("EventBus initialized without el"),this.$el=o.element(t.el)}var i=n(0),o=n(1);i.mixin(r.prototype,{trigger:function(t){var e=[].slice.call(arguments,1),n=i.Event("autocomplete:"+t);return this.$el.trigger(n,e),n}}),t.exports=r},function(t,e,n){"use strict";t.exports={wrapper:'<span class="%ROOT%"></span>',dropdown:'<span class="%PREFIX%%DROPDOWN_MENU%"></span>',dataset:'<div class="%PREFIX%%DATASET%-%CLASS%"></div>',suggestions:'<span class="%PREFIX%%SUGGESTIONS%"></span>',suggestion:'<div class="%PREFIX%%SUGGESTION%"></div>'}},function(t,e,n){"use strict";t.exports=function(t){var e=t.match(/Algolia for vanilla JavaScript (\d+\.)(\d+\.)(\d+)/);if(e)return[e[1],e[2],e[3]]}},function(t,e){t.exports="0.28.0"},function(t,e){!function(e,n){t.exports=function(t){var e=function(){function e(t){return null==t?String(t):X[Q.call(t)]||"object"}function n(t){return"function"==e(t)}function r(t){return null!=t&&t==t.window}function i(t){return null!=t&&t.nodeType==t.DOCUMENT_NODE}function o(t){return"object"==e(t)}function s(t){return o(t)&&!r(t)&&Object.getPrototypeOf(t)==Object.prototype}function a(t){var e=!!t&&"length"in t&&t.length,n=A.type(t);return"function"!=n&&!r(t)&&("array"==n||0===e||"number"==typeof e&&e>0&&e-1 in t)}function u(t){return I.call(t,function(t){return null!=t})}function c(t){return t.length>0?A.fn.concat.apply([],t):t}function l(t){return t.replace(/::/g,"/").replace(/([A-Z]+)([A-Z][a-z])/g,"$1_$2").replace(/([a-z\d])([A-Z])/g,"$1_$2").replace(/_/g,"-").toLowerCase()}function h(t){return t in R?R[t]:R[t]=new RegExp("(^|\\s)"+t+"(\\s|$)")}function f(t,e){return"number"!=typeof e||D[l(t)]?e:e+"px"}function p(t){var e,n;return P[t]||(e=L.createElement(t),L.body.appendChild(e),n=getComputedStyle(e,"").getPropertyValue("display"),e.parentNode.removeChild(e),"none"==n&&(n="block"),P[t]=n),P[t]}function d(t){return"children"in t?j.call(t.children):A.map(t.childNodes,function(t){if(1==t.nodeType)return t})}function g(t,e){var n,r=t?t.length:0;for(n=0;n<r;n++)this[n]=t[n];this.length=r,this.selector=e||""}function m(t,e,n){for(C in e)n&&(s(e[C])||tt(e[C]))?(s(e[C])&&!s(t[C])&&(t[C]={}),tt(e[C])&&!tt(t[C])&&(t[C]=[]),m(t[C],e[C],n)):e[C]!==S&&(t[C]=e[C])}function v(t,e){return null==e?A(t):A(t).filter(e)}function y(t,e,r,i){return n(e)?e.call(t,r,i):e}function b(t,e,n){null==n?t.removeAttribute(e):t.setAttribute(e,n)}function w(t,e){var n=t.className||"",r=n&&n.baseVal!==S;if(e===S)return r?n.baseVal:n;r?n.baseVal=e:t.className=e}function _(t){try{return t?"true"==t||"false"!=t&&("null"==t?null:+t+""==t?+t:/^[\[\{]/.test(t)?A.parseJSON(t):t):t}catch(e){return t}}function x(t,e){e(t);for(var n=0,r=t.childNodes.length;n<r;n++)x(t.childNodes[n],e)}var S,C,A,E,T,k,O=[],N=O.concat,I=O.filter,j=O.slice,L=t.document,P={},R={},D={"column-count":1,columns:1,"font-weight":1,"line-height":1,opacity:1,"z-index":1,zoom:1},$=/^\s*<(\w+|!)[^>]*>/,M=/^<(\w+)\s*\/?>(?:<\/\1>|)$/,q=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,H=/^(?:body|html)$/i,F=/([A-Z])/g,z=["val","css","html","text","data","width","height","offset"],B=["after","prepend","before","append"],U=L.createElement("table"),V=L.createElement("tr"),K={tr:L.createElement("tbody"),tbody:U,thead:U,tfoot:U,td:V,th:V,"*":L.createElement("div")},J=/complete|loaded|interactive/,W=/^[\w-]*$/,X={},Q=X.toString,G={},Y=L.createElement("div"),Z={tabindex:"tabIndex",readonly:"readOnly",for:"htmlFor",class:"className",maxlength:"maxLength",cellspacing:"cellSpacing",cellpadding:"cellPadding",rowspan:"rowSpan",colspan:"colSpan",usemap:"useMap",frameborder:"frameBorder",contenteditable:"contentEditable"},tt=Array.isArray||function(t){return t instanceof Array};return G.matches=function(t,e){if(!e||!t||1!==t.nodeType)return!1;var n=t.matches||t.webkitMatchesSelector||t.mozMatchesSelector||t.oMatchesSelector||t.matchesSelector;if(n)return n.call(t,e);var r,i=t.parentNode,o=!i;return o&&(i=Y).appendChild(t),r=~G.qsa(i,e).indexOf(t),o&&Y.removeChild(t),r},T=function(t){return t.replace(/-+(.)?/g,function(t,e){return e?e.toUpperCase():""})},k=function(t){return I.call(t,function(e,n){return t.indexOf(e)==n})},G.fragment=function(t,e,n){var r,i,o;return M.test(t)&&(r=A(L.createElement(RegExp.$1))),r||(t.replace&&(t=t.replace(q,"<$1></$2>")),e===S&&(e=$.test(t)&&RegExp.$1),e in K||(e="*"),o=K[e],o.innerHTML=""+t,r=A.each(j.call(o.childNodes),function(){o.removeChild(this)})),s(n)&&(i=A(r),A.each(n,function(t,e){z.indexOf(t)>-1?i[t](e):i.attr(t,e)})),r},G.Z=function(t,e){return new g(t,e)},G.isZ=function(t){return t instanceof G.Z},G.init=function(t,e){var r;if(!t)return G.Z();if("string"==typeof t)if(t=t.trim(),"<"==t[0]&&$.test(t))r=G.fragment(t,RegExp.$1,e),t=null;else{if(e!==S)return A(e).find(t);r=G.qsa(L,t)}else{if(n(t))return A(L).ready(t);if(G.isZ(t))return t;if(tt(t))r=u(t);else if(o(t))r=[t],t=null;else if($.test(t))r=G.fragment(t.trim(),RegExp.$1,e),t=null;else{if(e!==S)return A(e).find(t);r=G.qsa(L,t)}}return G.Z(r,t)},A=function(t,e){return G.init(t,e)},A.extend=function(t){var e,n=j.call(arguments,1);return"boolean"==typeof t&&(e=t,t=n.shift()),n.forEach(function(n){m(t,n,e)}),t},G.qsa=function(t,e){var n,r="#"==e[0],i=!r&&"."==e[0],o=r||i?e.slice(1):e,s=W.test(o);return t.getElementById&&s&&r?(n=t.getElementById(o))?[n]:[]:1!==t.nodeType&&9!==t.nodeType&&11!==t.nodeType?[]:j.call(s&&!r&&t.getElementsByClassName?i?t.getElementsByClassName(o):t.getElementsByTagName(e):t.querySelectorAll(e))},A.contains=L.documentElement.contains?function(t,e){return t!==e&&t.contains(e)}:function(t,e){for(;e&&(e=e.parentNode);)if(e===t)return!0;return!1},A.type=e,A.isFunction=n,A.isWindow=r,A.isArray=tt,A.isPlainObject=s,A.isEmptyObject=function(t){var e;for(e in t)return!1;return!0},A.isNumeric=function(t){var e=Number(t),n=typeof t;return null!=t&&"boolean"!=n&&("string"!=n||t.length)&&!isNaN(e)&&isFinite(e)||!1},A.inArray=function(t,e,n){return O.indexOf.call(e,t,n)},A.camelCase=T,A.trim=function(t){return null==t?"":String.prototype.trim.call(t)},A.uuid=0,A.support={},A.expr={},A.noop=function(){},A.map=function(t,e){var n,r,i,o=[];if(a(t))for(r=0;r<t.length;r++)null!=(n=e(t[r],r))&&o.push(n);else for(i in t)null!=(n=e(t[i],i))&&o.push(n);return c(o)},A.each=function(t,e){var n,r;if(a(t)){for(n=0;n<t.length;n++)if(!1===e.call(t[n],n,t[n]))return t}else for(r in t)if(!1===e.call(t[r],r,t[r]))return t;return t},A.grep=function(t,e){return I.call(t,e)},t.JSON&&(A.parseJSON=JSON.parse),A.each("Boolean Number String Function Array Date RegExp Object Error".split(" "),function(t,e){X["[object "+e+"]"]=e.toLowerCase()}),A.fn={constructor:G.Z,length:0,forEach:O.forEach,reduce:O.reduce,push:O.push,sort:O.sort,splice:O.splice,indexOf:O.indexOf,concat:function(){var t,e,n=[];for(t=0;t<arguments.length;t++)e=arguments[t],n[t]=G.isZ(e)?e.toArray():e;return N.apply(G.isZ(this)?this.toArray():this,n)},map:function(t){return A(A.map(this,function(e,n){return t.call(e,n,e)}))},slice:function(){return A(j.apply(this,arguments))},ready:function(t){return J.test(L.readyState)&&L.body?t(A):L.addEventListener("DOMContentLoaded",function(){t(A)},!1),this},get:function(t){return t===S?j.call(this):this[t>=0?t:t+this.length]},toArray:function(){return this.get()},size:function(){return this.length},remove:function(){return this.each(function(){null!=this.parentNode&&this.parentNode.removeChild(this)})},each:function(t){return O.every.call(this,function(e,n){return!1!==t.call(e,n,e)}),this},filter:function(t){return n(t)?this.not(this.not(t)):A(I.call(this,function(e){return G.matches(e,t)}))},add:function(t,e){return A(k(this.concat(A(t,e))))},is:function(t){return this.length>0&&G.matches(this[0],t)},not:function(t){var e=[];if(n(t)&&t.call!==S)this.each(function(n){t.call(this,n)||e.push(this)});else{var r="string"==typeof t?this.filter(t):a(t)&&n(t.item)?j.call(t):A(t);this.forEach(function(t){r.indexOf(t)<0&&e.push(t)})}return A(e)},has:function(t){return this.filter(function(){return o(t)?A.contains(this,t):A(this).find(t).size()})},eq:function(t){return-1===t?this.slice(t):this.slice(t,+t+1)},first:function(){var t=this[0];return t&&!o(t)?t:A(t)},last:function(){var t=this[this.length-1];return t&&!o(t)?t:A(t)},find:function(t){var e=this;return t?"object"==typeof t?A(t).filter(function(){var t=this;return O.some.call(e,function(e){return A.contains(e,t)})}):1==this.length?A(G.qsa(this[0],t)):this.map(function(){return G.qsa(this,t)}):A()},closest:function(t,e){var n=[],r="object"==typeof t&&A(t);return this.each(function(o,s){for(;s&&!(r?r.indexOf(s)>=0:G.matches(s,t));)s=s!==e&&!i(s)&&s.parentNode;s&&n.indexOf(s)<0&&n.push(s)}),A(n)},parents:function(t){for(var e=[],n=this;n.length>0;)n=A.map(n,function(t){if((t=t.parentNode)&&!i(t)&&e.indexOf(t)<0)return e.push(t),t});return v(e,t)},parent:function(t){return v(k(this.pluck("parentNode")),t)},children:function(t){return v(this.map(function(){return d(this)}),t)},contents:function(){return this.map(function(){return this.contentDocument||j.call(this.childNodes)})},siblings:function(t){return v(this.map(function(t,e){return I.call(d(e.parentNode),function(t){return t!==e})}),t)},empty:function(){return this.each(function(){this.innerHTML=""})},pluck:function(t){return A.map(this,function(e){return e[t]})},show:function(){return this.each(function(){"none"==this.style.display&&(this.style.display=""),"none"==getComputedStyle(this,"").getPropertyValue("display")&&(this.style.display=p(this.nodeName))})},replaceWith:function(t){return this.before(t).remove()},wrap:function(t){var e=n(t);if(this[0]&&!e)var r=A(t).get(0),i=r.parentNode||this.length>1;return this.each(function(n){A(this).wrapAll(e?t.call(this,n):i?r.cloneNode(!0):r)})},wrapAll:function(t){if(this[0]){A(this[0]).before(t=A(t));for(var e;(e=t.children()).length;)t=e.first();A(t).append(this)}return this},wrapInner:function(t){var e=n(t);return this.each(function(n){var r=A(this),i=r.contents(),o=e?t.call(this,n):t;i.length?i.wrapAll(o):r.append(o)})},unwrap:function(){return this.parent().each(function(){A(this).replaceWith(A(this).children())}),this},clone:function(){return this.map(function(){return this.cloneNode(!0)})},hide:function(){return this.css("display","none")},toggle:function(t){return this.each(function(){var e=A(this);(t===S?"none"==e.css("display"):t)?e.show():e.hide()})},prev:function(t){return A(this.pluck("previousElementSibling")).filter(t||"*")},next:function(t){return A(this.pluck("nextElementSibling")).filter(t||"*")},html:function(t){return 0 in arguments?this.each(function(e){var n=this.innerHTML;A(this).empty().append(y(this,t,e,n))}):0 in this?this[0].innerHTML:null},text:function(t){return 0 in arguments?this.each(function(e){var n=y(this,t,e,this.textContent);this.textContent=null==n?"":""+n}):0 in this?this.pluck("textContent").join(""):null},attr:function(t,e){var n;return"string"!=typeof t||1 in arguments?this.each(function(n){if(1===this.nodeType)if(o(t))for(C in t)b(this,C,t[C]);else b(this,t,y(this,e,n,this.getAttribute(t)))}):0 in this&&1==this[0].nodeType&&null!=(n=this[0].getAttribute(t))?n:S},removeAttr:function(t){return this.each(function(){1===this.nodeType&&t.split(" ").forEach(function(t){b(this,t)},this)})},prop:function(t,e){return t=Z[t]||t,1 in arguments?this.each(function(n){this[t]=y(this,e,n,this[t])}):this[0]&&this[0][t]},removeProp:function(t){return t=Z[t]||t,this.each(function(){delete this[t]})},data:function(t,e){var n="data-"+t.replace(F,"-$1").toLowerCase(),r=1 in arguments?this.attr(n,e):this.attr(n);return null!==r?_(r):S},val:function(t){return 0 in arguments?(null==t&&(t=""),this.each(function(e){this.value=y(this,t,e,this.value)})):this[0]&&(this[0].multiple?A(this[0]).find("option").filter(function(){return this.selected}).pluck("value"):this[0].value)},offset:function(e){if(e)return this.each(function(t){var n=A(this),r=y(this,e,t,n.offset()),i=n.offsetParent().offset(),o={top:r.top-i.top,left:r.left-i.left};"static"==n.css("position")&&(o.position="relative"),n.css(o)});if(!this.length)return null;if(L.documentElement!==this[0]&&!A.contains(L.documentElement,this[0]))return{top:0,left:0};var n=this[0].getBoundingClientRect();return{left:n.left+t.pageXOffset,top:n.top+t.pageYOffset,width:Math.round(n.width),height:Math.round(n.height)}},css:function(t,n){if(arguments.length<2){var r=this[0];if("string"==typeof t){if(!r)return;return r.style[T(t)]||getComputedStyle(r,"").getPropertyValue(t)}if(tt(t)){if(!r)return;var i={},o=getComputedStyle(r,"");return A.each(t,function(t,e){i[e]=r.style[T(e)]||o.getPropertyValue(e)}),i}}var s="";if("string"==e(t))n||0===n?s=l(t)+":"+f(t,n):this.each(function(){this.style.removeProperty(l(t))});else for(C in t)t[C]||0===t[C]?s+=l(C)+":"+f(C,t[C])+";":this.each(function(){this.style.removeProperty(l(C))});return this.each(function(){this.style.cssText+=";"+s})},index:function(t){return t?this.indexOf(A(t)[0]):this.parent().children().indexOf(this[0])},hasClass:function(t){return!!t&&O.some.call(this,function(t){return this.test(w(t))},h(t))},addClass:function(t){return t?this.each(function(e){if("className"in this){E=[];var n=w(this);y(this,t,e,n).split(/\s+/g).forEach(function(t){A(this).hasClass(t)||E.push(t)},this),E.length&&w(this,n+(n?" ":"")+E.join(" "))}}):this},removeClass:function(t){return this.each(function(e){if("className"in this){if(t===S)return w(this,"");E=w(this),y(this,t,e,E).split(/\s+/g).forEach(function(t){E=E.replace(h(t)," ")}),w(this,E.trim())}})},toggleClass:function(t,e){return t?this.each(function(n){var r=A(this);y(this,t,n,w(this)).split(/\s+/g).forEach(function(t){(e===S?!r.hasClass(t):e)?r.addClass(t):r.removeClass(t)})}):this},scrollTop:function(t){if(this.length){var e="scrollTop"in this[0];return t===S?e?this[0].scrollTop:this[0].pageYOffset:this.each(e?function(){this.scrollTop=t}:function(){this.scrollTo(this.scrollX,t)})}},scrollLeft:function(t){if(this.length){var e="scrollLeft"in this[0];return t===S?e?this[0].scrollLeft:this[0].pageXOffset:this.each(e?function(){this.scrollLeft=t}:function(){this.scrollTo(t,this.scrollY)})}},position:function(){if(this.length){var t=this[0],e=this.offsetParent(),n=this.offset(),r=H.test(e[0].nodeName)?{top:0,left:0}:e.offset();return n.top-=parseFloat(A(t).css("margin-top"))||0,n.left-=parseFloat(A(t).css("margin-left"))||0,r.top+=parseFloat(A(e[0]).css("border-top-width"))||0,r.left+=parseFloat(A(e[0]).css("border-left-width"))||0,{top:n.top-r.top,left:n.left-r.left}}},offsetParent:function(){return this.map(function(){for(var t=this.offsetParent||L.body;t&&!H.test(t.nodeName)&&"static"==A(t).css("position");)t=t.offsetParent;return t})}},A.fn.detach=A.fn.remove,["width","height"].forEach(function(t){var e=t.replace(/./,function(t){return t[0].toUpperCase()});A.fn[t]=function(n){var o,s=this[0];return n===S?r(s)?s["inner"+e]:i(s)?s.documentElement["scroll"+e]:(o=this.offset())&&o[t]:this.each(function(e){s=A(this),s.css(t,y(this,n,e,s[t]()))})}}),B.forEach(function(n,r){var i=r%2;A.fn[n]=function(){var n,o,s=A.map(arguments,function(t){var r=[];return n=e(t),"array"==n?(t.forEach(function(t){return t.nodeType!==S?r.push(t):A.zepto.isZ(t)?r=r.concat(t.get()):void(r=r.concat(G.fragment(t)))}),r):"object"==n||null==t?t:G.fragment(t)}),a=this.length>1;return s.length<1?this:this.each(function(e,n){o=i?n:n.parentNode,n=0==r?n.nextSibling:1==r?n.firstChild:2==r?n:null;var u=A.contains(L.documentElement,o);s.forEach(function(e){if(a)e=e.cloneNode(!0);else if(!o)return A(e).remove();o.insertBefore(e,n),u&&x(e,function(e){if(!(null==e.nodeName||"SCRIPT"!==e.nodeName.toUpperCase()||e.type&&"text/javascript"!==e.type||e.src)){var n=e.ownerDocument?e.ownerDocument.defaultView:t;n.eval.call(n,e.innerHTML)}})})})},A.fn[i?n+"To":"insert"+(r?"Before":"After")]=function(t){return A(t)[n](this),this}}),G.Z.prototype=g.prototype=A.fn,G.uniq=k,G.deserializeValue=_,A.zepto=G,A}();return function(e){function n(t){return t._zid||(t._zid=p++)}function r(t,e,r,s){if(e=i(e),e.ns)var a=o(e.ns);return(v[n(t)]||[]).filter(function(t){return t&&(!e.e||t.e==e.e)&&(!e.ns||a.test(t.ns))&&(!r||n(t.fn)===n(r))&&(!s||t.sel==s)})}function i(t){var e=(""+t).split(".");return{e:e[0],ns:e.slice(1).sort().join(" ")}}function o(t){return new RegExp("(?:^| )"+t.replace(" "," .* ?")+"(?: |$)")}function s(t,e){return t.del&&!b&&t.e in w||!!e}function a(t){return _[t]||b&&w[t]||t}function u(t,r,o,u,c,h,p){var d=n(t),g=v[d]||(v[d]=[]);r.split(/\s/).forEach(function(n){if("ready"==n)return e(document).ready(o);var r=i(n);r.fn=o,r.sel=c,r.e in _&&(o=function(t){var n=t.relatedTarget;if(!n||n!==this&&!e.contains(this,n))return r.fn.apply(this,arguments)}),r.del=h;var d=h||o;r.proxy=function(e){if(e=l(e),!e.isImmediatePropagationStopped()){e.data=u;var n=d.apply(t,e._args==f?[e]:[e].concat(e._args));return!1===n&&(e.preventDefault(),e.stopPropagation()),n}},r.i=g.length,g.push(r),"addEventListener"in t&&t.addEventListener(a(r.e),r.proxy,s(r,p))})}function c(t,e,i,o,u){var c=n(t);(e||"").split(/\s/).forEach(function(e){r(t,e,i,o).forEach(function(e){delete v[c][e.i],"removeEventListener"in t&&t.removeEventListener(a(e.e),e.proxy,s(e,u))})})}function l(t,n){return!n&&t.isDefaultPrevented||(n||(n=t),e.each(A,function(e,r){var i=n[e];t[e]=function(){return this[r]=x,i&&i.apply(n,arguments)},t[r]=S}),t.timeStamp||(t.timeStamp=Date.now()),(n.defaultPrevented!==f?n.defaultPrevented:"returnValue"in n?!1===n.returnValue:n.getPreventDefault&&n.getPreventDefault())&&(t.isDefaultPrevented=x)),t}function h(t){var e,n={originalEvent:t};for(e in t)C.test(e)||t[e]===f||(n[e]=t[e]);return l(n,t)}var f,p=1,d=Array.prototype.slice,g=e.isFunction,m=function(t){return"string"==typeof t},v={},y={},b="onfocusin"in t,w={focus:"focusin",blur:"focusout"},_={mouseenter:"mouseover",mouseleave:"mouseout"};y.click=y.mousedown=y.mouseup=y.mousemove="MouseEvents",e.event={add:u,remove:c},e.proxy=function(t,r){var i=2 in arguments&&d.call(arguments,2);if(g(t)){var o=function(){return t.apply(r,i?i.concat(d.call(arguments)):arguments)};return o._zid=n(t),o}if(m(r))return i?(i.unshift(t[r],t),e.proxy.apply(null,i)):e.proxy(t[r],t);throw new TypeError("expected function")},e.fn.bind=function(t,e,n){return this.on(t,e,n)},e.fn.unbind=function(t,e){return this.off(t,e)},e.fn.one=function(t,e,n,r){return this.on(t,e,n,r,1)};var x=function(){return!0},S=function(){return!1},C=/^([A-Z]|returnValue$|layer[XY]$|webkitMovement[XY]$)/,A={preventDefault:"isDefaultPrevented",stopImmediatePropagation:"isImmediatePropagationStopped",stopPropagation:"isPropagationStopped"};e.fn.delegate=function(t,e,n){return this.on(e,t,n)},e.fn.undelegate=function(t,e,n){return this.off(e,t,n)},e.fn.live=function(t,n){return e(document.body).delegate(this.selector,t,n),this},e.fn.die=function(t,n){return e(document.body).undelegate(this.selector,t,n),this},e.fn.on=function(t,n,r,i,o){var s,a,l=this;return t&&!m(t)?(e.each(t,function(t,e){l.on(t,n,r,e,o)}),l):(m(n)||g(i)||!1===i||(i=r,r=n,n=f),i!==f&&!1!==r||(i=r,r=f),!1===i&&(i=S),l.each(function(l,f){o&&(s=function(t){return c(f,t.type,i),i.apply(this,arguments)}),n&&(a=function(t){var r,o=e(t.target).closest(n,f).get(0);if(o&&o!==f)return r=e.extend(h(t),{currentTarget:o,liveFired:f}),(s||i).apply(o,[r].concat(d.call(arguments,1)))}),u(f,t,i,r,n,a||s)}))},e.fn.off=function(t,n,r){var i=this;return t&&!m(t)?(e.each(t,function(t,e){i.off(t,n,e)}),i):(m(n)||g(r)||!1===r||(r=n,n=f),!1===r&&(r=S),i.each(function(){c(this,t,r,n)}))},e.fn.trigger=function(t,n){return t=m(t)||e.isPlainObject(t)?e.Event(t):l(t),t._args=n,this.each(function(){t.type in w&&"function"==typeof this[t.type]?this[t.type]():"dispatchEvent"in this?this.dispatchEvent(t):e(this).triggerHandler(t,n)})},e.fn.triggerHandler=function(t,n){var i,o;return this.each(function(s,a){i=h(m(t)?e.Event(t):t),i._args=n,i.target=a,e.each(r(a,t.type||t),function(t,e){if(o=e.proxy(i),i.isImmediatePropagationStopped())return!1})}),o},"focusin focusout focus blur load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select keydown keypress keyup error".split(" ").forEach(function(t){e.fn[t]=function(e){return 0 in arguments?this.bind(t,e):this.trigger(t)}}),e.Event=function(t,e){m(t)||(e=t,t=e.type);var n=document.createEvent(y[t]||"Events"),r=!0;if(e)for(var i in e)"bubbles"==i?r=!!e[i]:n[i]=e[i];return n.initEvent(t,r,!0),l(n)}}(e),function(t){var e,n=[];t.fn.remove=function(){return this.each(function(){this.parentNode&&("IMG"===this.tagName&&(n.push(this),this.src="data:image/gif;base64,R0lGODlhAQABAAD/ACwAAAAAAQABAAACADs=",e&&clearTimeout(e),e=setTimeout(function(){n=[]},6e4)),this.parentNode.removeChild(this))})}}(e),function(t){function e(e,r){var u=e[a],c=u&&i[u];if(void 0===r)return c||n(e);if(c){if(r in c)return c[r];var l=s(r);if(l in c)return c[l]}return o.call(t(e),r)}function n(e,n,o){var u=e[a]||(e[a]=++t.uuid),c=i[u]||(i[u]=r(e));return void 0!==n&&(c[s(n)]=o),c}function r(e){var n={};return t.each(e.attributes||u,function(e,r){0==r.name.indexOf("data-")&&(n[s(r.name.replace("data-",""))]=t.zepto.deserializeValue(r.value))}),n}var i={},o=t.fn.data,s=t.camelCase,a=t.expando="Zepto"+ +new Date,u=[];t.fn.data=function(r,i){return void 0===i?t.isPlainObject(r)?this.each(function(e,i){t.each(r,function(t,e){n(i,t,e)})}):0 in this?e(this[0],r):void 0:this.each(function(){n(this,r,i)})},t.data=function(e,n,r){return t(e).data(n,r)},t.hasData=function(e){var n=e[a],r=n&&i[n];return!!r&&!t.isEmptyObject(r)},t.fn.removeData=function(e){return"string"==typeof e&&(e=e.split(/\s+/)),this.each(function(){var n=this[a],r=n&&i[n];r&&t.each(e||r,function(t){delete r[e?s(this):t]})})},["remove","empty"].forEach(function(e){var n=t.fn[e];t.fn[e]=function(){var t=this.find("*");return"remove"===e&&(t=t.add(this)),t.removeData(),n.call(this)}})}(e),e}(e)}(window)},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default="2.4.1"},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=n(17),i=function(t){return t&&t.__esModule?t:{default:t}}(r);e.default=i.default},function(t,e){"function"==typeof Object.create?t.exports=function(t,e){t.super_=e,t.prototype=Object.create(e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}})}:t.exports=function(t,e){t.super_=e;var n=function(){};n.prototype=e.prototype,t.prototype=new n,t.prototype.constructor=t}},function(t,e,n){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var i=n(66),o=r(i),s=n(47),a=r(s),u=n(18),c=r(u),l=(0,o.default)(a.default);l.version=c.default,e.default=l},function(t,e,n){function r(t,e,r){var o=n(6)("algoliasearch"),s=n(4),a=n(10),c=n(7),l="Usage: algoliasearch(applicationID, apiKey, opts)";if(!0!==r._allowEmptyCredentials&&!t)throw new u.AlgoliaSearchError("Please provide an application ID. "+l);if(!0!==r._allowEmptyCredentials&&!e)throw new u.AlgoliaSearchError("Please provide an API key. "+l);this.applicationID=t,this.apiKey=e,this.hosts={read:[],write:[]},r=r||{};var h=r.protocol||"https:";if(this._timeouts=r.timeouts||{connect:1e3,read:2e3,write:3e4},r.timeout&&(this._timeouts.connect=this._timeouts.read=this._timeouts.write=r.timeout),/:$/.test(h)||(h+=":"),"http:"!==r.protocol&&"https:"!==r.protocol)throw new u.AlgoliaSearchError("protocol must be `http:` or `https:` (was `"+r.protocol+"`)");if(this._checkAppIdData(),r.hosts)a(r.hosts)?(this.hosts.read=s(r.hosts),this.hosts.write=s(r.hosts)):(this.hosts.read=s(r.hosts.read),this.hosts.write=s(r.hosts.write));else{var f=c(this._shuffleResult,function(e){return t+"-"+e+".algolianet.com"});this.hosts.read=[this.applicationID+"-dsn.algolia.net"].concat(f),this.hosts.write=[this.applicationID+".algolia.net"].concat(f)}this.hosts.read=c(this.hosts.read,i(h)),this.hosts.write=c(this.hosts.write,i(h)),this.extraHeaders=[],this.cache=r._cache||{},this._ua=r._ua,this._useCache=!(void 0!==r._useCache&&!r._cache)||r._useCache,this._useFallback=void 0===r.useFallback||r.useFallback,this._setTimeout=r._setTimeout,o("init done, %j",this)}function i(t){return function(e){return t+"//"+e.toLowerCase()}}function o(t){if(void 0===Array.prototype.toJSON)return JSON.stringify(t);var e=Array.prototype.toJSON;delete Array.prototype.toJSON;var n=JSON.stringify(t);return Array.prototype.toJSON=e,n}function s(t){for(var e,n,r=t.length;0!==r;)n=Math.floor(Math.random()*r),r-=1,e=t[r],t[r]=t[n],t[n]=e;return t}function a(t){var e={};for(var n in t)if(Object.prototype.hasOwnProperty.call(t,n)){var r;r="x-algolia-api-key"===n||"x-algolia-application-id"===n?"**hidden for security purposes**":t[n],e[n]=r}return e}t.exports=r;var u=n(5),c=n(31),l=n(23),h=n(35),f=n.i({NODE_ENV:"production"}).RESET_APP_DATA_TIMER&&parseInt(n.i({NODE_ENV:"production"}).RESET_APP_DATA_TIMER,10)||12e4;r.prototype.initIndex=function(t){return new l(this,t)},r.prototype.setExtraHeader=function(t,e){this.extraHeaders.push({name:t.toLowerCase(),value:e})},r.prototype.addAlgoliaAgent=function(t){-1===this._ua.indexOf(";"+t)&&(this._ua+=";"+t)},r.prototype._jsonRequest=function(t){function e(n,c){function v(t){var e=t&&t.body&&t.body.message&&t.body.status||t.statusCode||t&&t.body&&200;s("received response: statusCode: %s, computed statusCode: %d, headers: %j",t.statusCode,e,t.headers);var n=2===Math.floor(e/100),o=new Date;if(m.push({currentHost:S,headers:a(i),content:r||null,contentLength:void 0!==r?r.length:null,method:c.method,timeouts:c.timeouts,url:c.url,startTime:x,endTime:o,duration:o-x,statusCode:e}),n)return f._useCache&&h&&(h[_]=t.responseText),t.body;if(4!==Math.floor(e/100))return p+=1,b();s("unrecoverable error");var l=new u.AlgoliaSearchError(t.body&&t.body.message,{debugData:m,statusCode:e});return f._promise.reject(l)}function y(e){s("error: %s, stack: %s",e.message,e.stack);var n=new Date;return m.push({currentHost:S,headers:a(i),content:r||null,contentLength:void 0!==r?r.length:null,method:c.method,timeouts:c.timeouts,url:c.url,startTime:x,endTime:n,duration:n-x}),e instanceof u.AlgoliaSearchError||(e=new u.Unknown(e&&e.message,e)),p+=1,e instanceof u.Unknown||e instanceof u.UnparsableJSON||p>=f.hosts[t.hostType].length&&(d||!g)?(e.debugData=m,f._promise.reject(e)):e instanceof u.RequestTimeout?w():b()}function b(){return s("retrying request"),f._incrementHostIndex(t.hostType),e(n,c)}function w(){return s("retrying request with higher timeout"),f._incrementHostIndex(t.hostType),f._incrementTimeoutMultipler(),c.timeouts=f._getTimeoutsForRequest(t.hostType),e(n,c)}f._checkAppIdData();var _,x=new Date;if(f._useCache&&(_=t.url),f._useCache&&r&&(_+="_body_"+c.body),f._useCache&&h&&void 0!==h[_])return s("serving response from cache"),f._promise.resolve(JSON.parse(h[_]));if(p>=f.hosts[t.hostType].length)return!g||d?(s("could not get any response"),f._promise.reject(new u.AlgoliaSearchError("Cannot connect to the AlgoliaSearch API. Send an email to support@algolia.com to report and resolve the issue. Application id was: "+f.applicationID,{debugData:m}))):(s("switching to fallback"),p=0,c.method=t.fallback.method,c.url=t.fallback.url,c.jsonBody=t.fallback.body,c.jsonBody&&(c.body=o(c.jsonBody)),i=f._computeRequestHeaders(l),c.timeouts=f._getTimeoutsForRequest(t.hostType),f._setHostIndexByType(0,t.hostType),d=!0,e(f._request.fallback,c));var S=f._getHostByType(t.hostType),C=S+c.url,A={body:c.body,jsonBody:c.jsonBody,method:c.method,headers:i,timeouts:c.timeouts,debug:s};return s("method: %s, url: %s, headers: %j, timeouts: %d",A.method,C,A.headers,A.timeouts),n===f._request.fallback&&s("using fallback"),n.call(f,C,A).then(v,y)}this._checkAppIdData();var r,i,s=n(6)("algoliasearch:"+t.url),l=t.additionalUA||"",h=t.cache,f=this,p=0,d=!1,g=f._useFallback&&f._request.fallback&&t.fallback;this.apiKey.length>500&&void 0!==t.body&&(void 0!==t.body.params||void 0!==t.body.requests)?(t.body.apiKey=this.apiKey,i=this._computeRequestHeaders(l,!1)):i=this._computeRequestHeaders(l),void 0!==t.body&&(r=o(t.body)),s("request start");var m=[],v=e(f._request,{url:t.url,method:t.method,body:r,jsonBody:t.body,timeouts:f._getTimeoutsForRequest(t.hostType)});if(!t.callback)return v;v.then(function(e){c(function(){t.callback(null,e)},f._setTimeout||setTimeout)},function(e){c(function(){t.callback(e)},f._setTimeout||setTimeout)})},r.prototype._getSearchParams=function(t,e){if(void 0===t||null===t)return e;for(var n in t)null!==n&&void 0!==t[n]&&t.hasOwnProperty(n)&&(e+=""===e?"":"&",e+=n+"="+encodeURIComponent("[object Array]"===Object.prototype.toString.call(t[n])?o(t[n]):t[n]));return e},r.prototype._computeRequestHeaders=function(t,e){var r=n(2),i=t?this._ua+";"+t:this._ua,o={"x-algolia-agent":i,"x-algolia-application-id":this.applicationID};return!1!==e&&(o["x-algolia-api-key"]=this.apiKey),this.userToken&&(o["x-algolia-usertoken"]=this.userToken),this.securityTags&&(o["x-algolia-tagfilters"]=this.securityTags),this.extraHeaders&&r(this.extraHeaders,function(t){o[t.name]=t.value}),o},r.prototype.search=function(t,e,r){var i=n(10),o=n(7);if(!i(t))throw new Error("Usage: client.search(arrayOfQueries[, callback])");"function"==typeof e?(r=e,e={}):void 0===e&&(e={});var s=this,a={requests:o(t,function(t){var e="";return void 0!==t.query&&(e+="query="+encodeURIComponent(t.query)),{indexName:t.indexName,params:s._getSearchParams(t.params,e)}})},u=o(a.requests,function(t,e){return e+"="+encodeURIComponent("/1/indexes/"+encodeURIComponent(t.indexName)+"?"+t.params)}).join("&"),c="/1/indexes/*/queries";return void 0!==e.strategy&&(c+="?strategy="+e.strategy),this._jsonRequest({cache:this.cache,method:"POST",url:c,body:a,hostType:"read",fallback:{method:"GET",url:"/1/indexes/*",body:{params:u}},callback:r})},r.prototype.setSecurityTags=function(t){if("[object Array]"===Object.prototype.toString.call(t)){for(var e=[],n=0;n<t.length;++n)if("[object Array]"===Object.prototype.toString.call(t[n])){for(var r=[],i=0;i<t[n].length;++i)r.push(t[n][i]);e.push("("+r.join(",")+")")}else e.push(t[n]);t=e.join(",")}this.securityTags=t},r.prototype.setUserToken=function(t){this.userToken=t},r.prototype.clearCache=function(){this.cache={}},r.prototype.setRequestTimeout=function(t){t&&(this._timeouts.connect=this._timeouts.read=this._timeouts.write=t)},r.prototype.setTimeouts=function(t){this._timeouts=t},r.prototype.getTimeouts=function(){return this._timeouts},r.prototype._getAppIdData=function(){var t=h.get(this.applicationID);return null!==t&&this._cacheAppIdData(t),t},r.prototype._setAppIdData=function(t){return t.lastChange=(new Date).getTime(),this._cacheAppIdData(t),h.set(this.applicationID,t)},r.prototype._checkAppIdData=function(){var t=this._getAppIdData(),e=(new Date).getTime();return null===t||e-t.lastChange>f?this._resetInitialAppIdData(t):t},r.prototype._resetInitialAppIdData=function(t){var e=t||{};return e.hostIndexes={read:0,write:0},e.timeoutMultiplier=1,e.shuffleResult=e.shuffleResult||s([1,2,3]),this._setAppIdData(e)},r.prototype._cacheAppIdData=function(t){this._hostIndexes=t.hostIndexes,this._timeoutMultiplier=t.timeoutMultiplier,this._shuffleResult=t.shuffleResult},r.prototype._partialAppIdDataUpdate=function(t){var e=n(2),r=this._getAppIdData();return e(t,function(t,e){r[e]=t}),this._setAppIdData(r)},r.prototype._getHostByType=function(t){return this.hosts[t][this._getHostIndexByType(t)]},r.prototype._getTimeoutMultiplier=function(){return this._timeoutMultiplier},r.prototype._getHostIndexByType=function(t){return this._hostIndexes[t]},r.prototype._setHostIndexByType=function(t,e){var r=n(4),i=r(this._hostIndexes);return i[e]=t,this._partialAppIdDataUpdate({hostIndexes:i}),t},r.prototype._incrementHostIndex=function(t){return this._setHostIndexByType((this._getHostIndexByType(t)+1)%this.hosts[t].length,t)},r.prototype._incrementTimeoutMultipler=function(){var t=Math.max(this._timeoutMultiplier+1,4);return this._partialAppIdDataUpdate({timeoutMultiplier:t})},r.prototype._getTimeoutsForRequest=function(t){return{connect:this._timeouts.connect*this._timeoutMultiplier,complete:this._timeouts[t]*this._timeoutMultiplier}}},function(t,e,n){function r(t,e){this.indexName=e,this.as=t,this.typeAheadArgs=null,this.typeAheadValueOption=null,this.cache={}}var i=n(12),o=n(29),s=n(30);t.exports=r,r.prototype.clearCache=function(){this.cache={}},r.prototype.search=i("query"),r.prototype.similarSearch=i("similarQuery"),r.prototype.browse=function(t,e,r){var i,o,s=n(32),a=this;0===arguments.length||1===arguments.length&&"function"==typeof arguments[0]?(i=0,r=arguments[0],t=void 0):"number"==typeof arguments[0]?(i=arguments[0],"number"==typeof arguments[1]?o=arguments[1]:"function"==typeof arguments[1]&&(r=arguments[1],o=void 0),t=void 0,e=void 0):"object"==typeof arguments[0]?("function"==typeof arguments[1]&&(r=arguments[1]),e=arguments[0],t=void 0):"string"==typeof arguments[0]&&"function"==typeof arguments[1]&&(r=arguments[1],e=void 0),e=s({},e||{},{page:i,hitsPerPage:o,query:t});var u=this.as._getSearchParams(e,"");return this.as._jsonRequest({method:"POST",url:"/1/indexes/"+encodeURIComponent(a.indexName)+"/browse",body:{params:u},hostType:"read",callback:r})},r.prototype.browseFrom=function(t,e){return this.as._jsonRequest({method:"POST",url:"/1/indexes/"+encodeURIComponent(this.indexName)+"/browse",body:{cursor:t},hostType:"read",callback:e})},r.prototype.searchForFacetValues=function(t,e){var r=n(4),i=n(33);if(void 0===t.facetName||void 0===t.facetQuery)throw new Error("Usage: index.searchForFacetValues({facetName, facetQuery, ...params}[, callback])");var o=t.facetName,s=i(r(t),function(t){return"facetName"===t}),a=this.as._getSearchParams(s,"");return this.as._jsonRequest({method:"POST",url:"/1/indexes/"+encodeURIComponent(this.indexName)+"/facets/"+encodeURIComponent(o)+"/query",hostType:"read",body:{params:a},callback:e})},r.prototype.searchFacet=o(function(t,e){return this.searchForFacetValues(t,e)},s("index.searchFacet(params[, callback])","index.searchForFacetValues(params[, callback])")),r.prototype._search=function(t,e,n,r){return this.as._jsonRequest({cache:this.cache,method:"POST",url:e||"/1/indexes/"+encodeURIComponent(this.indexName)+"/query",body:{params:t},hostType:"read",fallback:{method:"GET",url:"/1/indexes/"+encodeURIComponent(this.indexName),body:{params:t}},callback:n,additionalUA:r})},r.prototype.getObject=function(t,e,n){var r=this;1!==arguments.length&&"function"!=typeof e||(n=e,e=void 0);var i="";if(void 0!==e){i="?attributes=";for(var o=0;o<e.length;++o)0!==o&&(i+=","),i+=e[o]}return this.as._jsonRequest({method:"GET",url:"/1/indexes/"+encodeURIComponent(r.indexName)+"/"+encodeURIComponent(t)+i,hostType:"read",callback:n})},r.prototype.getObjects=function(t,e,r){var i=n(10),o=n(7);if(!i(t))throw new Error("Usage: index.getObjects(arrayOfObjectIDs[, callback])");var s=this;1!==arguments.length&&"function"!=typeof e||(r=e,e=void 0);var a={requests:o(t,function(t){var n={indexName:s.indexName,objectID:t};return e&&(n.attributesToRetrieve=e.join(",")),n})};return this.as._jsonRequest({method:"POST",url:"/1/indexes/*/objects",hostType:"read",body:a,callback:r})},r.prototype.as=null,r.prototype.indexName=null,r.prototype.typeAheadArgs=null,r.prototype.typeAheadValueOption=null},function(t,e,n){"use strict";var r=n(22),i=n(25);t.exports=i(r,"(lite) ")},function(t,e,n){"use strict";var r=n(52),i=r.Promise||n(51).Promise;t.exports=function(t,e){function o(t,e,r){var i=n(4),a=n(26);return r=i(r||{}),void 0===r.protocol&&(r.protocol=a()),r._ua=r._ua||o.ua,new s(t,e,r)}function s(){t.apply(this,arguments)}var a=n(20),u=n(5),c=n(27),l=n(28),h=n(34);e=e||"",o.version=n(36),o.ua="Algolia for vanilla JavaScript "+e+o.version,o.initPlaces=h(o),r.__algolia={debug:n(6),algoliasearch:o};var f={hasXMLHttpRequest:"XMLHttpRequest"in r,hasXDomainRequest:"XDomainRequest"in r};return f.hasXMLHttpRequest&&(f.cors="withCredentials"in new XMLHttpRequest),a(s,t),s.prototype._request=function(t,e){return new i(function(n,r){function i(){if(!d){clearTimeout(p);var t;try{t={body:JSON.parse(m.responseText),responseText:m.responseText,statusCode:m.status,headers:m.getAllResponseHeaders&&m.getAllResponseHeaders()||{}}}catch(e){t=new u.UnparsableJSON({more:m.responseText})}t instanceof u.UnparsableJSON?r(t):n(t)}}function o(t){d||(clearTimeout(p),r(new u.Network({more:t})))}function s(){d=!0,m.abort(),r(new u.RequestTimeout)}function a(){v=!0,clearTimeout(p),p=setTimeout(s,e.timeouts.complete)}function l(){v||a()}function h(){!v&&m.readyState>1&&a()}if(!f.cors&&!f.hasXDomainRequest)return void r(new u.Network("CORS not supported"));t=c(t,e.headers);var p,d,g=e.body,m=f.cors?new XMLHttpRequest:new XDomainRequest,v=!1;p=setTimeout(s,e.timeouts.connect),m.onprogress=l,"onreadystatechange"in m&&(m.onreadystatechange=h),m.onload=i,m.onerror=o,m instanceof XMLHttpRequest?m.open(e.method,t,!0):m.open(e.method,t),f.cors&&(g&&("POST"===e.method?m.setRequestHeader("content-type","application/x-www-form-urlencoded"):m.setRequestHeader("content-type","application/json")),m.setRequestHeader("accept","application/json")),m.send(g)})},s.prototype._request.fallback=function(t,e){return t=c(t,e.headers),new i(function(n,r){l(t,e,function(t,e){if(t)return void r(t);n(e)})})},s.prototype._promise={reject:function(t){return i.reject(t)},resolve:function(t){return i.resolve(t)},delay:function(t){return new i(function(e){setTimeout(e,t)})}},o}},function(t,e,n){"use strict";function r(){var t=window.document.location.protocol;return"http:"!==t&&"https:"!==t&&(t="http:"),t}t.exports=r},function(t,e,n){"use strict";function r(t,e){return/\?/.test(t)?t+="&":t+="?",t+i(e)}t.exports=r;var i=n(65)},function(t,e,n){"use strict";function r(t,e,n){function r(){e.debug("JSONP: success"),m||f||(m=!0,h||(e.debug("JSONP: Fail. Script loaded but did not call the callback"),a(),n(new i.JSONPScriptFail)))}function s(){"loaded"!==this.readyState&&"complete"!==this.readyState||r()}function a(){clearTimeout(v),d.onload=null,d.onreadystatechange=null,d.onerror=null,p.removeChild(d)}function u(){try{delete window[g],delete window[g+"_loaded"]}catch(t){window[g]=window[g+"_loaded"]=void 0}}function c(){e.debug("JSONP: Script timeout"),f=!0,a(),n(new i.RequestTimeout)}function l(){e.debug("JSONP: Script error"),m||f||(a(),n(new i.JSONPScriptError))}if("GET"!==e.method)return void n(new Error("Method "+e.method+" "+t+" is not supported by JSONP."));e.debug("JSONP: start");var h=!1,f=!1;o+=1;var p=document.getElementsByTagName("head")[0],d=document.createElement("script"),g="algoliaJSONP_"+o,m=!1;window[g]=function(t){if(u(),f)return void e.debug("JSONP: Late answer, ignoring");h=!0,a(),n(null,{body:t})},t+="&callback="+g,e.jsonBody&&e.jsonBody.params&&(t+="&"+e.jsonBody.params);var v=setTimeout(c,e.timeouts.complete);d.onreadystatechange=s,d.onload=r,d.onerror=l,d.async=!0,d.defer=!0,d.src=t,p.appendChild(d)}t.exports=r;var i=n(5),o=0},function(t,e){t.exports=function(t,e){function n(){return r||(console.log(e),r=!0),t.apply(this,arguments)}var r=!1;return n}},function(t,e){t.exports=function(t,e){return"algoliasearch: `"+t+"` was replaced by `"+e+"`. Please see https://github.com/algolia/algoliasearch-client-js/wiki/Deprecated#"+t.toLowerCase().replace(".","").replace("()","")}},function(t,e){t.exports=function(t,e){e(t,0)}},function(t,e,n){var r=n(2);t.exports=function t(e){var n=Array.prototype.slice.call(arguments);return r(n,function(n){for(var r in n)n.hasOwnProperty(r)&&("object"==typeof e[r]&&"object"==typeof n[r]?e[r]=t({},e[r],n[r]):void 0!==n[r]&&(e[r]=n[r]))}),e}},function(t,e,n){t.exports=function(t,e){var r=n(63),i=n(2),o={};return i(r(t),function(n){!0!==e(n)&&(o[n]=t[n])}),o}},function(t,e,n){function r(t){return function(e,r,o){var s=n(4);o=o&&s(o)||{},o.hosts=o.hosts||["places-dsn.algolia.net","places-1.algolianet.com","places-2.algolianet.com","places-3.algolianet.com"],0!==arguments.length&&"object"!=typeof e&&void 0!==e||(e="",r="",o._allowEmptyCredentials=!0);var a=t(e,r,o),u=a.initIndex("places");return u.search=i("query","/1/places/query"),u}}t.exports=r;var i=n(12)},function(t,e,n){(function(e){function r(t,e){return u("localStorage failed with",e),s(),a=l,a.get(t)}function i(t,e){return 1===arguments.length?a.get(t):a.set(t,e)}function o(){try{return"localStorage"in e&&null!==e.localStorage&&(e.localStorage[c]||e.localStorage.setItem(c,JSON.stringify({})),!0)}catch(t){return!1}}function s(){try{e.localStorage.removeItem(c)}catch(t){}}var a,u=n(6)("algoliasearch:src/hostIndexState.js"),c="algoliasearch-client-js",l={state:{},set:function(t,e){return this.state[t]=e,this.state[t]},get:function(t){return this.state[t]||null}},h={set:function(t,n){l.set(t,n);try{var i=JSON.parse(e.localStorage[c]);return i[t]=n,e.localStorage[c]=JSON.stringify(i),i[t]}catch(e){return r(t,e)}},get:function(t){try{return JSON.parse(e.localStorage[c])[t]||null}catch(e){return r(t,e)}}};a=o()?h:l,t.exports={get:i,set:i,supportsLocalStorage:o}}).call(e,n(3))},function(t,e,n){"use strict";t.exports="3.22.1"},function(t,e,n){"use strict";t.exports=n(45)},function(t,e,n){"use strict";function r(t){t=t||{},t.templates=t.templates||{},t.source||l.error("missing source"),t.name&&!s(t.name)&&l.error("invalid dataset name: "+t.name),this.query=null,this._isEmpty=!0,this.highlight=!!t.highlight,this.name=void 0===t.name||null===t.name?l.getUniqueId():t.name,this.source=t.source,this.displayFn=i(t.display||t.displayKey),this.templates=o(t.templates,this.displayFn),this.css=l.mixin({},p,t.appendTo?p.appendTo:{}),this.cssClasses=t.cssClasses=l.mixin({},p.defaultClasses,t.cssClasses||{}),this.cssClasses.prefix=t.cssClasses.formattedPrefix||l.formatPrefix(this.cssClasses.prefix,this.cssClasses.noPrefix);var e=l.className(this.cssClasses.prefix,this.cssClasses.dataset);this.$el=t.$menu&&t.$menu.find(e+"-"+this.name).length>0?h.element(t.$menu.find(e+"-"+this.name)[0]):h.element(f.dataset.replace("%CLASS%",this.name).replace("%PREFIX%",this.cssClasses.prefix).replace("%DATASET%",this.cssClasses.dataset)),this.$menu=t.$menu}function i(t){function e(e){return e[t]}return t=t||"value",l.isFunction(t)?t:e}function o(t,e){function n(t){return"<p>"+e(t)+"</p>"}return{empty:t.empty&&l.templatify(t.empty),header:t.header&&l.templatify(t.header),footer:t.footer&&l.templatify(t.footer),suggestion:t.suggestion||n}}function s(t){return/^[_a-zA-Z0-9-]+$/.test(t)}var a="aaDataset",u="aaValue",c="aaDatum",l=n(0),h=n(1),f=n(14),p=n(8),d=n(9);r.extractDatasetName=function(t){return h.element(t).data(a)},r.extractValue=function(t){return h.element(t).data(u)},r.extractDatum=function(t){var e=h.element(t).data(c);return"string"==typeof e&&(e=JSON.parse(e)),e},l.mixin(r.prototype,d,{_render:function(t,e){function n(){var e=[].slice.call(arguments,0);return e=[{query:t,isEmpty:!0}].concat(e),p.templates.empty.apply(this,e)}function r(){function t(t){var e,n=f.suggestion.replace("%PREFIX%",o.cssClasses.prefix).replace("%SUGGESTION%",o.cssClasses.suggestion);return e=h.element(n).attr({role:"option",id:["option",Math.floor(1e8*Math.random())].join("-")}).append(p.templates.suggestion.apply(this,[t].concat(i))),e.data(a,p.name),e.data(u,p.displayFn(t)||void 0),e.data(c,JSON.stringify(t)),e.children().each(function(){h.element(this).css(o.css.suggestionChild)}),e}var n,r,i=[].slice.call(arguments,0),o=this,s=f.suggestions.replace("%PREFIX%",this.cssClasses.prefix).replace("%SUGGESTIONS%",this.cssClasses.suggestions);return n=h.element(s).css(this.css.suggestions),r=l.map(e,t),n.append.apply(n,r),n}function i(){var e=[].slice.call(arguments,0);return e=[{query:t,isEmpty:!s}].concat(e),p.templates.header.apply(this,e)}function o(){var e=[].slice.call(arguments,0);return e=[{query:t,isEmpty:!s}].concat(e),p.templates.footer.apply(this,e)}if(this.$el){var s,p=this,d=[].slice.call(arguments,2);this.$el.empty(),s=e&&e.length,this._isEmpty=!s,!s&&this.templates.empty?this.$el.html(n.apply(this,d)).prepend(p.templates.header?i.apply(this,d):null).append(p.templates.footer?o.apply(this,d):null):s&&this.$el.html(r.apply(this,d)).prepend(p.templates.header?i.apply(this,d):null).append(p.templates.footer?o.apply(this,d):null),this.$menu&&this.$menu.addClass(this.cssClasses.prefix+(s?"with":"without")+"-"+this.name).removeClass(this.cssClasses.prefix+(s?"without":"with")+"-"+this.name),this.trigger("rendered",t)}},getRoot:function(){return this.$el},update:function(t){function e(e){if(!n.canceled&&t===n.query){var r=[].slice.call(arguments,1);r=[t,e].concat(r),n._render.apply(n,r)}}var n=this;this.query=t,this.canceled=!1,this.source(t,e)},cancel:function(){this.canceled=!0},clear:function(){this.cancel(),this.$el.empty(),this.trigger("rendered","")},isEmpty:function(){return this._isEmpty},destroy:function(){this.$el=null}}),t.exports=r},function(t,e,n){"use strict";function r(t){var e,n,r,a=this;t=t||{},t.menu||o.error("menu is required"),o.isArray(t.datasets)||o.isObject(t.datasets)||o.error("1 or more datasets required"),t.datasets||o.error("datasets is required"),this.isOpen=!1,this.isEmpty=!0,this.minLength=t.minLength||0,this.templates={},this.appendTo=t.appendTo||!1,this.css=o.mixin({},c,t.appendTo?c.appendTo:{}),this.cssClasses=t.cssClasses=o.mixin({},c.defaultClasses,t.cssClasses||{}),this.cssClasses.prefix=t.cssClasses.formattedPrefix||o.formatPrefix(this.cssClasses.prefix,this.cssClasses.noPrefix),e=o.bind(this._onSuggestionClick,this),n=o.bind(this._onSuggestionMouseEnter,this),r=o.bind(this._onSuggestionMouseLeave,this);var u=o.className(this.cssClasses.prefix,this.cssClasses.suggestion);this.$menu=s.element(t.menu).on("click.aa",u,e).on("mouseenter.aa",u,n).on("mouseleave.aa",u,r),this.$container=t.appendTo?t.wrapper:this.$menu,t.templates&&t.templates.header&&(this.templates.header=o.templatify(t.templates.header),this.$menu.prepend(this.templates.header())),t.templates&&t.templates.empty&&(this.templates.empty=o.templatify(t.templates.empty),this.$empty=s.element('<div class="'+o.className(this.cssClasses.prefix,this.cssClasses.empty,!0)+'"></div>'),this.$menu.append(this.$empty)),this.datasets=o.map(t.datasets,function(e){return i(a.$menu,e,t.cssClasses)}),o.each(this.datasets,function(t){var e=t.getRoot();e&&0===e.parent().length&&a.$menu.append(e),t.onSync("rendered",a._onRendered,a)}),t.templates&&t.templates.footer&&(this.templates.footer=o.templatify(t.templates.footer),this.$menu.append(this.templates.footer()));var l=this;s.element(window).resize(function(){l._redraw()})}function i(t,e,n){return new r.Dataset(o.mixin({$menu:t,cssClasses:n},e))}var o=n(0),s=n(1),a=n(9),u=n(38),c=n(8);o.mixin(r.prototype,a,{_onSuggestionClick:function(t){this.trigger("suggestionClicked",s.element(t.currentTarget))},_onSuggestionMouseEnter:function(t){var e=s.element(t.currentTarget);e.hasClass(o.className(this.cssClasses.prefix,this.cssClasses.cursor,!0))||(this._removeCursor(),this._setCursor(e,!1))},_onSuggestionMouseLeave:function(t){if(t.relatedTarget){if(s.element(t.relatedTarget).closest("."+o.className(this.cssClasses.prefix,this.cssClasses.cursor,!0)).length>0)return}this._removeCursor(),this.trigger("cursorRemoved")},_onRendered:function(t,e){function n(t){return t.isEmpty()}function r(t){return t.templates&&t.templates.empty}if(this.isEmpty=o.every(this.datasets,n),this.isEmpty)if(e.length>=this.minLength&&this.trigger("empty"),this.$empty)if(e.length<this.minLength)this._hide();else{var i=this.templates.empty({query:this.datasets[0]&&this.datasets[0].query});this.$empty.html(i),this._show()}else o.any(this.datasets,r)?e.length<this.minLength?this._hide():this._show():this._hide();else this.isOpen&&(this.$empty&&this.$empty.empty(),e.length>=this.minLength?this._show():this._hide());this.trigger("datasetRendered")},_hide:function(){this.$container.hide()},_show:function(){this.$container.css("display","block"),this._redraw(),this.trigger("shown")},_redraw:function(){this.isOpen&&this.appendTo&&this.trigger("redrawn")},_getSuggestions:function(){return this.$menu.find(o.className(this.cssClasses.prefix,this.cssClasses.suggestion))},_getCursor:function(){return this.$menu.find(o.className(this.cssClasses.prefix,this.cssClasses.cursor)).first()},_setCursor:function(t,e){t.first().addClass(o.className(this.cssClasses.prefix,this.cssClasses.cursor,!0)).attr("aria-selected","true"),this.trigger("cursorMoved",e)},_removeCursor:function(){this._getCursor().removeClass(o.className(this.cssClasses.prefix,this.cssClasses.cursor,!0)).removeAttr("aria-selected")},_moveCursor:function(t){var e,n,r,i;if(this.isOpen){if(n=this._getCursor(),e=this._getSuggestions(),this._removeCursor(),r=e.index(n)+t,-1===(r=(r+1)%(e.length+1)-1))return void this.trigger("cursorRemoved");r<-1&&(r=e.length-1),this._setCursor(i=e.eq(r),!0),this._ensureVisible(i)}},_ensureVisible:function(t){var e,n,r,i;e=t.position().top,n=e+t.height()+parseInt(t.css("margin-top"),10)+parseInt(t.css("margin-bottom"),10),r=this.$menu.scrollTop(),i=this.$menu.height()+parseInt(this.$menu.css("paddingTop"),10)+parseInt(this.$menu.css("paddingBottom"),10),e<0?this.$menu.scrollTop(r+e):i<n&&this.$menu.scrollTop(r+(n-i))},close:function(){this.isOpen&&(this.isOpen=!1,this._removeCursor(),this._hide(),this.trigger("closed"))},open:function(){this.isOpen||(this.isOpen=!0,this.isEmpty||this._show(),this.trigger("opened"))},setLanguageDirection:function(t){this.$menu.css("ltr"===t?this.css.ltr:this.css.rtl)},moveCursorUp:function(){this._moveCursor(-1)},moveCursorDown:function(){this._moveCursor(1)},getDatumForSuggestion:function(t){var e=null;return t.length&&(e={raw:u.extractDatum(t),value:u.extractValue(t),datasetName:u.extractDatasetName(t)}),e},getCurrentCursor:function(){return this._getCursor().first()},getDatumForCursor:function(){return this.getDatumForSuggestion(this._getCursor().first())},getDatumForTopSuggestion:function(){return this.getDatumForSuggestion(this._getSuggestions().first())},cursorTopSuggestion:function(){this._setCursor(this._getSuggestions().first(),!1)},update:function(t){function e(e){e.update(t)}o.each(this.datasets,e)},empty:function(){function t(t){t.clear()}o.each(this.datasets,t),this.isEmpty=!0},isVisible:function(){return this.isOpen&&!this.isEmpty},destroy:function(){function t(t){t.destroy()}this.$menu.off(".aa"),this.$menu=null,o.each(this.datasets,t)}}),r.Dataset=u,t.exports=r},function(t,e,n){"use strict";function r(t){var e,n,r,o,s=this;t=t||{},t.input||u.error("input is missing"),e=u.bind(this._onBlur,this),n=u.bind(this._onFocus,this),r=u.bind(this._onKeydown,this),o=u.bind(this._onInput,this),this.$hint=c.element(t.hint),this.$input=c.element(t.input).on("blur.aa",e).on("focus.aa",n).on("keydown.aa",r),0===this.$hint.length&&(this.setHint=this.getHint=this.clearHint=this.clearHintIfInvalid=u.noop),u.isMsie()?this.$input.on("keydown.aa keypress.aa cut.aa paste.aa",function(t){a[t.which||t.keyCode]||u.defer(u.bind(s._onInput,s,t))}):this.$input.on("input.aa",o),this.query=this.$input.val(),this.$overflowHelper=i(this.$input)}function i(t){return c.element('<pre aria-hidden="true"></pre>').css({position:"absolute",visibility:"hidden",whiteSpace:"pre",fontFamily:t.css("font-family"),fontSize:t.css("font-size"),fontStyle:t.css("font-style"),fontVariant:t.css("font-variant"),fontWeight:t.css("font-weight"),wordSpacing:t.css("word-spacing"),letterSpacing:t.css("letter-spacing"),textIndent:t.css("text-indent"),textRendering:t.css("text-rendering"),textTransform:t.css("text-transform")}).insertAfter(t)}function o(t,e){return r.normalizeQuery(t)===r.normalizeQuery(e)}function s(t){return t.altKey||t.ctrlKey||t.metaKey||t.shiftKey}var a;a={9:"tab",27:"esc",37:"left",39:"right",13:"enter",38:"up",40:"down"};var u=n(0),c=n(1),l=n(9);r.normalizeQuery=function(t){return(t||"").replace(/^\s*/g,"").replace(/\s{2,}/g," ")},u.mixin(r.prototype,l,{_onBlur:function(){this.resetInputValue(),this.$input.removeAttr("aria-activedescendant"),this.trigger("blurred")},_onFocus:function(){this.trigger("focused")},_onKeydown:function(t){var e=a[t.which||t.keyCode];this._managePreventDefault(e,t),e&&this._shouldTrigger(e,t)&&this.trigger(e+"Keyed",t)},_onInput:function(){this._checkInputValue()},_managePreventDefault:function(t,e){var n,r,i;switch(t){case"tab":r=this.getHint(),i=this.getInputValue(),n=r&&r!==i&&!s(e);break;case"up":case"down":n=!s(e);break;default:n=!1}n&&e.preventDefault()},_shouldTrigger:function(t,e){var n;switch(t){case"tab":n=!s(e);break;default:n=!0}return n},_checkInputValue:function(){var t,e,n;t=this.getInputValue(),e=o(t,this.query),n=!(!e||!this.query)&&this.query.length!==t.length,this.query=t,e?n&&this.trigger("whitespaceChanged",this.query):this.trigger("queryChanged",this.query)},focus:function(){this.$input.focus()},blur:function(){this.$input.blur()},getQuery:function(){return this.query},setQuery:function(t){this.query=t},getInputValue:function(){return this.$input.val()},setInputValue:function(t,e){void 0===t&&(t=this.query),this.$input.val(t),e?this.clearHint():this._checkInputValue()},expand:function(){this.$input.attr("aria-expanded","true")},collapse:function(){this.$input.attr("aria-expanded","false")},setActiveDescendant:function(t){this.$input.attr("aria-activedescendant",t)},removeActiveDescendant:function(){this.$input.removeAttr("aria-activedescendant")},resetInputValue:function(){this.setInputValue(this.query,!0)},getHint:function(){return this.$hint.val()},setHint:function(t){this.$hint.val(t)},clearHint:function(){this.setHint("")},clearHintIfInvalid:function(){var t,e,n,r;t=this.getInputValue(),e=this.getHint(),n=t!==e&&0===e.indexOf(t),(r=""!==t&&n&&!this.hasOverflow())||this.clearHint()},getLanguageDirection:function(){return(this.$input.css("direction")||"ltr").toLowerCase()},hasOverflow:function(){var t=this.$input.width()-2;return this.$overflowHelper.text(this.getInputValue()),this.$overflowHelper.width()>=t},isCursorAtEnd:function(){var t,e,n;return t=this.$input.val().length,e=this.$input[0].selectionStart,u.isNumber(e)?e===t:!document.selection||(n=document.selection.createRange(),n.moveStart("character",-t),t===n.text.length)},destroy:function(){this.$hint.off(".aa"),this.$input.off(".aa"),this.$hint=this.$input=this.$overflowHelper=null}}),t.exports=r},function(t,e,n){"use strict";function r(t){var e,n;if(t=t||{},t.input||u.error("missing input"),this.isActivated=!1,this.debug=!!t.debug,this.autoselect=!!t.autoselect,this.autoselectOnBlur=!!t.autoselectOnBlur,this.openOnFocus=!!t.openOnFocus,this.minLength=u.isNumber(t.minLength)?t.minLength:1,this.autoWidth=void 0===t.autoWidth||!!t.autoWidth,t.hint=!!t.hint,t.hint&&t.appendTo)throw new Error("[autocomplete.js] hint and appendTo options can't be used at the same time");this.css=t.css=u.mixin({},d,t.appendTo?d.appendTo:{}),this.cssClasses=t.cssClasses=u.mixin({},d.defaultClasses,t.cssClasses||{}),this.cssClasses.prefix=t.cssClasses.formattedPrefix=u.formatPrefix(this.cssClasses.prefix,this.cssClasses.noPrefix),this.listboxId=t.listboxId=[this.cssClasses.root,"listbox",u.getUniqueId()].join("-");var o=i(t);this.$node=o.wrapper;var s=this.$input=o.input;e=o.menu,n=o.hint,t.dropdownMenuContainer&&c.element(t.dropdownMenuContainer).css("position","relative").append(e.css("top","0")),s.on("blur.aa",function(t){var n=document.activeElement;u.isMsie()&&(e[0]===n||e[0].contains(n))&&(t.preventDefault(),t.stopImmediatePropagation(),u.defer(function(){s.focus()}))}),e.on("mousedown.aa",function(t){t.preventDefault()}),this.eventBus=t.eventBus||new l({el:s}),this.dropdown=new r.Dropdown({appendTo:t.appendTo,wrapper:this.$node,menu:e,datasets:t.datasets,templates:t.templates,cssClasses:t.cssClasses,minLength:this.minLength}).onSync("suggestionClicked",this._onSuggestionClicked,this).onSync("cursorMoved",this._onCursorMoved,this).onSync("cursorRemoved",this._onCursorRemoved,this).onSync("opened",this._onOpened,this).onSync("closed",this._onClosed,this).onSync("shown",this._onShown,this).onSync("empty",this._onEmpty,this).onSync("redrawn",this._onRedrawn,this).onAsync("datasetRendered",this._onDatasetRendered,this),this.input=new r.Input({input:s,hint:n}).onSync("focused",this._onFocused,this).onSync("blurred",this._onBlurred,this).onSync("enterKeyed",this._onEnterKeyed,this).onSync("tabKeyed",this._onTabKeyed,this).onSync("escKeyed",this._onEscKeyed,this).onSync("upKeyed",this._onUpKeyed,this).onSync("downKeyed",this._onDownKeyed,this).onSync("leftKeyed",this._onLeftKeyed,this).onSync("rightKeyed",this._onRightKeyed,this).onSync("queryChanged",this._onQueryChanged,this).onSync("whitespaceChanged",this._onWhitespaceChanged,this),this._bindKeyboardShortcuts(t),this._setLanguageDirection()}function i(t){var e,n,r,i;e=c.element(t.input),n=c.element(p.wrapper.replace("%ROOT%",t.cssClasses.root)).css(t.css.wrapper),t.appendTo||"block"!==e.css("display")||"table"!==e.parent().css("display")||n.css("display","table-cell");var s=p.dropdown.replace("%PREFIX%",t.cssClasses.prefix).replace("%DROPDOWN_MENU%",t.cssClasses.dropdownMenu);r=c.element(s).css(t.css.dropdown).attr({role:"listbox",id:t.listboxId}),t.templates&&t.templates.dropdownMenu&&r.html(u.templatify(t.templates.dropdownMenu)()),i=e.clone().css(t.css.hint).css(o(e)),i.val("").addClass(u.className(t.cssClasses.prefix,t.cssClasses.hint,!0)).removeAttr("id name placeholder required").prop("readonly",!0).attr({"aria-hidden":"true",autocomplete:"off",spellcheck:"false",tabindex:-1}),i.removeData&&i.removeData(),e.data(a,{"aria-autocomplete":e.attr("aria-autocomplete"),"aria-expanded":e.attr("aria-expanded"),"aria-owns":e.attr("aria-owns"),autocomplete:e.attr("autocomplete"),dir:e.attr("dir"),role:e.attr("role"),spellcheck:e.attr("spellcheck"),style:e.attr("style"),type:e.attr("type")}),e.addClass(u.className(t.cssClasses.prefix,t.cssClasses.input,!0)).attr({autocomplete:"off",spellcheck:!1,role:"combobox","aria-autocomplete":t.datasets&&t.datasets[0]&&t.datasets[0].displayKey?"both":"list","aria-expanded":"false","aria-labelledby":e.attr("placeholder")?e.attr("id"):null,"aria-owns":t.listboxId}).css(t.hint?t.css.input:t.css.inputWithNoHint);try{e.attr("dir")||e.attr("dir","auto")}catch(t){}return n=t.appendTo?n.appendTo(c.element(t.appendTo).eq(0)).eq(0):e.wrap(n).parent(),n.prepend(t.hint?i:null).append(r),{wrapper:n,input:e,hint:i,menu:r}}function o(t){return{backgroundAttachment:t.css("background-attachment"),backgroundClip:t.css("background-clip"),backgroundColor:t.css("background-color"),backgroundImage:t.css("background-image"),backgroundOrigin:t.css("background-origin"),backgroundPosition:t.css("background-position"),backgroundRepeat:t.css("background-repeat"),backgroundSize:t.css("background-size")}}function s(t,e){var n=t.find(u.className(e.prefix,e.input));u.each(n.data(a),function(t,e){void 0===t?n.removeAttr(e):n.attr(e,t)}),n.detach().removeClass(u.className(e.prefix,e.input,!0)).insertAfter(t),n.removeData&&n.removeData(a),t.remove()}var a="aaAttrs",u=n(0),c=n(1),l=n(13),h=n(40),f=n(39),p=n(14),d=n(8);u.mixin(r.prototype,{_bindKeyboardShortcuts:function(t){if(t.keyboardShortcuts){var e=this.$input,n=[];u.each(t.keyboardShortcuts,function(t){"string"==typeof t&&(t=t.toUpperCase().charCodeAt(0)),n.push(t)}),c.element(document).keydown(function(t){var r=t.target||t.srcElement,i=r.tagName;if(!r.isContentEditable&&"INPUT"!==i&&"SELECT"!==i&&"TEXTAREA"!==i){var o=t.which||t.keyCode;-1!==n.indexOf(o)&&(e.focus(),t.stopPropagation(),t.preventDefault())}})}},_onSuggestionClicked:function(t,e){var n;(n=this.dropdown.getDatumForSuggestion(e))&&this._select(n)},_onCursorMoved:function(t,e){var n=this.dropdown.getDatumForCursor(),r=this.dropdown.getCurrentCursor().attr("id");this.input.setActiveDescendant(r),n&&(e&&this.input.setInputValue(n.value,!0),this.eventBus.trigger("cursorchanged",n.raw,n.datasetName))},_onCursorRemoved:function(){this.input.resetInputValue(),this._updateHint(),this.eventBus.trigger("cursorremoved")},_onDatasetRendered:function(){this._updateHint(),this.eventBus.trigger("updated")},_onOpened:function(){this._updateHint(),this.input.expand(),this.eventBus.trigger("opened")},_onEmpty:function(){this.eventBus.trigger("empty")},_onRedrawn:function(){this.$node.css("top","0px"),this.$node.css("left","0px");var t=this.$input[0].getBoundingClientRect();this.autoWidth&&this.$node.css("width",t.width+"px");var e=this.$node[0].getBoundingClientRect(),n=t.bottom-e.top;this.$node.css("top",n+"px");var r=t.left-e.left;this.$node.css("left",r+"px"),this.eventBus.trigger("redrawn")},_onShown:function(){this.eventBus.trigger("shown"),this.autoselect&&this.dropdown.cursorTopSuggestion()},_onClosed:function(){this.input.clearHint(),this.input.removeActiveDescendant(),this.input.collapse(),this.eventBus.trigger("closed")},_onFocused:function(){if(this.isActivated=!0,this.openOnFocus){var t=this.input.getQuery();t.length>=this.minLength?this.dropdown.update(t):this.dropdown.empty(),this.dropdown.open()}},_onBlurred:function(){var t,e;t=this.dropdown.getDatumForCursor(),e=this.dropdown.getDatumForTopSuggestion(),this.debug||(this.autoselectOnBlur&&t?this._select(t):this.autoselectOnBlur&&e?this._select(e):(this.isActivated=!1,this.dropdown.empty(),this.dropdown.close()))},_onEnterKeyed:function(t,e){var n,r;n=this.dropdown.getDatumForCursor(),r=this.dropdown.getDatumForTopSuggestion(),n?(this._select(n),e.preventDefault()):this.autoselect&&r&&(this._select(r),e.preventDefault())},_onTabKeyed:function(t,e){var n;(n=this.dropdown.getDatumForCursor())?(this._select(n),e.preventDefault()):this._autocomplete(!0)},_onEscKeyed:function(){this.dropdown.close(),this.input.resetInputValue()},_onUpKeyed:function(){var t=this.input.getQuery();this.dropdown.isEmpty&&t.length>=this.minLength?this.dropdown.update(t):this.dropdown.moveCursorUp(),this.dropdown.open()},_onDownKeyed:function(){var t=this.input.getQuery();this.dropdown.isEmpty&&t.length>=this.minLength?this.dropdown.update(t):this.dropdown.moveCursorDown(),this.dropdown.open()},_onLeftKeyed:function(){"rtl"===this.dir&&this._autocomplete()},_onRightKeyed:function(){"ltr"===this.dir&&this._autocomplete()},_onQueryChanged:function(t,e){this.input.clearHintIfInvalid(),e.length>=this.minLength?this.dropdown.update(e):this.dropdown.empty(),this.dropdown.open(),this._setLanguageDirection()},_onWhitespaceChanged:function(){this._updateHint(),this.dropdown.open()},_setLanguageDirection:function(){var t=this.input.getLanguageDirection();this.dir!==t&&(this.dir=t,this.$node.css("direction",t),this.dropdown.setLanguageDirection(t))},_updateHint:function(){var t,e,n,r,i,o;t=this.dropdown.getDatumForTopSuggestion(),t&&this.dropdown.isVisible()&&!this.input.hasOverflow()?(e=this.input.getInputValue(),n=h.normalizeQuery(e),r=u.escapeRegExChars(n),i=new RegExp("^(?:"+r+")(.+$)","i"),o=i.exec(t.value),o?this.input.setHint(e+o[1]):this.input.clearHint()):this.input.clearHint()},_autocomplete:function(t){var e,n,r,i;e=this.input.getHint(),n=this.input.getQuery(),r=t||this.input.isCursorAtEnd(),e&&n!==e&&r&&(i=this.dropdown.getDatumForTopSuggestion(),i&&this.input.setInputValue(i.value),this.eventBus.trigger("autocompleted",i.raw,i.datasetName))},_select:function(t){void 0!==t.value&&this.input.setQuery(t.value),this.input.setInputValue(t.value,!0),this._setLanguageDirection(),!1===this.eventBus.trigger("selected",t.raw,t.datasetName).isDefaultPrevented()&&(this.dropdown.close(),u.defer(u.bind(this.dropdown.empty,this.dropdown)))},open:function(){if(!this.isActivated){var t=this.input.getInputValue();t.length>=this.minLength?this.dropdown.update(t):this.dropdown.empty()}this.dropdown.open()},close:function(){this.dropdown.close()},setVal:function(t){t=u.toStr(t),this.isActivated?this.input.setInputValue(t):(this.input.setQuery(t),this.input.setInputValue(t,!0)),this._setLanguageDirection()},getVal:function(){return this.input.getQuery()},destroy:function(){this.input.destroy(),this.dropdown.destroy(),s(this.$node,this.cssClasses),this.$node=null},getWrapper:function(){return this.dropdown.$container[0]}}),r.Dropdown=f,r.Input=h,r.sources=n(43),t.exports=r},function(t,e,n){"use strict";var r=n(0),i=n(16),o=n(15);t.exports=function(t,e){function n(n,i){t.search(n,e,function(t,e){if(t)return void r.error(t.message);i(e.hits,e)})}var s=o(t.as._ua);return s&&s[0]>=3&&s[1]>20&&(e=e||{},e.additionalUA="autocomplete.js "+i),n}},function(t,e,n){"use strict";t.exports={hits:n(42),popularIn:n(44)}},function(t,e,n){"use strict";var r=n(0),i=n(16),o=n(15);t.exports=function(t,e,n,s){function a(a,u){t.search(a,e,function(t,a){if(t)return void r.error(t.message);if(a.hits.length>0){var h=a.hits[0],f=r.mixin({hitsPerPage:0},n);delete f.source,delete f.index;var p=o(l.as._ua);return p&&p[0]>=3&&p[1]>20&&(e.additionalUA="autocomplete.js "+i),void l.search(c(h),f,function(t,e){if(t)return void r.error(t.message);var n=[];if(s.includeAll){var i=s.allTitle||"All departments";n.push(r.mixin({facet:{value:i,count:e.nbHits}},r.cloneDeep(h)))}r.each(e.facets,function(t,e){r.each(t,function(t,i){n.push(r.mixin({facet:{facet:e,value:i,count:t}},r.cloneDeep(h)))})});for(var o=1;o<a.hits.length;++o)n.push(a.hits[o]);u(n,a)})}u([])})}var u=o(t.as._ua);if(u&&u[0]>=3&&u[1]>20&&(e=e||{},e.additionalUA="autocomplete.js "+i),!n.source)return r.error("Missing 'source' key");var c=r.isFunction(n.source)?n.source:function(t){return t[n.source]};if(!n.index)return r.error("Missing 'index' key");var l=n.index;return s=s||{},a}},function(t,e,n){"use strict";function r(t,e,n,r){n=o.isArray(n)?n:[].slice.call(arguments,2);var c=i(t).each(function(t,o){var c=i(o),l=new u({el:c}),h=r||new a({input:c,eventBus:l,dropdownMenuContainer:e.dropdownMenuContainer,hint:void 0===e.hint||!!e.hint,minLength:e.minLength,autoselect:e.autoselect,autoselectOnBlur:e.autoselectOnBlur,openOnFocus:e.openOnFocus,templates:e.templates,debug:e.debug,cssClasses:e.cssClasses,datasets:n,keyboardShortcuts:e.keyboardShortcuts,appendTo:e.appendTo,autoWidth:e.autoWidth});c.data(s,h)});return c.autocomplete={},o.each(["open","close","getVal","setVal","destroy","getWrapper"],function(t){c.autocomplete[t]=function(){var e,n=arguments;return c.each(function(r,o){var a=i(o).data(s);e=a[t].apply(a,n)}),e}}),c}var i=n(17);n(1).element=i;var o=n(0);o.isArray=i.isArray,o.isFunction=i.isFunction,o.isObject=i.isPlainObject,o.bind=i.proxy,o.each=function(t,e){function n(t,n){return e(n,t)}i.each(t,n)},o.map=i.map,o.mixin=i.extend,o.Event=i.Event;var s="aaAutocomplete",a=n(41),u=n(13);r.sources=a.sources,r.escapeHighlightedString=o.escapeHighlightedString;var c="autocomplete"in window,l=window.autocomplete;r.noConflict=function(){return c?window.autocomplete=l:delete window.autocomplete,r},t.exports=r},function(t,e,n){"use strict";var r=n(21),i=function(t){return t&&t.__esModule?t:{default:t}}(r);t.exports=i.default},function(t,e,n){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}function i(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}Object.defineProperty(e,"__esModule",{value:!0});var o=Object.assign||function(t){for(var e=1;e<arguments.length;e++){var n=arguments[e];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(t[r]=n[r])}return t},s=function(){function t(t,e){for(var n=0;n<e.length;n++){var r=e[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(t,r.key,r)}}return function(e,n,r){return n&&t(e.prototype,n),r&&t(e,r),e}}(),a=n(54),u=r(a),c=n(24),l=r(c),h=n(37),f=r(h),p=n(48),d=r(p),g=n(49),m=r(g),v=n(18),y=r(v),b=n(19),w=r(b),_=function(){function t(e){var n=e.apiKey,r=e.indexName,s=e.inputSelector,a=e.appId,u=void 0===a?"BH4D9OD16A":a,c=e.debug,h=void 0!==c&&c,p=e.algoliaOptions,g=void 0===p?{}:p,m=e.autocompleteOptions,v=void 0===m?{debug:!1,hint:!1,autoselect:!0}:m,b=e.transformData,w=void 0!==b&&b,_=e.queryHook,x=void 0!==_&&_,S=e.handleSelected,C=void 0!==S&&S,A=e.enhancedSearchInput,E=void 0!==A&&A,T=e.layout,k=void 0===T?"collumns":T;i(this,t),t.checkArguments({apiKey:n,indexName:r,inputSelector:s,debug:h,algoliaOptions:g,autocompleteOptions:v,transformData:w,queryHook:x,handleSelected:C,enhancedSearchInput:E,layout:k}),this.apiKey=n,this.appId=u,this.indexName=r,this.input=t.getInputFromSelector(s),this.algoliaOptions=o({hitsPerPage:5},g);var O=!(!v||!v.debug)&&v.debug;v.debug=h||O,this.autocompleteOptions=v,this.autocompleteOptions.cssClasses={prefix:"ds"},C=C||this.handleSelected,this.isSimpleLayout="simple"===k,this.client=(0,l.default)(this.appId,this.apiKey),this.client.addAlgoliaAgent("docsearch.js "+y.default),E&&(this.input=t.injectSearchBox(this.input)),this.autocomplete=(0,f.default)(this.input,v,[{source:this.getAutocompleteSource(w,x),templates:{suggestion:t.getSuggestionTemplate(this.isSimpleLayout),footer:d.default.footer,empty:t.getEmptyTemplate()}}]),this.autocomplete.on("autocomplete:selected",C.bind(null,this.autocomplete.autocomplete)),this.autocomplete.on("autocomplete:shown",this.handleShown.bind(null,this.input)),E&&t.bindSearchBoxEvent()}return s(t,[{key:"getAutocompleteSource",value:function(e,n){var r=this;return function(i,o){n&&(i=n(i)||i),r.client.search([{indexName:r.indexName,query:i,params:r.algoliaOptions}]).then(function(n){var r=n.results[0].hits;e&&(r=e(r)||r),o(t.formatHits(r))})}}},{key:"handleSelected",value:function(t,e,n){t.setVal(""),window.location.href=n.url}},{key:"handleShown",value:function(t){var e=t.offset().left+t.width()/2,n=(0,w.default)(document).width()/2;isNaN(n)&&(n=900);var r=e-n>=0?"algolia-autocomplete-right":"algolia-autocomplete-left",i=e-n<0?"algolia-autocomplete-right":"algolia-autocomplete-left",o=(0,w.default)(".algolia-autocomplete");o.hasClass(r)||o.addClass(r),o.hasClass(i)&&o.removeClass(i)}}],[{key:"checkArguments",value:function(e){if(!e.apiKey||!e.indexName)throw new Error("Usage:\n  documentationSearch({\n  apiKey,\n  indexName,\n  inputSelector,\n  [ appId ],\n  [ algoliaOptions.{hitsPerPage} ]\n  [ autocompleteOptions.{hint,debug} ]\n})");if(!t.getInputFromSelector(e.inputSelector))throw new Error("Error: No input element in the page matches "+e.inputSelector)}},{key:"injectSearchBox",value:function(t){t.before(d.default.searchBox);var e=t.prev().prev().find("input");return t.remove(),e}},{key:"bindSearchBoxEvent",value:function(){(0,w.default)('.searchbox [type="reset"]').on("click",function(){(0,w.default)("input#docsearch").focus(),(0,w.default)(this).addClass("hide"),f.default.autocomplete.setVal("")}),(0,w.default)("input#docsearch").on("keyup",function(){var t=document.querySelector("input#docsearch"),e=document.querySelector('.searchbox [type="reset"]');e.className="searchbox__reset",0===t.value.length&&(e.className+=" hide")})}},{key:"getInputFromSelector",value:function(t){var e=(0,w.default)(t).filter("input");return e.length?(0,w.default)(e[0]):null}},{key:"formatHits",value:function(e){var n=m.default.deepClone(e),r=n.map(function(t){return t._highlightResult&&(t._highlightResult=m.default.mergeKeyWithParent(t._highlightResult,"hierarchy")),m.default.mergeKeyWithParent(t,"hierarchy")}),i=m.default.groupBy(r,"lvl0");return w.default.each(i,function(t,e){var n=m.default.groupBy(e,"lvl1"),r=m.default.flattenAndFlagFirst(n,"isSubCategoryHeader");i[t]=r}),i=m.default.flattenAndFlagFirst(i,"isCategoryHeader"),i.map(function(e){var n=t.formatURL(e),r=m.default.getHighlightedValue(e,"lvl0"),i=m.default.getHighlightedValue(e,"lvl1")||r,o=m.default.compact([m.default.getHighlightedValue(e,"lvl2")||i,m.default.getHighlightedValue(e,"lvl3"),m.default.getHighlightedValue(e,"lvl4"),m.default.getHighlightedValue(e,"lvl5"),m.default.getHighlightedValue(e,"lvl6")]).join('<span class="aa-suggestion-title-separator" aria-hidden="true"> › </span>'),s=m.default.getSnippetedValue(e,"content"),a=i&&""!==i||o&&""!==o,u=!i||""===i||i===r,c=o&&""!==o&&o!==i,l=!c&&i&&""!==i&&i!==r;return{isLvl0:!l&&!c,isLvl1:l,isLvl2:c,isLvl1EmptyOrDuplicate:u,isCategoryHeader:e.isCategoryHeader,isSubCategoryHeader:e.isSubCategoryHeader,isTextOrSubcatoryNonEmpty:a,category:r,subcategory:i,title:o,text:s,url:n}})}},{key:"formatURL",value:function(t){var e=t.url,n=t.anchor;if(e){return-1!==e.indexOf("#")?e:n?t.url+"#"+t.anchor:e}return n?"#"+t.anchor:(console.warn("no anchor nor url for : ",JSON.stringify(t)),null)}},{key:"getEmptyTemplate",value:function(){return function(t){return u.default.compile(d.default.empty).render(t)}}},{key:"getSuggestionTemplate",value:function(t){var e=t?d.default.suggestionSimple:d.default.suggestion,n=u.default.compile(e);return function(t){return n.render(t)}}}]),t}();e.default=_},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r="algolia-docsearch-suggestion",i={suggestion:'\n  <div class="'+r+"\n    {{#isCategoryHeader}}"+r+"__main{{/isCategoryHeader}}\n    {{#isSubCategoryHeader}}"+r+'__secondary{{/isSubCategoryHeader}}\n  ">\n    <div class="'+r+'--category-header">\n        <span class="'+r+'--category-header-lvl0">{{{category}}}</span>\n    </div>\n    <div class="'+r+'--wrapper">\n      <div class="'+r+'--subcategory-column">\n        <span class="'+r+'--subcategory-column-text">{{{subcategory}}}</span>\n      </div>\n      {{#isTextOrSubcatoryNonEmpty}}\n      <div class="'+r+'--content">\n        <div class="'+r+'--subcategory-inline">{{{subcategory}}}</div>\n        <div class="'+r+'--title">{{{title}}}</div>\n        {{#text}}<div class="'+r+'--text">{{{text}}}</div>{{/text}}\n      </div>\n      {{/isTextOrSubcatoryNonEmpty}}\n    </div>\n  </div>\n  ',suggestionSimple:'\n  <div class="'+r+"\n    {{#isCategoryHeader}}"+r+"__main{{/isCategoryHeader}}\n    {{#isSubCategoryHeader}}"+r+'__secondary{{/isSubCategoryHeader}}\n    suggestion-layout-simple\n  ">\n    <div class="'+r+'--category-header">\n        {{^isLvl0}}\n        <span class="'+r+"--category-header-lvl0 "+r+'--category-header-item">{{{category}}}</span>\n          {{^isLvl1}}\n          {{^isLvl1EmptyOrDuplicate}}\n          <span class="'+r+"--category-header-lvl1 "+r+'--category-header-item">\n              {{{subcategory}}}\n          </span>\n          {{/isLvl1EmptyOrDuplicate}}\n          {{/isLvl1}}\n        {{/isLvl0}}\n        <div class="'+r+"--title "+r+'--category-header-item">\n            {{#isLvl2}}\n                {{{title}}}\n            {{/isLvl2}}\n            {{#isLvl1}}\n                {{{subcategory}}}\n            {{/isLvl1}}\n            {{#isLvl0}}\n                {{{category}}}\n            {{/isLvl0}}\n        </div>\n    </div>\n    <div class="'+r+'--wrapper">\n      {{#text}}\n      <div class="'+r+'--content">\n        <div class="'+r+'--text">{{{text}}}</div>\n      </div>\n      {{/text}}\n    </div>\n  </div>\n  ',footer:'\n    <div class="algolia-docsearch-footer">\n      Search by <a class="algolia-docsearch-footer--logo" href="https://www.algolia.com/docsearch">Algolia</a>\n    </div>\n  ',empty:'\n  <div class="'+r+'">\n    <div class="'+r+'--wrapper">\n        <div class="'+r+"--content "+r+'--no-results">\n            <div class="'+r+'--title">\n                <div class="'+r+'--text">\n                    No results found for query <b>"{{query}}"</b>\n                </div>\n            </div>\n        </div>\n    </div>\n  </div>\n  ',searchBox:'\n  <form novalidate="novalidate" onsubmit="return false;" class="searchbox">\n    <div role="search" class="searchbox__wrapper">\n      <input id="docsearch" type="search" name="search" placeholder="Search the docs" autocomplete="off" required="required" class="searchbox__input"/>\n      <button type="submit" title="Submit your search query." class="searchbox__submit" >\n        <svg width=12 height=12 role="img" aria-label="Search">\n          <use xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="#sbx-icon-search-13"></use>\n        </svg>\n      </button>\n      <button type="reset" title="Clear the search query." class="searchbox__reset hide">\n        <svg width=12 height=12 role="img" aria-label="Reset">\n          <use xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="#sbx-icon-clear-3"></use>\n        </svg>\n      </button>\n    </div>\n</form>\n\n<div class="svg-icons" style="height: 0; width: 0; position: absolute; visibility: hidden">\n  <svg xmlns="http://www.w3.org/2000/svg">\n    <symbol id="sbx-icon-clear-3" viewBox="0 0 40 40"><path d="M16.228 20L1.886 5.657 0 3.772 3.772 0l1.885 1.886L20 16.228 34.343 1.886 36.228 0 40 3.772l-1.886 1.885L23.772 20l14.342 14.343L40 36.228 36.228 40l-1.885-1.886L20 23.772 5.657 38.114 3.772 40 0 36.228l1.886-1.885L16.228 20z" fill-rule="evenodd"></symbol>\n    <symbol id="sbx-icon-search-13" viewBox="0 0 40 40"><path d="M26.806 29.012a16.312 16.312 0 0 1-10.427 3.746C7.332 32.758 0 25.425 0 16.378 0 7.334 7.333 0 16.38 0c9.045 0 16.378 7.333 16.378 16.38 0 3.96-1.406 7.593-3.746 10.426L39.547 37.34c.607.608.61 1.59-.004 2.203a1.56 1.56 0 0 1-2.202.004L26.807 29.012zm-10.427.627c7.322 0 13.26-5.938 13.26-13.26 0-7.324-5.938-13.26-13.26-13.26-7.324 0-13.26 5.936-13.26 13.26 0 7.322 5.936 13.26 13.26 13.26z" fill-rule="evenodd"></symbol>\n  </svg>\n</div>\n  '};e.default=i},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},i=n(19),o=function(t){return t&&t.__esModule?t:{default:t}}(i),s={mergeKeyWithParent:function(t,e){if(void 0===t[e])return t;if("object"!==r(t[e]))return t;var n=o.default.extend({},t,t[e]);return delete n[e],n},groupBy:function(t,e){var n={};return o.default.each(t,function(t,r){if(void 0===r[e])throw new Error("[groupBy]: Object has no key "+e);var i=r[e];"string"==typeof i&&(i=i.toLowerCase()),Object.prototype.hasOwnProperty.call(n,i)||(n[i]=[]),n[i].push(r)}),n},values:function(t){return Object.keys(t).map(function(e){return t[e]})},flatten:function(t){var e=[];return t.forEach(function(t){if(!Array.isArray(t))return void e.push(t);t.forEach(function(t){e.push(t)})}),e},flattenAndFlagFirst:function(t,e){var n=this.values(t).map(function(t){return t.map(function(t,n){return t[e]=0===n,t})});return this.flatten(n)},compact:function(t){var e=[];return t.forEach(function(t){t&&e.push(t)}),e},getHighlightedValue:function(t,e){return t._highlightResult&&t._highlightResult.hierarchy_camel&&t._highlightResult.hierarchy_camel[e]&&t._highlightResult.hierarchy_camel[e].matchLevel&&"none"!==t._highlightResult.hierarchy_camel[e].matchLevel&&t._highlightResult.hierarchy_camel[e].value?t._highlightResult.hierarchy_camel[e].value:t._highlightResult&&t._highlightResult&&t._highlightResult[e]&&t._highlightResult[e].value?t._highlightResult[e].value:t[e]},getSnippetedValue:function(t,e){if(!t._snippetResult||!t._snippetResult[e]||!t._snippetResult[e].value)return t[e];var n=t._snippetResult[e].value;return n[0]!==n[0].toUpperCase()&&(n="…"+n),-1===[".","!","?"].indexOf(n[n.length-1])&&(n+="…"),n},deepClone:function(t){return JSON.parse(JSON.stringify(t))}};e.default=s},function(t,e,n){function r(){return e.colors[l++%e.colors.length]}function i(t){function n(){}function i(){var t=i,n=+new Date,o=n-(c||n);t.diff=o,t.prev=c,t.curr=n,c=n,null==t.useColors&&(t.useColors=e.useColors()),null==t.color&&t.useColors&&(t.color=r());for(var s=new Array(arguments.length),a=0;a<s.length;a++)s[a]=arguments[a];s[0]=e.coerce(s[0]),"string"!=typeof s[0]&&(s=["%o"].concat(s));var u=0;s[0]=s[0].replace(/%([a-z%])/g,function(n,r){if("%%"===n)return n;u++;var i=e.formatters[r];if("function"==typeof i){var o=s[u];n=i.call(t,o),s.splice(u,1),u--}return n}),s=e.formatArgs.apply(t,s),(i.log||e.log||console.log.bind(console)).apply(t,s)}n.enabled=!1,i.enabled=!0;var o=e.enabled(t)?i:n;return o.namespace=t,o}function o(t){e.save(t);for(var n=(t||"").split(/[\s,]+/),r=n.length,i=0;i<r;i++)n[i]&&(t=n[i].replace(/[\\^$+?.()|[\]{}]/g,"\\$&").replace(/\*/g,".*?"),"-"===t[0]?e.skips.push(new RegExp("^"+t.substr(1)+"$")):e.names.push(new RegExp("^"+t+"$")))}function s(){e.enable("")}function a(t){var n,r;for(n=0,r=e.skips.length;n<r;n++)if(e.skips[n].test(t))return!1;for(n=0,r=e.names.length;n<r;n++)if(e.names[n].test(t))return!0;return!1}function u(t){return t instanceof Error?t.stack||t.message:t}e=t.exports=i.debug=i,e.coerce=u,e.disable=s,e.enable=o,e.enabled=a,e.humanize=n(62),e.names=[],e.skips=[],e.formatters={};var c,l=0},function(t,e,n){(function(e,r){/*!
++(function(f){if(true){module.exports=f()}else if(typeof define==="function"&&define.amd){define([],f)}else{var g;if(typeof window!=="undefined"){g=window}else if(typeof global!=="undefined"){g=global}else if(typeof self!=="undefined"){g=self}else{g=this}g.Clipboard = f()}})(function(){var define,module,exports;return (function e(t,n,r){function s(o,u){if(!n[o]){if(!t[o]){var a=typeof require=="function"&&require;if(!u&&a)return require(o,!0);if(i)return i(o,!0);var f=new Error("Cannot find module '"+o+"'");throw f.code="MODULE_NOT_FOUND",f}var l=n[o]={exports:{}};t[o][0].call(l.exports,function(e){var n=t[o][1][e];return s(n?n:e)},l,l.exports,e,t,n,r)}return n[o].exports}var i=typeof require=="function"&&require;for(var o=0;o<r.length;o++)s(r[o]);return s})({1:[function(require,module,exports){
++var DOCUMENT_NODE_TYPE = 9;
++
++/**
++ * A polyfill for Element.matches()
++ */
++if (typeof Element !== 'undefined' && !Element.prototype.matches) {
++    var proto = Element.prototype;
++
++    proto.matches = proto.matchesSelector ||
++                    proto.mozMatchesSelector ||
++                    proto.msMatchesSelector ||
++                    proto.oMatchesSelector ||
++                    proto.webkitMatchesSelector;
++}
++
++/**
++ * Finds the closest parent that matches a selector.
++ *
++ * @param {Element} element
++ * @param {String} selector
++ * @return {Function}
++ */
++function closest (element, selector) {
++    while (element && element.nodeType !== DOCUMENT_NODE_TYPE) {
++        if (typeof element.matches === 'function' &&
++            element.matches(selector)) {
++          return element;
++        }
++        element = element.parentNode;
++    }
++}
++
++module.exports = closest;
++
++},{}],2:[function(require,module,exports){
++var closest = require('./closest');
++
++/**
++ * Delegates event to a selector.
++ *
++ * @param {Element} element
++ * @param {String} selector
++ * @param {String} type
++ * @param {Function} callback
++ * @param {Boolean} useCapture
++ * @return {Object}
++ */
++function delegate(element, selector, type, callback, useCapture) {
++    var listenerFn = listener.apply(this, arguments);
++
++    element.addEventListener(type, listenerFn, useCapture);
++
++    return {
++        destroy: function() {
++            element.removeEventListener(type, listenerFn, useCapture);
++        }
++    }
++}
++
++/**
++ * Finds closest match and invokes callback.
++ *
++ * @param {Element} element
++ * @param {String} selector
++ * @param {String} type
++ * @param {Function} callback
++ * @return {Function}
++ */
++function listener(element, selector, type, callback) {
++    return function(e) {
++        e.delegateTarget = closest(e.target, selector);
++
++        if (e.delegateTarget) {
++            callback.call(element, e);
++        }
++    }
++}
++
++module.exports = delegate;
++
++},{"./closest":1}],3:[function(require,module,exports){
++/**
++ * Check if argument is a HTML element.
++ *
++ * @param {Object} value
++ * @return {Boolean}
++ */
++exports.node = function(value) {
++    return value !== undefined
++        && value instanceof HTMLElement
++        && value.nodeType === 1;
++};
++
++/**
++ * Check if argument is a list of HTML elements.
++ *
++ * @param {Object} value
++ * @return {Boolean}
++ */
++exports.nodeList = function(value) {
++    var type = Object.prototype.toString.call(value);
++
++    return value !== undefined
++        && (type === '[object NodeList]' || type === '[object HTMLCollection]')
++        && ('length' in value)
++        && (value.length === 0 || exports.node(value[0]));
++};
++
++/**
++ * Check if argument is a string.
++ *
++ * @param {Object} value
++ * @return {Boolean}
++ */
++exports.string = function(value) {
++    return typeof value === 'string'
++        || value instanceof String;
++};
++
++/**
++ * Check if argument is a function.
++ *
++ * @param {Object} value
++ * @return {Boolean}
++ */
++exports.fn = function(value) {
++    var type = Object.prototype.toString.call(value);
++
++    return type === '[object Function]';
++};
++
++},{}],4:[function(require,module,exports){
++var is = require('./is');
++var delegate = require('delegate');
++
++/**
++ * Validates all params and calls the right
++ * listener function based on its target type.
++ *
++ * @param {String|HTMLElement|HTMLCollection|NodeList} target
++ * @param {String} type
++ * @param {Function} callback
++ * @return {Object}
++ */
++function listen(target, type, callback) {
++    if (!target && !type && !callback) {
++        throw new Error('Missing required arguments');
++    }
++
++    if (!is.string(type)) {
++        throw new TypeError('Second argument must be a String');
++    }
++
++    if (!is.fn(callback)) {
++        throw new TypeError('Third argument must be a Function');
++    }
++
++    if (is.node(target)) {
++        return listenNode(target, type, callback);
++    }
++    else if (is.nodeList(target)) {
++        return listenNodeList(target, type, callback);
++    }
++    else if (is.string(target)) {
++        return listenSelector(target, type, callback);
++    }
++    else {
++        throw new TypeError('First argument must be a String, HTMLElement, HTMLCollection, or NodeList');
++    }
++}
++
++/**
++ * Adds an event listener to a HTML element
++ * and returns a remove listener function.
++ *
++ * @param {HTMLElement} node
++ * @param {String} type
++ * @param {Function} callback
++ * @return {Object}
++ */
++function listenNode(node, type, callback) {
++    node.addEventListener(type, callback);
++
++    return {
++        destroy: function() {
++            node.removeEventListener(type, callback);
++        }
++    }
++}
++
++/**
++ * Add an event listener to a list of HTML elements
++ * and returns a remove listener function.
++ *
++ * @param {NodeList|HTMLCollection} nodeList
++ * @param {String} type
++ * @param {Function} callback
++ * @return {Object}
++ */
++function listenNodeList(nodeList, type, callback) {
++    Array.prototype.forEach.call(nodeList, function(node) {
++        node.addEventListener(type, callback);
++    });
++
++    return {
++        destroy: function() {
++            Array.prototype.forEach.call(nodeList, function(node) {
++                node.removeEventListener(type, callback);
++            });
++        }
++    }
++}
++
++/**
++ * Add an event listener to a selector
++ * and returns a remove listener function.
++ *
++ * @param {String} selector
++ * @param {String} type
++ * @param {Function} callback
++ * @return {Object}
++ */
++function listenSelector(selector, type, callback) {
++    return delegate(document.body, selector, type, callback);
++}
++
++module.exports = listen;
++
++},{"./is":3,"delegate":2}],5:[function(require,module,exports){
++function select(element) {
++    var selectedText;
++
++    if (element.nodeName === 'SELECT') {
++        element.focus();
++
++        selectedText = element.value;
++    }
++    else if (element.nodeName === 'INPUT' || element.nodeName === 'TEXTAREA') {
++        var isReadOnly = element.hasAttribute('readonly');
++
++        if (!isReadOnly) {
++            element.setAttribute('readonly', '');
++        }
++
++        element.select();
++        element.setSelectionRange(0, element.value.length);
++
++        if (!isReadOnly) {
++            element.removeAttribute('readonly');
++        }
++
++        selectedText = element.value;
++    }
++    else {
++        if (element.hasAttribute('contenteditable')) {
++            element.focus();
++        }
++
++        var selection = window.getSelection();
++        var range = document.createRange();
++
++        range.selectNodeContents(element);
++        selection.removeAllRanges();
++        selection.addRange(range);
++
++        selectedText = selection.toString();
++    }
++
++    return selectedText;
++}
++
++module.exports = select;
++
++},{}],6:[function(require,module,exports){
++function E () {
++  // Keep this empty so it's easier to inherit from
++  // (via https://github.com/lipsmack from https://github.com/scottcorgan/tiny-emitter/issues/3)
++}
++
++E.prototype = {
++  on: function (name, callback, ctx) {
++    var e = this.e || (this.e = {});
++
++    (e[name] || (e[name] = [])).push({
++      fn: callback,
++      ctx: ctx
++    });
++
++    return this;
++  },
++
++  once: function (name, callback, ctx) {
++    var self = this;
++    function listener () {
++      self.off(name, listener);
++      callback.apply(ctx, arguments);
++    };
++
++    listener._ = callback
++    return this.on(name, listener, ctx);
++  },
++
++  emit: function (name) {
++    var data = [].slice.call(arguments, 1);
++    var evtArr = ((this.e || (this.e = {}))[name] || []).slice();
++    var i = 0;
++    var len = evtArr.length;
++
++    for (i; i < len; i++) {
++      evtArr[i].fn.apply(evtArr[i].ctx, data);
++    }
++
++    return this;
++  },
++
++  off: function (name, callback) {
++    var e = this.e || (this.e = {});
++    var evts = e[name];
++    var liveEvents = [];
++
++    if (evts && callback) {
++      for (var i = 0, len = evts.length; i < len; i++) {
++        if (evts[i].fn !== callback && evts[i].fn._ !== callback)
++          liveEvents.push(evts[i]);
++      }
++    }
++
++    // Remove event from queue to prevent memory leak
++    // Suggested by https://github.com/lazd
++    // Ref: https://github.com/scottcorgan/tiny-emitter/commit/c6ebfaa9bc973b33d110a84a307742b7cf94c953#commitcomment-5024910
++
++    (liveEvents.length)
++      ? e[name] = liveEvents
++      : delete e[name];
++
++    return this;
++  }
++};
++
++module.exports = E;
++
++},{}],7:[function(require,module,exports){
++(function (global, factory) {
++    if (typeof define === "function" && define.amd) {
++        define(['module', 'select'], factory);
++    } else if (typeof exports !== "undefined") {
++        factory(module, require('select'));
++    } else {
++        var mod = {
++            exports: {}
++        };
++        factory(mod, global.select);
++        global.clipboardAction = mod.exports;
++    }
++})(this, function (module, _select) {
++    'use strict';
++
++    var _select2 = _interopRequireDefault(_select);
++
++    function _interopRequireDefault(obj) {
++        return obj && obj.__esModule ? obj : {
++            default: obj
++        };
++    }
++
++    var _typeof = typeof Symbol === "function" && typeof Symbol.iterator === "symbol" ? function (obj) {
++        return typeof obj;
++    } : function (obj) {
++        return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj;
++    };
++
++    function _classCallCheck(instance, Constructor) {
++        if (!(instance instanceof Constructor)) {
++            throw new TypeError("Cannot call a class as a function");
++        }
++    }
++
++    var _createClass = function () {
++        function defineProperties(target, props) {
++            for (var i = 0; i < props.length; i++) {
++                var descriptor = props[i];
++                descriptor.enumerable = descriptor.enumerable || false;
++                descriptor.configurable = true;
++                if ("value" in descriptor) descriptor.writable = true;
++                Object.defineProperty(target, descriptor.key, descriptor);
++            }
++        }
++
++        return function (Constructor, protoProps, staticProps) {
++            if (protoProps) defineProperties(Constructor.prototype, protoProps);
++            if (staticProps) defineProperties(Constructor, staticProps);
++            return Constructor;
++        };
++    }();
++
++    var ClipboardAction = function () {
++        /**
++         * @param {Object} options
++         */
++        function ClipboardAction(options) {
++            _classCallCheck(this, ClipboardAction);
++
++            this.resolveOptions(options);
++            this.initSelection();
++        }
++
++        /**
++         * Defines base properties passed from constructor.
++         * @param {Object} options
++         */
++
++
++        _createClass(ClipboardAction, [{
++            key: 'resolveOptions',
++            value: function resolveOptions() {
++                var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};
++
++                this.action = options.action;
++                this.container = options.container;
++                this.emitter = options.emitter;
++                this.target = options.target;
++                this.text = options.text;
++                this.trigger = options.trigger;
++
++                this.selectedText = '';
++            }
++        }, {
++            key: 'initSelection',
++            value: function initSelection() {
++                if (this.text) {
++                    this.selectFake();
++                } else if (this.target) {
++                    this.selectTarget();
++                }
++            }
++        }, {
++            key: 'selectFake',
++            value: function selectFake() {
++                var _this = this;
++
++                var isRTL = document.documentElement.getAttribute('dir') == 'rtl';
++
++                this.removeFake();
++
++                this.fakeHandlerCallback = function () {
++                    return _this.removeFake();
++                };
++                this.fakeHandler = this.container.addEventListener('click', this.fakeHandlerCallback) || true;
++
++                this.fakeElem = document.createElement('textarea');
++                // Prevent zooming on iOS
++                this.fakeElem.style.fontSize = '12pt';
++                // Reset box model
++                this.fakeElem.style.border = '0';
++                this.fakeElem.style.padding = '0';
++                this.fakeElem.style.margin = '0';
++                // Move element out of screen horizontally
++                this.fakeElem.style.position = 'absolute';
++                this.fakeElem.style[isRTL ? 'right' : 'left'] = '-9999px';
++                // Move element to the same position vertically
++                var yPosition = window.pageYOffset || document.documentElement.scrollTop;
++                this.fakeElem.style.top = yPosition + 'px';
++
++                this.fakeElem.setAttribute('readonly', '');
++                this.fakeElem.value = this.text;
++
++                this.container.appendChild(this.fakeElem);
++
++                this.selectedText = (0, _select2.default)(this.fakeElem);
++                this.copyText();
++            }
++        }, {
++            key: 'removeFake',
++            value: function removeFake() {
++                if (this.fakeHandler) {
++                    this.container.removeEventListener('click', this.fakeHandlerCallback);
++                    this.fakeHandler = null;
++                    this.fakeHandlerCallback = null;
++                }
++
++                if (this.fakeElem) {
++                    this.container.removeChild(this.fakeElem);
++                    this.fakeElem = null;
++                }
++            }
++        }, {
++            key: 'selectTarget',
++            value: function selectTarget() {
++                this.selectedText = (0, _select2.default)(this.target);
++                this.copyText();
++            }
++        }, {
++            key: 'copyText',
++            value: function copyText() {
++                var succeeded = void 0;
++
++                try {
++                    succeeded = document.execCommand(this.action);
++                } catch (err) {
++                    succeeded = false;
++                }
++
++                this.handleResult(succeeded);
++            }
++        }, {
++            key: 'handleResult',
++            value: function handleResult(succeeded) {
++                this.emitter.emit(succeeded ? 'success' : 'error', {
++                    action: this.action,
++                    text: this.selectedText,
++                    trigger: this.trigger,
++                    clearSelection: this.clearSelection.bind(this)
++                });
++            }
++        }, {
++            key: 'clearSelection',
++            value: function clearSelection() {
++                if (this.trigger) {
++                    this.trigger.focus();
++                }
++
++                window.getSelection().removeAllRanges();
++            }
++        }, {
++            key: 'destroy',
++            value: function destroy() {
++                this.removeFake();
++            }
++        }, {
++            key: 'action',
++            set: function set() {
++                var action = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : 'copy';
++
++                this._action = action;
++
++                if (this._action !== 'copy' && this._action !== 'cut') {
++                    throw new Error('Invalid "action" value, use either "copy" or "cut"');
++                }
++            },
++            get: function get() {
++                return this._action;
++            }
++        }, {
++            key: 'target',
++            set: function set(target) {
++                if (target !== undefined) {
++                    if (target && (typeof target === 'undefined' ? 'undefined' : _typeof(target)) === 'object' && target.nodeType === 1) {
++                        if (this.action === 'copy' && target.hasAttribute('disabled')) {
++                            throw new Error('Invalid "target" attribute. Please use "readonly" instead of "disabled" attribute');
++                        }
++
++                        if (this.action === 'cut' && (target.hasAttribute('readonly') || target.hasAttribute('disabled'))) {
++                            throw new Error('Invalid "target" attribute. You can\'t cut text from elements with "readonly" or "disabled" attributes');
++                        }
++
++                        this._target = target;
++                    } else {
++                        throw new Error('Invalid "target" value, use a valid Element');
++                    }
++                }
++            },
++            get: function get() {
++                return this._target;
++            }
++        }]);
++
++        return ClipboardAction;
++    }();
++
++    module.exports = ClipboardAction;
++});
++
++},{"select":5}],8:[function(require,module,exports){
++(function (global, factory) {
++    if (typeof define === "function" && define.amd) {
++        define(['module', './clipboard-action', 'tiny-emitter', 'good-listener'], factory);
++    } else if (typeof exports !== "undefined") {
++        factory(module, require('./clipboard-action'), require('tiny-emitter'), require('good-listener'));
++    } else {
++        var mod = {
++            exports: {}
++        };
++        factory(mod, global.clipboardAction, global.tinyEmitter, global.goodListener);
++        global.clipboard = mod.exports;
++    }
++})(this, function (module, _clipboardAction, _tinyEmitter, _goodListener) {
++    'use strict';
++
++    var _clipboardAction2 = _interopRequireDefault(_clipboardAction);
++
++    var _tinyEmitter2 = _interopRequireDefault(_tinyEmitter);
++
++    var _goodListener2 = _interopRequireDefault(_goodListener);
++
++    function _interopRequireDefault(obj) {
++        return obj && obj.__esModule ? obj : {
++            default: obj
++        };
++    }
++
++    var _typeof = typeof Symbol === "function" && typeof Symbol.iterator === "symbol" ? function (obj) {
++        return typeof obj;
++    } : function (obj) {
++        return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj;
++    };
++
++    function _classCallCheck(instance, Constructor) {
++        if (!(instance instanceof Constructor)) {
++            throw new TypeError("Cannot call a class as a function");
++        }
++    }
++
++    var _createClass = function () {
++        function defineProperties(target, props) {
++            for (var i = 0; i < props.length; i++) {
++                var descriptor = props[i];
++                descriptor.enumerable = descriptor.enumerable || false;
++                descriptor.configurable = true;
++                if ("value" in descriptor) descriptor.writable = true;
++                Object.defineProperty(target, descriptor.key, descriptor);
++            }
++        }
++
++        return function (Constructor, protoProps, staticProps) {
++            if (protoProps) defineProperties(Constructor.prototype, protoProps);
++            if (staticProps) defineProperties(Constructor, staticProps);
++            return Constructor;
++        };
++    }();
++
++    function _possibleConstructorReturn(self, call) {
++        if (!self) {
++            throw new ReferenceError("this hasn't been initialised - super() hasn't been called");
++        }
++
++        return call && (typeof call === "object" || typeof call === "function") ? call : self;
++    }
++
++    function _inherits(subClass, superClass) {
++        if (typeof superClass !== "function" && superClass !== null) {
++            throw new TypeError("Super expression must either be null or a function, not " + typeof superClass);
++        }
++
++        subClass.prototype = Object.create(superClass && superClass.prototype, {
++            constructor: {
++                value: subClass,
++                enumerable: false,
++                writable: true,
++                configurable: true
++            }
++        });
++        if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass;
++    }
++
++    var Clipboard = function (_Emitter) {
++        _inherits(Clipboard, _Emitter);
++
++        /**
++         * @param {String|HTMLElement|HTMLCollection|NodeList} trigger
++         * @param {Object} options
++         */
++        function Clipboard(trigger, options) {
++            _classCallCheck(this, Clipboard);
++
++            var _this = _possibleConstructorReturn(this, (Clipboard.__proto__ || Object.getPrototypeOf(Clipboard)).call(this));
++
++            _this.resolveOptions(options);
++            _this.listenClick(trigger);
++            return _this;
++        }
++
++        /**
++         * Defines if attributes would be resolved using internal setter functions
++         * or custom functions that were passed in the constructor.
++         * @param {Object} options
++         */
++
++
++        _createClass(Clipboard, [{
++            key: 'resolveOptions',
++            value: function resolveOptions() {
++                var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};
++
++                this.action = typeof options.action === 'function' ? options.action : this.defaultAction;
++                this.target = typeof options.target === 'function' ? options.target : this.defaultTarget;
++                this.text = typeof options.text === 'function' ? options.text : this.defaultText;
++                this.container = _typeof(options.container) === 'object' ? options.container : document.body;
++            }
++        }, {
++            key: 'listenClick',
++            value: function listenClick(trigger) {
++                var _this2 = this;
++
++                this.listener = (0, _goodListener2.default)(trigger, 'click', function (e) {
++                    return _this2.onClick(e);
++                });
++            }
++        }, {
++            key: 'onClick',
++            value: function onClick(e) {
++                var trigger = e.delegateTarget || e.currentTarget;
++
++                if (this.clipboardAction) {
++                    this.clipboardAction = null;
++                }
++
++                this.clipboardAction = new _clipboardAction2.default({
++                    action: this.action(trigger),
++                    target: this.target(trigger),
++                    text: this.text(trigger),
++                    container: this.container,
++                    trigger: trigger,
++                    emitter: this
++                });
++            }
++        }, {
++            key: 'defaultAction',
++            value: function defaultAction(trigger) {
++                return getAttributeValue('action', trigger);
++            }
++        }, {
++            key: 'defaultTarget',
++            value: function defaultTarget(trigger) {
++                var selector = getAttributeValue('target', trigger);
++
++                if (selector) {
++                    return document.querySelector(selector);
++                }
++            }
++        }, {
++            key: 'defaultText',
++            value: function defaultText(trigger) {
++                return getAttributeValue('text', trigger);
++            }
++        }, {
++            key: 'destroy',
++            value: function destroy() {
++                this.listener.destroy();
++
++                if (this.clipboardAction) {
++                    this.clipboardAction.destroy();
++                    this.clipboardAction = null;
++                }
++            }
++        }], [{
++            key: 'isSupported',
++            value: function isSupported() {
++                var action = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : ['copy', 'cut'];
++
++                var actions = typeof action === 'string' ? [action] : action;
++                var support = !!document.queryCommandSupported;
++
++                actions.forEach(function (action) {
++                    support = support && !!document.queryCommandSupported(action);
++                });
++
++                return support;
++            }
++        }]);
++
++        return Clipboard;
++    }(_tinyEmitter2.default);
++
++    /**
++     * Helper function to retrieve attribute value.
++     * @param {String} suffix
++     * @param {Element} element
++     */
++    function getAttributeValue(suffix, element) {
++        var attribute = 'data-clipboard-' + suffix;
++
++        if (!element.hasAttribute(attribute)) {
++            return;
++        }
++
++        return element.getAttribute(attribute);
++    }
++
++    module.exports = Clipboard;
++});
++
++},{"./clipboard-action":7,"good-listener":4,"tiny-emitter":6}]},{},[8])(8)
++});
++
++/***/ }),
++/* 13 */
++/***/ (function(module, exports, __webpack_require__) {
++
++/*! docsearch 2.3.3 | © Algolia | github.com/algolia/docsearch */
++(function webpackUniversalModuleDefinition(root, factory) {
++      if(true)
++              module.exports = factory();
++      else if(typeof define === 'function' && define.amd)
++              define([], factory);
++      else if(typeof exports === 'object')
++              exports["docsearch"] = factory();
++      else
++              root["docsearch"] = factory();
++})(this, function() {
++return /******/ (function(modules) { // webpackBootstrap
++/******/      // The module cache
++/******/      var installedModules = {};
++/******/
++/******/      // The require function
++/******/      function __webpack_require__(moduleId) {
++/******/
++/******/              // Check if module is in cache
++/******/              if(installedModules[moduleId])
++/******/                      return installedModules[moduleId].exports;
++/******/
++/******/              // Create a new module (and put it into the cache)
++/******/              var module = installedModules[moduleId] = {
++/******/                      i: moduleId,
++/******/                      l: false,
++/******/                      exports: {}
++/******/              };
++/******/
++/******/              // Execute the module function
++/******/              modules[moduleId].call(module.exports, module, module.exports, __webpack_require__);
++/******/
++/******/              // Flag the module as loaded
++/******/              module.l = true;
++/******/
++/******/              // Return the exports of the module
++/******/              return module.exports;
++/******/      }
++/******/
++/******/
++/******/      // expose the modules object (__webpack_modules__)
++/******/      __webpack_require__.m = modules;
++/******/
++/******/      // expose the module cache
++/******/      __webpack_require__.c = installedModules;
++/******/
++/******/      // identity function for calling harmony imports with the correct context
++/******/      __webpack_require__.i = function(value) { return value; };
++/******/
++/******/      // define getter function for harmony exports
++/******/      __webpack_require__.d = function(exports, name, getter) {
++/******/              if(!__webpack_require__.o(exports, name)) {
++/******/                      Object.defineProperty(exports, name, {
++/******/                              configurable: false,
++/******/                              enumerable: true,
++/******/                              get: getter
++/******/                      });
++/******/              }
++/******/      };
++/******/
++/******/      // getDefaultExport function for compatibility with non-harmony modules
++/******/      __webpack_require__.n = function(module) {
++/******/              var getter = module && module.__esModule ?
++/******/                      function getDefault() { return module['default']; } :
++/******/                      function getModuleExports() { return module; };
++/******/              __webpack_require__.d(getter, 'a', getter);
++/******/              return getter;
++/******/      };
++/******/
++/******/      // Object.prototype.hasOwnProperty.call
++/******/      __webpack_require__.o = function(object, property) { return Object.prototype.hasOwnProperty.call(object, property); };
++/******/
++/******/      // __webpack_public_path__
++/******/      __webpack_require__.p = "";
++/******/
++/******/      // Load entry module and return exports
++/******/      return __webpack_require__(__webpack_require__.s = 46);
++/******/ })
++/************************************************************************/
++/******/ ([
++/* 0 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var DOM = __webpack_require__(1);
++
++function escapeRegExp(str) {
++  return str.replace(/[\-\[\]\/\{\}\(\)\*\+\?\.\\\^\$\|]/g, '\\$&');
++}
++
++module.exports = {
++  // those methods are implemented differently
++  // depending on which build it is, using
++  // $... or angular... or Zepto... or require(...)
++  isArray: null,
++  isFunction: null,
++  isObject: null,
++  bind: null,
++  each: null,
++  map: null,
++  mixin: null,
++
++  isMsie: function() {
++    // from https://github.com/ded/bowser/blob/master/bowser.js
++    return (/(msie|trident)/i).test(navigator.userAgent) ?
++      navigator.userAgent.match(/(msie |rv:)(\d+(.\d+)?)/i)[2] : false;
++  },
++
++  // http://stackoverflow.com/a/6969486
++  escapeRegExChars: function(str) {
++    return str.replace(/[\-\[\]\/\{\}\(\)\*\+\?\.\\\^\$\|]/g, '\\$&');
++  },
++
++  isNumber: function(obj) { return typeof obj === 'number'; },
++
++  toStr: function toStr(s) {
++    return s === undefined || s === null ? '' : s + '';
++  },
++
++  cloneDeep: function cloneDeep(obj) {
++    var clone = this.mixin({}, obj);
++    var self = this;
++    this.each(clone, function(value, key) {
++      if (value) {
++        if (self.isArray(value)) {
++          clone[key] = [].concat(value);
++        } else if (self.isObject(value)) {
++          clone[key] = self.cloneDeep(value);
++        }
++      }
++    });
++    return clone;
++  },
++
++  error: function(msg) {
++    throw new Error(msg);
++  },
++
++  every: function(obj, test) {
++    var result = true;
++    if (!obj) {
++      return result;
++    }
++    this.each(obj, function(val, key) {
++      result = test.call(null, val, key, obj);
++      if (!result) {
++        return false;
++      }
++    });
++    return !!result;
++  },
++
++  any: function(obj, test) {
++    var found = false;
++    if (!obj) {
++      return found;
++    }
++    this.each(obj, function(val, key) {
++      if (test.call(null, val, key, obj)) {
++        found = true;
++        return false;
++      }
++    });
++    return found;
++  },
++
++  getUniqueId: (function() {
++    var counter = 0;
++    return function() { return counter++; };
++  })(),
++
++  templatify: function templatify(obj) {
++    if (this.isFunction(obj)) {
++      return obj;
++    }
++    var $template = DOM.element(obj);
++    if ($template.prop('tagName') === 'SCRIPT') {
++      return function template() { return $template.text(); };
++    }
++    return function template() { return String(obj); };
++  },
++
++  defer: function(fn) { setTimeout(fn, 0); },
++
++  noop: function() {},
++
++  formatPrefix: function(prefix, noPrefix) {
++    return noPrefix ? '' : prefix + '-';
++  },
++
++  className: function(prefix, clazz, skipDot) {
++    return (skipDot ? '' : '.') + prefix + clazz;
++  },
++
++  escapeHighlightedString: function(str, highlightPreTag, highlightPostTag) {
++    highlightPreTag = highlightPreTag || '<em>';
++    var pre = document.createElement('div');
++    pre.appendChild(document.createTextNode(highlightPreTag));
++
++    highlightPostTag = highlightPostTag || '</em>';
++    var post = document.createElement('div');
++    post.appendChild(document.createTextNode(highlightPostTag));
++
++    var div = document.createElement('div');
++    div.appendChild(document.createTextNode(str));
++    return div.innerHTML
++      .replace(RegExp(escapeRegExp(pre.innerHTML), 'g'), highlightPreTag)
++      .replace(RegExp(escapeRegExp(post.innerHTML), 'g'), highlightPostTag);
++  }
++};
++
++
++/***/ }),
++/* 1 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++module.exports = {
++  element: null
++};
++
++
++/***/ }),
++/* 2 */
++/***/ (function(module, exports) {
++
++
++var hasOwn = Object.prototype.hasOwnProperty;
++var toString = Object.prototype.toString;
++
++module.exports = function forEach (obj, fn, ctx) {
++    if (toString.call(fn) !== '[object Function]') {
++        throw new TypeError('iterator must be a function');
++    }
++    var l = obj.length;
++    if (l === +l) {
++        for (var i = 0; i < l; i++) {
++            fn.call(ctx, obj[i], i, obj);
++        }
++    } else {
++        for (var k in obj) {
++            if (hasOwn.call(obj, k)) {
++                fn.call(ctx, obj[k], k, obj);
++            }
++        }
++    }
++};
++
++
++
++/***/ }),
++/* 3 */
++/***/ (function(module, exports) {
++
++var g;
++
++// This works in non-strict mode
++g = (function() {
++      return this;
++})();
++
++try {
++      // This works if eval is allowed (see CSP)
++      g = g || Function("return this")() || (1,eval)("this");
++} catch(e) {
++      // This works if the window reference is available
++      if(typeof window === "object")
++              g = window;
++}
++
++// g can still be undefined, but nothing to do about it...
++// We return undefined, instead of nothing here, so it's
++// easier to handle this case. if(!global) { ...}
++
++module.exports = g;
++
++
++/***/ }),
++/* 4 */
++/***/ (function(module, exports) {
++
++module.exports = function clone(obj) {
++  return JSON.parse(JSON.stringify(obj));
++};
++
++
++/***/ }),
++/* 5 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++// This file hosts our error definitions
++// We use custom error "types" so that we can act on them when we need it
++// e.g.: if error instanceof errors.UnparsableJSON then..
++
++var inherits = __webpack_require__(20);
++
++function AlgoliaSearchError(message, extraProperties) {
++  var forEach = __webpack_require__(2);
++
++  var error = this;
++
++  // try to get a stacktrace
++  if (typeof Error.captureStackTrace === 'function') {
++    Error.captureStackTrace(this, this.constructor);
++  } else {
++    error.stack = (new Error()).stack || 'Cannot get a stacktrace, browser is too old';
++  }
++
++  this.name = 'AlgoliaSearchError';
++  this.message = message || 'Unknown error';
++
++  if (extraProperties) {
++    forEach(extraProperties, function addToErrorObject(value, key) {
++      error[key] = value;
++    });
++  }
++}
++
++inherits(AlgoliaSearchError, Error);
++
++function createCustomError(name, message) {
++  function AlgoliaSearchCustomError() {
++    var args = Array.prototype.slice.call(arguments, 0);
++
++    // custom message not set, use default
++    if (typeof args[0] !== 'string') {
++      args.unshift(message);
++    }
++
++    AlgoliaSearchError.apply(this, args);
++    this.name = 'AlgoliaSearch' + name + 'Error';
++  }
++
++  inherits(AlgoliaSearchCustomError, AlgoliaSearchError);
++
++  return AlgoliaSearchCustomError;
++}
++
++// late exports to let various fn defs and inherits take place
++module.exports = {
++  AlgoliaSearchError: AlgoliaSearchError,
++  UnparsableJSON: createCustomError(
++    'UnparsableJSON',
++    'Could not parse the incoming response as JSON, see err.more for details'
++  ),
++  RequestTimeout: createCustomError(
++    'RequestTimeout',
++    'Request timedout before getting a response'
++  ),
++  Network: createCustomError(
++    'Network',
++    'Network issue, see err.more for details'
++  ),
++  JSONPScriptFail: createCustomError(
++    'JSONPScriptFail',
++    '<script> was loaded but did not call our provided callback'
++  ),
++  JSONPScriptError: createCustomError(
++    'JSONPScriptError',
++    '<script> unable to load due to an `error` event on it'
++  ),
++  Unknown: createCustomError(
++    'Unknown',
++    'Unknown error occured'
++  )
++};
++
++
++/***/ }),
++/* 6 */
++/***/ (function(module, exports, __webpack_require__) {
++
++/* WEBPACK VAR INJECTION */(function(process) {
++/**
++ * This is the web browser implementation of `debug()`.
++ *
++ * Expose `debug()` as the module.
++ */
++
++exports = module.exports = __webpack_require__(50);
++exports.log = log;
++exports.formatArgs = formatArgs;
++exports.save = save;
++exports.load = load;
++exports.useColors = useColors;
++exports.storage = 'undefined' != typeof chrome
++               && 'undefined' != typeof chrome.storage
++                  ? chrome.storage.local
++                  : localstorage();
++
++/**
++ * Colors.
++ */
++
++exports.colors = [
++  'lightseagreen',
++  'forestgreen',
++  'goldenrod',
++  'dodgerblue',
++  'darkorchid',
++  'crimson'
++];
++
++/**
++ * Currently only WebKit-based Web Inspectors, Firefox >= v31,
++ * and the Firebug extension (any Firefox version) are known
++ * to support "%c" CSS customizations.
++ *
++ * TODO: add a `localStorage` variable to explicitly enable/disable colors
++ */
++
++function useColors() {
++  // is webkit? http://stackoverflow.com/a/16459606/376773
++  // document is undefined in react-native: https://github.com/facebook/react-native/pull/1632
++  return (typeof document !== 'undefined' && 'WebkitAppearance' in document.documentElement.style) ||
++    // is firebug? http://stackoverflow.com/a/398120/376773
++    (window.console && (console.firebug || (console.exception && console.table))) ||
++    // is firefox >= v31?
++    // https://developer.mozilla.org/en-US/docs/Tools/Web_Console#Styling_messages
++    (navigator.userAgent.toLowerCase().match(/firefox\/(\d+)/) && parseInt(RegExp.$1, 10) >= 31);
++}
++
++/**
++ * Map %j to `JSON.stringify()`, since no Web Inspectors do that by default.
++ */
++
++exports.formatters.j = function(v) {
++  try {
++    return JSON.stringify(v);
++  } catch (err) {
++    return '[UnexpectedJSONParseError]: ' + err.message;
++  }
++};
++
++
++/**
++ * Colorize log arguments if enabled.
++ *
++ * @api public
++ */
++
++function formatArgs() {
++  var args = arguments;
++  var useColors = this.useColors;
++
++  args[0] = (useColors ? '%c' : '')
++    + this.namespace
++    + (useColors ? ' %c' : ' ')
++    + args[0]
++    + (useColors ? '%c ' : ' ')
++    + '+' + exports.humanize(this.diff);
++
++  if (!useColors) return args;
++
++  var c = 'color: ' + this.color;
++  args = [args[0], c, 'color: inherit'].concat(Array.prototype.slice.call(args, 1));
++
++  // the final "%c" is somewhat tricky, because there could be other
++  // arguments passed either before or after the %c, so we need to
++  // figure out the correct index to insert the CSS into
++  var index = 0;
++  var lastC = 0;
++  args[0].replace(/%[a-z%]/g, function(match) {
++    if ('%%' === match) return;
++    index++;
++    if ('%c' === match) {
++      // we only are interested in the *last* %c
++      // (the user may have provided their own)
++      lastC = index;
++    }
++  });
++
++  args.splice(lastC, 0, c);
++  return args;
++}
++
++/**
++ * Invokes `console.log()` when available.
++ * No-op when `console.log` is not a "function".
++ *
++ * @api public
++ */
++
++function log() {
++  // this hackery is required for IE8/9, where
++  // the `console.log` function doesn't have 'apply'
++  return 'object' === typeof console
++    && console.log
++    && Function.prototype.apply.call(console.log, console, arguments);
++}
++
++/**
++ * Save `namespaces`.
++ *
++ * @param {String} namespaces
++ * @api private
++ */
++
++function save(namespaces) {
++  try {
++    if (null == namespaces) {
++      exports.storage.removeItem('debug');
++    } else {
++      exports.storage.debug = namespaces;
++    }
++  } catch(e) {}
++}
++
++/**
++ * Load `namespaces`.
++ *
++ * @return {String} returns the previously persisted debug modes
++ * @api private
++ */
++
++function load() {
++  var r;
++  try {
++    return exports.storage.debug;
++  } catch(e) {}
++
++  // If debug isn't set in LS, and we're in Electron, try to load $DEBUG
++  if (typeof process !== 'undefined' && 'env' in process) {
++    return __webpack_require__.i({"NODE_ENV":"production"}).DEBUG;
++  }
++}
++
++/**
++ * Enable namespaces listed in `localStorage.debug` initially.
++ */
++
++exports.enable(load());
++
++/**
++ * Localstorage attempts to return the localstorage.
++ *
++ * This is necessary because safari throws
++ * when a user disables cookies/localstorage
++ * and you attempt to access it.
++ *
++ * @return {LocalStorage}
++ * @api private
++ */
++
++function localstorage(){
++  try {
++    return window.localStorage;
++  } catch (e) {}
++}
++
++/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(11)))
++
++/***/ }),
++/* 7 */
++/***/ (function(module, exports) {
++
++var toString = {}.toString;
++
++module.exports = Array.isArray || function (arr) {
++  return toString.call(arr) == '[object Array]';
++};
++
++
++/***/ }),
++/* 8 */
++/***/ (function(module, exports, __webpack_require__) {
++
++var foreach = __webpack_require__(2);
++
++module.exports = function map(arr, fn) {
++  var newArr = [];
++  foreach(arr, function(item, itemIndex) {
++    newArr.push(fn(item, itemIndex, arr));
++  });
++  return newArr;
++};
++
++
++/***/ }),
++/* 9 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var _ = __webpack_require__(0);
++
++var css = {
++  wrapper: {
++    position: 'relative',
++    display: 'inline-block'
++  },
++  hint: {
++    position: 'absolute',
++    top: '0',
++    left: '0',
++    borderColor: 'transparent',
++    boxShadow: 'none',
++    // #741: fix hint opacity issue on iOS
++    opacity: '1'
++  },
++  input: {
++    position: 'relative',
++    verticalAlign: 'top',
++    backgroundColor: 'transparent'
++  },
++  inputWithNoHint: {
++    position: 'relative',
++    verticalAlign: 'top'
++  },
++  dropdown: {
++    position: 'absolute',
++    top: '100%',
++    left: '0',
++    zIndex: '100',
++    display: 'none'
++  },
++  suggestions: {
++    display: 'block'
++  },
++  suggestion: {
++    whiteSpace: 'nowrap',
++    cursor: 'pointer'
++  },
++  suggestionChild: {
++    whiteSpace: 'normal'
++  },
++  ltr: {
++    left: '0',
++    right: 'auto'
++  },
++  rtl: {
++    left: 'auto',
++    right: '0'
++  },
++  defaultClasses: {
++    root: 'algolia-autocomplete',
++    prefix: 'aa',
++    noPrefix: false,
++    dropdownMenu: 'dropdown-menu',
++    input: 'input',
++    hint: 'hint',
++    suggestions: 'suggestions',
++    suggestion: 'suggestion',
++    cursor: 'cursor',
++    dataset: 'dataset',
++    empty: 'empty'
++  },
++  // will be merged with the default ones if appendTo is used
++  appendTo: {
++    wrapper: {
++      position: 'absolute',
++      zIndex: '100',
++      display: 'none'
++    },
++    input: {},
++    inputWithNoHint: {},
++    dropdown: {
++      display: 'block'
++    }
++  }
++};
++
++// ie specific styling
++if (_.isMsie()) {
++  // ie6-8 (and 9?) doesn't fire hover and click events for elements with
++  // transparent backgrounds, for a workaround, use 1x1 transparent gif
++  _.mixin(css.input, {
++    backgroundImage: 'url(data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7)'
++  });
++}
++
++// ie7 and under specific styling
++if (_.isMsie() && _.isMsie() <= 7) {
++  // if someone can tell me why this is necessary to align
++  // the hint with the query in ie7, i'll send you $5 - @JakeHarding
++  _.mixin(css.input, {marginTop: '-1px'});
++}
++
++module.exports = css;
++
++
++/***/ }),
++/* 10 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var immediate = __webpack_require__(56);
++var splitter = /\s+/;
++
++module.exports = {
++  onSync: onSync,
++  onAsync: onAsync,
++  off: off,
++  trigger: trigger
++};
++
++function on(method, types, cb, context) {
++  var type;
++
++  if (!cb) {
++    return this;
++  }
++
++  types = types.split(splitter);
++  cb = context ? bindContext(cb, context) : cb;
++
++  this._callbacks = this._callbacks || {};
++
++  while (type = types.shift()) {
++    this._callbacks[type] = this._callbacks[type] || {sync: [], async: []};
++    this._callbacks[type][method].push(cb);
++  }
++
++  return this;
++}
++
++function onAsync(types, cb, context) {
++  return on.call(this, 'async', types, cb, context);
++}
++
++function onSync(types, cb, context) {
++  return on.call(this, 'sync', types, cb, context);
++}
++
++function off(types) {
++  var type;
++
++  if (!this._callbacks) {
++    return this;
++  }
++
++  types = types.split(splitter);
++
++  while (type = types.shift()) {
++    delete this._callbacks[type];
++  }
++
++  return this;
++}
++
++function trigger(types) {
++  var type;
++  var callbacks;
++  var args;
++  var syncFlush;
++  var asyncFlush;
++
++  if (!this._callbacks) {
++    return this;
++  }
++
++  types = types.split(splitter);
++  args = [].slice.call(arguments, 1);
++
++  while ((type = types.shift()) && (callbacks = this._callbacks[type])) { // eslint-disable-line
++    syncFlush = getFlush(callbacks.sync, this, [type].concat(args));
++    asyncFlush = getFlush(callbacks.async, this, [type].concat(args));
++
++    if (syncFlush()) {
++      immediate(asyncFlush);
++    }
++  }
++
++  return this;
++}
++
++function getFlush(callbacks, context, args) {
++  return flush;
++
++  function flush() {
++    var cancelled;
++
++    for (var i = 0, len = callbacks.length; !cancelled && i < len; i += 1) {
++      // only cancel if the callback explicitly returns false
++      cancelled = callbacks[i].apply(context, args) === false;
++    }
++
++    return !cancelled;
++  }
++}
++
++function bindContext(fn, context) {
++  return fn.bind ?
++    fn.bind(context) :
++    function() { fn.apply(context, [].slice.call(arguments, 0)); };
++}
++
++
++/***/ }),
++/* 11 */
++/***/ (function(module, exports) {
++
++// shim for using process in browser
++var process = module.exports = {};
++
++// cached from whatever global is present so that test runners that stub it
++// don't break things.  But we need to wrap it in a try catch in case it is
++// wrapped in strict mode code which doesn't define any globals.  It's inside a
++// function because try/catches deoptimize in certain engines.
++
++var cachedSetTimeout;
++var cachedClearTimeout;
++
++function defaultSetTimout() {
++    throw new Error('setTimeout has not been defined');
++}
++function defaultClearTimeout () {
++    throw new Error('clearTimeout has not been defined');
++}
++(function () {
++    try {
++        if (typeof setTimeout === 'function') {
++            cachedSetTimeout = setTimeout;
++        } else {
++            cachedSetTimeout = defaultSetTimout;
++        }
++    } catch (e) {
++        cachedSetTimeout = defaultSetTimout;
++    }
++    try {
++        if (typeof clearTimeout === 'function') {
++            cachedClearTimeout = clearTimeout;
++        } else {
++            cachedClearTimeout = defaultClearTimeout;
++        }
++    } catch (e) {
++        cachedClearTimeout = defaultClearTimeout;
++    }
++} ())
++function runTimeout(fun) {
++    if (cachedSetTimeout === setTimeout) {
++        //normal enviroments in sane situations
++        return setTimeout(fun, 0);
++    }
++    // if setTimeout wasn't available but was latter defined
++    if ((cachedSetTimeout === defaultSetTimout || !cachedSetTimeout) && setTimeout) {
++        cachedSetTimeout = setTimeout;
++        return setTimeout(fun, 0);
++    }
++    try {
++        // when when somebody has screwed with setTimeout but no I.E. maddness
++        return cachedSetTimeout(fun, 0);
++    } catch(e){
++        try {
++            // When we are in I.E. but the script has been evaled so I.E. doesn't trust the global object when called normally
++            return cachedSetTimeout.call(null, fun, 0);
++        } catch(e){
++            // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error
++            return cachedSetTimeout.call(this, fun, 0);
++        }
++    }
++
++
++}
++function runClearTimeout(marker) {
++    if (cachedClearTimeout === clearTimeout) {
++        //normal enviroments in sane situations
++        return clearTimeout(marker);
++    }
++    // if clearTimeout wasn't available but was latter defined
++    if ((cachedClearTimeout === defaultClearTimeout || !cachedClearTimeout) && clearTimeout) {
++        cachedClearTimeout = clearTimeout;
++        return clearTimeout(marker);
++    }
++    try {
++        // when when somebody has screwed with setTimeout but no I.E. maddness
++        return cachedClearTimeout(marker);
++    } catch (e){
++        try {
++            // When we are in I.E. but the script has been evaled so I.E. doesn't  trust the global object when called normally
++            return cachedClearTimeout.call(null, marker);
++        } catch (e){
++            // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error.
++            // Some versions of I.E. have different rules for clearTimeout vs setTimeout
++            return cachedClearTimeout.call(this, marker);
++        }
++    }
++
++
++
++}
++var queue = [];
++var draining = false;
++var currentQueue;
++var queueIndex = -1;
++
++function cleanUpNextTick() {
++    if (!draining || !currentQueue) {
++        return;
++    }
++    draining = false;
++    if (currentQueue.length) {
++        queue = currentQueue.concat(queue);
++    } else {
++        queueIndex = -1;
++    }
++    if (queue.length) {
++        drainQueue();
++    }
++}
++
++function drainQueue() {
++    if (draining) {
++        return;
++    }
++    var timeout = runTimeout(cleanUpNextTick);
++    draining = true;
++
++    var len = queue.length;
++    while(len) {
++        currentQueue = queue;
++        queue = [];
++        while (++queueIndex < len) {
++            if (currentQueue) {
++                currentQueue[queueIndex].run();
++            }
++        }
++        queueIndex = -1;
++        len = queue.length;
++    }
++    currentQueue = null;
++    draining = false;
++    runClearTimeout(timeout);
++}
++
++process.nextTick = function (fun) {
++    var args = new Array(arguments.length - 1);
++    if (arguments.length > 1) {
++        for (var i = 1; i < arguments.length; i++) {
++            args[i - 1] = arguments[i];
++        }
++    }
++    queue.push(new Item(fun, args));
++    if (queue.length === 1 && !draining) {
++        runTimeout(drainQueue);
++    }
++};
++
++// v8 likes predictible objects
++function Item(fun, array) {
++    this.fun = fun;
++    this.array = array;
++}
++Item.prototype.run = function () {
++    this.fun.apply(null, this.array);
++};
++process.title = 'browser';
++process.browser = true;
++process.env = {};
++process.argv = [];
++process.version = ''; // empty string to avoid regexp issues
++process.versions = {};
++
++function noop() {}
++
++process.on = noop;
++process.addListener = noop;
++process.once = noop;
++process.off = noop;
++process.removeListener = noop;
++process.removeAllListeners = noop;
++process.emit = noop;
++
++process.binding = function (name) {
++    throw new Error('process.binding is not supported');
++};
++
++process.cwd = function () { return '/' };
++process.chdir = function (dir) {
++    throw new Error('process.chdir is not supported');
++};
++process.umask = function() { return 0; };
++
++
++/***/ }),
++/* 12 */
++/***/ (function(module, exports, __webpack_require__) {
++
++module.exports = buildSearchMethod;
++
++var errors = __webpack_require__(5);
++
++/**
++ * Creates a search method to be used in clients
++ * @param {string} queryParam the name of the attribute used for the query
++ * @param {string} url the url
++ * @return {function} the search method
++ */
++function buildSearchMethod(queryParam, url) {
++  /**
++   * The search method. Prepares the data and send the query to Algolia.
++   * @param {string} query the string used for query search
++   * @param {object} args additional parameters to send with the search
++   * @param {function} [callback] the callback to be called with the client gets the answer
++   * @return {undefined|Promise} If the callback is not provided then this methods returns a Promise
++   */
++  return function search(query, args, callback) {
++    // warn V2 users on how to search
++    if (typeof query === 'function' && typeof args === 'object' ||
++      typeof callback === 'object') {
++      // .search(query, params, cb)
++      // .search(cb, params)
++      throw new errors.AlgoliaSearchError('index.search usage is index.search(query, params, cb)');
++    }
++
++    // Normalizing the function signature
++    if (arguments.length === 0 || typeof query === 'function') {
++      // Usage : .search(), .search(cb)
++      callback = query;
++      query = '';
++    } else if (arguments.length === 1 || typeof args === 'function') {
++      // Usage : .search(query/args), .search(query, cb)
++      callback = args;
++      args = undefined;
++    }
++    // At this point we have 3 arguments with values
++
++    // Usage : .search(args) // careful: typeof null === 'object'
++    if (typeof query === 'object' && query !== null) {
++      args = query;
++      query = undefined;
++    } else if (query === undefined || query === null) { // .search(undefined/null)
++      query = '';
++    }
++
++    var params = '';
++
++    if (query !== undefined) {
++      params += queryParam + '=' + encodeURIComponent(query);
++    }
++
++    var additionalUA;
++    if (args !== undefined) {
++      if (args.additionalUA) {
++        additionalUA = args.additionalUA;
++        delete args.additionalUA;
++      }
++      // `_getSearchParams` will augment params, do not be fooled by the = versus += from previous if
++      params = this.as._getSearchParams(args, params);
++    }
++
++
++    return this._search(params, url, callback, additionalUA);
++  };
++}
++
++
++/***/ }),
++/* 13 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var namespace = 'autocomplete:';
++
++var _ = __webpack_require__(0);
++var DOM = __webpack_require__(1);
++
++// constructor
++// -----------
++
++function EventBus(o) {
++  if (!o || !o.el) {
++    _.error('EventBus initialized without el');
++  }
++
++  this.$el = DOM.element(o.el);
++}
++
++// instance methods
++// ----------------
++
++_.mixin(EventBus.prototype, {
++
++  // ### public
++
++  trigger: function(type) {
++    var args = [].slice.call(arguments, 1);
++
++    var event = _.Event(namespace + type);
++    this.$el.trigger(event, args);
++    return event;
++  }
++});
++
++module.exports = EventBus;
++
++
++/***/ }),
++/* 14 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++module.exports = {
++  wrapper: '<span class="%ROOT%"></span>',
++  dropdown: '<span class="%PREFIX%%DROPDOWN_MENU%"></span>',
++  dataset: '<div class="%PREFIX%%DATASET%-%CLASS%"></div>',
++  suggestions: '<span class="%PREFIX%%SUGGESTIONS%"></span>',
++  suggestion: '<div class="%PREFIX%%SUGGESTION%"></div>'
++};
++
++
++/***/ }),
++/* 15 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++module.exports = function parseAlgoliaClientVersion(agent) {
++  var parsed = agent.match(/Algolia for vanilla JavaScript (\d+\.)(\d+\.)(\d+)/);
++  if (parsed) return [parsed[1], parsed[2], parsed[3]];
++  return undefined;
++};
++
++
++/***/ }),
++/* 16 */
++/***/ (function(module, exports) {
++
++module.exports = "0.28.0";
++
++
++/***/ }),
++/* 17 */
++/***/ (function(module, exports) {
++
++/* istanbul ignore next */
++/* Zepto v1.2.0 - zepto event assets data - zeptojs.com/license */
++(function(global, factory) {
++  module.exports = factory(global);
++}(/* this ##### UPDATED: here we want to use window/global instead of this which is the current file context ##### */ window, function(window) {  
++  var Zepto = (function() {
++  var undefined, key, $, classList, emptyArray = [], concat = emptyArray.concat, filter = emptyArray.filter, slice = emptyArray.slice,
++    document = window.document,
++    elementDisplay = {}, classCache = {},
++    cssNumber = { 'column-count': 1, 'columns': 1, 'font-weight': 1, 'line-height': 1,'opacity': 1, 'z-index': 1, 'zoom': 1 },
++    fragmentRE = /^\s*<(\w+|!)[^>]*>/,
++    singleTagRE = /^<(\w+)\s*\/?>(?:<\/\1>|)$/,
++    tagExpanderRE = /<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/ig,
++    rootNodeRE = /^(?:body|html)$/i,
++    capitalRE = /([A-Z])/g,
++
++    // special attributes that should be get/set via method calls
++    methodAttributes = ['val', 'css', 'html', 'text', 'data', 'width', 'height', 'offset'],
++
++    adjacencyOperators = [ 'after', 'prepend', 'before', 'append' ],
++    table = document.createElement('table'),
++    tableRow = document.createElement('tr'),
++    containers = {
++      'tr': document.createElement('tbody'),
++      'tbody': table, 'thead': table, 'tfoot': table,
++      'td': tableRow, 'th': tableRow,
++      '*': document.createElement('div')
++    },
++    readyRE = /complete|loaded|interactive/,
++    simpleSelectorRE = /^[\w-]*$/,
++    class2type = {},
++    toString = class2type.toString,
++    zepto = {},
++    camelize, uniq,
++    tempParent = document.createElement('div'),
++    propMap = {
++      'tabindex': 'tabIndex',
++      'readonly': 'readOnly',
++      'for': 'htmlFor',
++      'class': 'className',
++      'maxlength': 'maxLength',
++      'cellspacing': 'cellSpacing',
++      'cellpadding': 'cellPadding',
++      'rowspan': 'rowSpan',
++      'colspan': 'colSpan',
++      'usemap': 'useMap',
++      'frameborder': 'frameBorder',
++      'contenteditable': 'contentEditable'
++    },
++    isArray = Array.isArray ||
++      function(object){ return object instanceof Array }
++
++  zepto.matches = function(element, selector) {
++    if (!selector || !element || element.nodeType !== 1) return false
++    var matchesSelector = element.matches || element.webkitMatchesSelector ||
++                          element.mozMatchesSelector || element.oMatchesSelector ||
++                          element.matchesSelector
++    if (matchesSelector) return matchesSelector.call(element, selector)
++    // fall back to performing a selector:
++    var match, parent = element.parentNode, temp = !parent
++    if (temp) (parent = tempParent).appendChild(element)
++    match = ~zepto.qsa(parent, selector).indexOf(element)
++    temp && tempParent.removeChild(element)
++    return match
++  }
++
++  function type(obj) {
++    return obj == null ? String(obj) :
++      class2type[toString.call(obj)] || "object"
++  }
++
++  function isFunction(value) { return type(value) == "function" }
++  function isWindow(obj)     { return obj != null && obj == obj.window }
++  function isDocument(obj)   { return obj != null && obj.nodeType == obj.DOCUMENT_NODE }
++  function isObject(obj)     { return type(obj) == "object" }
++  function isPlainObject(obj) {
++    return isObject(obj) && !isWindow(obj) && Object.getPrototypeOf(obj) == Object.prototype
++  }
++
++  function likeArray(obj) {
++    var length = !!obj && 'length' in obj && obj.length,
++      type = $.type(obj)
++
++    return 'function' != type && !isWindow(obj) && (
++      'array' == type || length === 0 ||
++        (typeof length == 'number' && length > 0 && (length - 1) in obj)
++    )
++  }
++
++  function compact(array) { return filter.call(array, function(item){ return item != null }) }
++  function flatten(array) { return array.length > 0 ? $.fn.concat.apply([], array) : array }
++  camelize = function(str){ return str.replace(/-+(.)?/g, function(match, chr){ return chr ? chr.toUpperCase() : '' }) }
++  function dasherize(str) {
++    return str.replace(/::/g, '/')
++           .replace(/([A-Z]+)([A-Z][a-z])/g, '$1_$2')
++           .replace(/([a-z\d])([A-Z])/g, '$1_$2')
++           .replace(/_/g, '-')
++           .toLowerCase()
++  }
++  uniq = function(array){ return filter.call(array, function(item, idx){ return array.indexOf(item) == idx }) }
++
++  function classRE(name) {
++    return name in classCache ?
++      classCache[name] : (classCache[name] = new RegExp('(^|\\s)' + name + '(\\s|$)'))
++  }
++
++  function maybeAddPx(name, value) {
++    return (typeof value == "number" && !cssNumber[dasherize(name)]) ? value + "px" : value
++  }
++
++  function defaultDisplay(nodeName) {
++    var element, display
++    if (!elementDisplay[nodeName]) {
++      element = document.createElement(nodeName)
++      document.body.appendChild(element)
++      display = getComputedStyle(element, '').getPropertyValue("display")
++      element.parentNode.removeChild(element)
++      display == "none" && (display = "block")
++      elementDisplay[nodeName] = display
++    }
++    return elementDisplay[nodeName]
++  }
++
++  function children(element) {
++    return 'children' in element ?
++      slice.call(element.children) :
++      $.map(element.childNodes, function(node){ if (node.nodeType == 1) return node })
++  }
++
++  function Z(dom, selector) {
++    var i, len = dom ? dom.length : 0
++    for (i = 0; i < len; i++) this[i] = dom[i]
++    this.length = len
++    this.selector = selector || ''
++  }
++
++  // `$.zepto.fragment` takes a html string and an optional tag name
++  // to generate DOM nodes from the given html string.
++  // The generated DOM nodes are returned as an array.
++  // This function can be overridden in plugins for example to make
++  // it compatible with browsers that don't support the DOM fully.
++  zepto.fragment = function(html, name, properties) {
++    var dom, nodes, container
++
++    // A special case optimization for a single tag
++    if (singleTagRE.test(html)) dom = $(document.createElement(RegExp.$1))
++
++    if (!dom) {
++      if (html.replace) html = html.replace(tagExpanderRE, "<$1></$2>")
++      if (name === undefined) name = fragmentRE.test(html) && RegExp.$1
++      if (!(name in containers)) name = '*'
++
++      container = containers[name]
++      container.innerHTML = '' + html
++      dom = $.each(slice.call(container.childNodes), function(){
++        container.removeChild(this)
++      })
++    }
++
++    if (isPlainObject(properties)) {
++      nodes = $(dom)
++      $.each(properties, function(key, value) {
++        if (methodAttributes.indexOf(key) > -1) nodes[key](value)
++        else nodes.attr(key, value)
++      })
++    }
++
++    return dom
++  }
++
++  // `$.zepto.Z` swaps out the prototype of the given `dom` array
++  // of nodes with `$.fn` and thus supplying all the Zepto functions
++  // to the array. This method can be overridden in plugins.
++  zepto.Z = function(dom, selector) {
++    return new Z(dom, selector)
++  }
++
++  // `$.zepto.isZ` should return `true` if the given object is a Zepto
++  // collection. This method can be overridden in plugins.
++  zepto.isZ = function(object) {
++    return object instanceof zepto.Z
++  }
++
++  // `$.zepto.init` is Zepto's counterpart to jQuery's `$.fn.init` and
++  // takes a CSS selector and an optional context (and handles various
++  // special cases).
++  // This method can be overridden in plugins.
++  zepto.init = function(selector, context) {
++    var dom
++    // If nothing given, return an empty Zepto collection
++    if (!selector) return zepto.Z()
++    // Optimize for string selectors
++    else if (typeof selector == 'string') {
++      selector = selector.trim()
++      // If it's a html fragment, create nodes from it
++      // Note: In both Chrome 21 and Firefox 15, DOM error 12
++      // is thrown if the fragment doesn't begin with <
++      if (selector[0] == '<' && fragmentRE.test(selector))
++        dom = zepto.fragment(selector, RegExp.$1, context), selector = null
++      // If there's a context, create a collection on that context first, and select
++      // nodes from there
++      else if (context !== undefined) return $(context).find(selector)
++      // If it's a CSS selector, use it to select nodes.
++      else dom = zepto.qsa(document, selector)
++    }
++    // If a function is given, call it when the DOM is ready
++    else if (isFunction(selector)) return $(document).ready(selector)
++    // If a Zepto collection is given, just return it
++    else if (zepto.isZ(selector)) return selector
++    else {
++      // normalize array if an array of nodes is given
++      if (isArray(selector)) dom = compact(selector)
++      // Wrap DOM nodes.
++      else if (isObject(selector))
++        dom = [selector], selector = null
++      // If it's a html fragment, create nodes from it
++      else if (fragmentRE.test(selector))
++        dom = zepto.fragment(selector.trim(), RegExp.$1, context), selector = null
++      // If there's a context, create a collection on that context first, and select
++      // nodes from there
++      else if (context !== undefined) return $(context).find(selector)
++      // And last but no least, if it's a CSS selector, use it to select nodes.
++      else dom = zepto.qsa(document, selector)
++    }
++    // create a new Zepto collection from the nodes found
++    return zepto.Z(dom, selector)
++  }
++
++  // `$` will be the base `Zepto` object. When calling this
++  // function just call `$.zepto.init, which makes the implementation
++  // details of selecting nodes and creating Zepto collections
++  // patchable in plugins.
++  $ = function(selector, context){
++    return zepto.init(selector, context)
++  }
++
++  function extend(target, source, deep) {
++    for (key in source)
++      if (deep && (isPlainObject(source[key]) || isArray(source[key]))) {
++        if (isPlainObject(source[key]) && !isPlainObject(target[key]))
++          target[key] = {}
++        if (isArray(source[key]) && !isArray(target[key]))
++          target[key] = []
++        extend(target[key], source[key], deep)
++      }
++      else if (source[key] !== undefined) target[key] = source[key]
++  }
++
++  // Copy all but undefined properties from one or more
++  // objects to the `target` object.
++  $.extend = function(target){
++    var deep, args = slice.call(arguments, 1)
++    if (typeof target == 'boolean') {
++      deep = target
++      target = args.shift()
++    }
++    args.forEach(function(arg){ extend(target, arg, deep) })
++    return target
++  }
++
++  // `$.zepto.qsa` is Zepto's CSS selector implementation which
++  // uses `document.querySelectorAll` and optimizes for some special cases, like `#id`.
++  // This method can be overridden in plugins.
++  zepto.qsa = function(element, selector){
++    var found,
++        maybeID = selector[0] == '#',
++        maybeClass = !maybeID && selector[0] == '.',
++        nameOnly = maybeID || maybeClass ? selector.slice(1) : selector, // Ensure that a 1 char tag name still gets checked
++        isSimple = simpleSelectorRE.test(nameOnly)
++    return (element.getElementById && isSimple && maybeID) ? // Safari DocumentFragment doesn't have getElementById
++      ( (found = element.getElementById(nameOnly)) ? [found] : [] ) :
++      (element.nodeType !== 1 && element.nodeType !== 9 && element.nodeType !== 11) ? [] :
++      slice.call(
++        isSimple && !maybeID && element.getElementsByClassName ? // DocumentFragment doesn't have getElementsByClassName/TagName
++          maybeClass ? element.getElementsByClassName(nameOnly) : // If it's simple, it could be a class
++          element.getElementsByTagName(selector) : // Or a tag
++          element.querySelectorAll(selector) // Or it's not simple, and we need to query all
++      )
++  }
++
++  function filtered(nodes, selector) {
++    return selector == null ? $(nodes) : $(nodes).filter(selector)
++  }
++
++  $.contains = document.documentElement.contains ?
++    function(parent, node) {
++      return parent !== node && parent.contains(node)
++    } :
++    function(parent, node) {
++      while (node && (node = node.parentNode))
++        if (node === parent) return true
++      return false
++    }
++
++  function funcArg(context, arg, idx, payload) {
++    return isFunction(arg) ? arg.call(context, idx, payload) : arg
++  }
++
++  function setAttribute(node, name, value) {
++    value == null ? node.removeAttribute(name) : node.setAttribute(name, value)
++  }
++
++  // access className property while respecting SVGAnimatedString
++  function className(node, value){
++    var klass = node.className || '',
++        svg   = klass && klass.baseVal !== undefined
++
++    if (value === undefined) return svg ? klass.baseVal : klass
++    svg ? (klass.baseVal = value) : (node.className = value)
++  }
++
++  // "true"  => true
++  // "false" => false
++  // "null"  => null
++  // "42"    => 42
++  // "42.5"  => 42.5
++  // "08"    => "08"
++  // JSON    => parse if valid
++  // String  => self
++  function deserializeValue(value) {
++    try {
++      return value ?
++        value == "true" ||
++        ( value == "false" ? false :
++          value == "null" ? null :
++          +value + "" == value ? +value :
++          /^[\[\{]/.test(value) ? $.parseJSON(value) :
++          value )
++        : value
++    } catch(e) {
++      return value
++    }
++  }
++
++  $.type = type
++  $.isFunction = isFunction
++  $.isWindow = isWindow
++  $.isArray = isArray
++  $.isPlainObject = isPlainObject
++
++  $.isEmptyObject = function(obj) {
++    var name
++    for (name in obj) return false
++    return true
++  }
++
++  $.isNumeric = function(val) {
++    var num = Number(val), type = typeof val
++    return val != null && type != 'boolean' &&
++      (type != 'string' || val.length) &&
++      !isNaN(num) && isFinite(num) || false
++  }
++
++  $.inArray = function(elem, array, i){
++    return emptyArray.indexOf.call(array, elem, i)
++  }
++
++  $.camelCase = camelize
++  $.trim = function(str) {
++    return str == null ? "" : String.prototype.trim.call(str)
++  }
++
++  // plugin compatibility
++  $.uuid = 0
++  $.support = { }
++  $.expr = { }
++  $.noop = function() {}
++
++  $.map = function(elements, callback){
++    var value, values = [], i, key
++    if (likeArray(elements))
++      for (i = 0; i < elements.length; i++) {
++        value = callback(elements[i], i)
++        if (value != null) values.push(value)
++      }
++    else
++      for (key in elements) {
++        value = callback(elements[key], key)
++        if (value != null) values.push(value)
++      }
++    return flatten(values)
++  }
++
++  $.each = function(elements, callback){
++    var i, key
++    if (likeArray(elements)) {
++      for (i = 0; i < elements.length; i++)
++        if (callback.call(elements[i], i, elements[i]) === false) return elements
++    } else {
++      for (key in elements)
++        if (callback.call(elements[key], key, elements[key]) === false) return elements
++    }
++
++    return elements
++  }
++
++  $.grep = function(elements, callback){
++    return filter.call(elements, callback)
++  }
++
++  if (window.JSON) $.parseJSON = JSON.parse
++
++  // Populate the class2type map
++  $.each("Boolean Number String Function Array Date RegExp Object Error".split(" "), function(i, name) {
++    class2type[ "[object " + name + "]" ] = name.toLowerCase()
++  })
++
++  // Define methods that will be available on all
++  // Zepto collections
++  $.fn = {
++    constructor: zepto.Z,
++    length: 0,
++
++    // Because a collection acts like an array
++    // copy over these useful array functions.
++    forEach: emptyArray.forEach,
++    reduce: emptyArray.reduce,
++    push: emptyArray.push,
++    sort: emptyArray.sort,
++    splice: emptyArray.splice,
++    indexOf: emptyArray.indexOf,
++    concat: function(){
++      var i, value, args = []
++      for (i = 0; i < arguments.length; i++) {
++        value = arguments[i]
++        args[i] = zepto.isZ(value) ? value.toArray() : value
++      }
++      return concat.apply(zepto.isZ(this) ? this.toArray() : this, args)
++    },
++
++    // `map` and `slice` in the jQuery API work differently
++    // from their array counterparts
++    map: function(fn){
++      return $($.map(this, function(el, i){ return fn.call(el, i, el) }))
++    },
++    slice: function(){
++      return $(slice.apply(this, arguments))
++    },
++
++    ready: function(callback){
++      // need to check if document.body exists for IE as that browser reports
++      // document ready when it hasn't yet created the body element
++      if (readyRE.test(document.readyState) && document.body) callback($)
++      else document.addEventListener('DOMContentLoaded', function(){ callback($) }, false)
++      return this
++    },
++    get: function(idx){
++      return idx === undefined ? slice.call(this) : this[idx >= 0 ? idx : idx + this.length]
++    },
++    toArray: function(){ return this.get() },
++    size: function(){
++      return this.length
++    },
++    remove: function(){
++      return this.each(function(){
++        if (this.parentNode != null)
++          this.parentNode.removeChild(this)
++      })
++    },
++    each: function(callback){
++      emptyArray.every.call(this, function(el, idx){
++        return callback.call(el, idx, el) !== false
++      })
++      return this
++    },
++    filter: function(selector){
++      if (isFunction(selector)) return this.not(this.not(selector))
++      return $(filter.call(this, function(element){
++        return zepto.matches(element, selector)
++      }))
++    },
++    add: function(selector,context){
++      return $(uniq(this.concat($(selector,context))))
++    },
++    is: function(selector){
++      return this.length > 0 && zepto.matches(this[0], selector)
++    },
++    not: function(selector){
++      var nodes=[]
++      if (isFunction(selector) && selector.call !== undefined)
++        this.each(function(idx){
++          if (!selector.call(this,idx)) nodes.push(this)
++        })
++      else {
++        var excludes = typeof selector == 'string' ? this.filter(selector) :
++          (likeArray(selector) && isFunction(selector.item)) ? slice.call(selector) : $(selector)
++        this.forEach(function(el){
++          if (excludes.indexOf(el) < 0) nodes.push(el)
++        })
++      }
++      return $(nodes)
++    },
++    has: function(selector){
++      return this.filter(function(){
++        return isObject(selector) ?
++          $.contains(this, selector) :
++          $(this).find(selector).size()
++      })
++    },
++    eq: function(idx){
++      return idx === -1 ? this.slice(idx) : this.slice(idx, + idx + 1)
++    },
++    first: function(){
++      var el = this[0]
++      return el && !isObject(el) ? el : $(el)
++    },
++    last: function(){
++      var el = this[this.length - 1]
++      return el && !isObject(el) ? el : $(el)
++    },
++    find: function(selector){
++      var result, $this = this
++      if (!selector) result = $()
++      else if (typeof selector == 'object')
++        result = $(selector).filter(function(){
++          var node = this
++          return emptyArray.some.call($this, function(parent){
++            return $.contains(parent, node)
++          })
++        })
++      else if (this.length == 1) result = $(zepto.qsa(this[0], selector))
++      else result = this.map(function(){ return zepto.qsa(this, selector) })
++      return result
++    },
++    closest: function(selector, context){
++      var nodes = [], collection = typeof selector == 'object' && $(selector)
++      this.each(function(_, node){
++        while (node && !(collection ? collection.indexOf(node) >= 0 : zepto.matches(node, selector)))
++          node = node !== context && !isDocument(node) && node.parentNode
++        if (node && nodes.indexOf(node) < 0) nodes.push(node)
++      })
++      return $(nodes)
++    },
++    parents: function(selector){
++      var ancestors = [], nodes = this
++      while (nodes.length > 0)
++        nodes = $.map(nodes, function(node){
++          if ((node = node.parentNode) && !isDocument(node) && ancestors.indexOf(node) < 0) {
++            ancestors.push(node)
++            return node
++          }
++        })
++      return filtered(ancestors, selector)
++    },
++    parent: function(selector){
++      return filtered(uniq(this.pluck('parentNode')), selector)
++    },
++    children: function(selector){
++      return filtered(this.map(function(){ return children(this) }), selector)
++    },
++    contents: function() {
++      return this.map(function() { return this.contentDocument || slice.call(this.childNodes) })
++    },
++    siblings: function(selector){
++      return filtered(this.map(function(i, el){
++        return filter.call(children(el.parentNode), function(child){ return child!==el })
++      }), selector)
++    },
++    empty: function(){
++      return this.each(function(){ this.innerHTML = '' })
++    },
++    // `pluck` is borrowed from Prototype.js
++    pluck: function(property){
++      return $.map(this, function(el){ return el[property] })
++    },
++    show: function(){
++      return this.each(function(){
++        this.style.display == "none" && (this.style.display = '')
++        if (getComputedStyle(this, '').getPropertyValue("display") == "none")
++          this.style.display = defaultDisplay(this.nodeName)
++      })
++    },
++    replaceWith: function(newContent){
++      return this.before(newContent).remove()
++    },
++    wrap: function(structure){
++      var func = isFunction(structure)
++      if (this[0] && !func)
++        var dom   = $(structure).get(0),
++            clone = dom.parentNode || this.length > 1
++
++      return this.each(function(index){
++        $(this).wrapAll(
++          func ? structure.call(this, index) :
++            clone ? dom.cloneNode(true) : dom
++        )
++      })
++    },
++    wrapAll: function(structure){
++      if (this[0]) {
++        $(this[0]).before(structure = $(structure))
++        var children
++        // drill down to the inmost element
++        while ((children = structure.children()).length) structure = children.first()
++        $(structure).append(this)
++      }
++      return this
++    },
++    wrapInner: function(structure){
++      var func = isFunction(structure)
++      return this.each(function(index){
++        var self = $(this), contents = self.contents(),
++            dom  = func ? structure.call(this, index) : structure
++        contents.length ? contents.wrapAll(dom) : self.append(dom)
++      })
++    },
++    unwrap: function(){
++      this.parent().each(function(){
++        $(this).replaceWith($(this).children())
++      })
++      return this
++    },
++    clone: function(){
++      return this.map(function(){ return this.cloneNode(true) })
++    },
++    hide: function(){
++      return this.css("display", "none")
++    },
++    toggle: function(setting){
++      return this.each(function(){
++        var el = $(this)
++        ;(setting === undefined ? el.css("display") == "none" : setting) ? el.show() : el.hide()
++      })
++    },
++    prev: function(selector){ return $(this.pluck('previousElementSibling')).filter(selector || '*') },
++    next: function(selector){ return $(this.pluck('nextElementSibling')).filter(selector || '*') },
++    html: function(html){
++      return 0 in arguments ?
++        this.each(function(idx){
++          var originHtml = this.innerHTML
++          $(this).empty().append( funcArg(this, html, idx, originHtml) )
++        }) :
++        (0 in this ? this[0].innerHTML : null)
++    },
++    text: function(text){
++      return 0 in arguments ?
++        this.each(function(idx){
++          var newText = funcArg(this, text, idx, this.textContent)
++          this.textContent = newText == null ? '' : ''+newText
++        }) :
++        (0 in this ? this.pluck('textContent').join("") : null)
++    },
++    attr: function(name, value){
++      var result
++      return (typeof name == 'string' && !(1 in arguments)) ?
++        (0 in this && this[0].nodeType == 1 && (result = this[0].getAttribute(name)) != null ? result : undefined) :
++        this.each(function(idx){
++          if (this.nodeType !== 1) return
++          if (isObject(name)) for (key in name) setAttribute(this, key, name[key])
++          else setAttribute(this, name, funcArg(this, value, idx, this.getAttribute(name)))
++        })
++    },
++    removeAttr: function(name){
++      return this.each(function(){ this.nodeType === 1 && name.split(' ').forEach(function(attribute){
++        setAttribute(this, attribute)
++      }, this)})
++    },
++    prop: function(name, value){
++      name = propMap[name] || name
++      return (1 in arguments) ?
++        this.each(function(idx){
++          this[name] = funcArg(this, value, idx, this[name])
++        }) :
++        (this[0] && this[0][name])
++    },
++    removeProp: function(name){
++      name = propMap[name] || name
++      return this.each(function(){ delete this[name] })
++    },
++    data: function(name, value){
++      var attrName = 'data-' + name.replace(capitalRE, '-$1').toLowerCase()
++
++      var data = (1 in arguments) ?
++        this.attr(attrName, value) :
++        this.attr(attrName)
++
++      return data !== null ? deserializeValue(data) : undefined
++    },
++    val: function(value){
++      if (0 in arguments) {
++        if (value == null) value = ""
++        return this.each(function(idx){
++          this.value = funcArg(this, value, idx, this.value)
++        })
++      } else {
++        return this[0] && (this[0].multiple ?
++           $(this[0]).find('option').filter(function(){ return this.selected }).pluck('value') :
++           this[0].value)
++      }
++    },
++    offset: function(coordinates){
++      if (coordinates) return this.each(function(index){
++        var $this = $(this),
++            coords = funcArg(this, coordinates, index, $this.offset()),
++            parentOffset = $this.offsetParent().offset(),
++            props = {
++              top:  coords.top  - parentOffset.top,
++              left: coords.left - parentOffset.left
++            }
++
++        if ($this.css('position') == 'static') props['position'] = 'relative'
++        $this.css(props)
++      })
++      if (!this.length) return null
++      if (document.documentElement !== this[0] && !$.contains(document.documentElement, this[0]))
++        return {top: 0, left: 0}
++      var obj = this[0].getBoundingClientRect()
++      return {
++        left: obj.left + window.pageXOffset,
++        top: obj.top + window.pageYOffset,
++        width: Math.round(obj.width),
++        height: Math.round(obj.height)
++      }
++    },
++    css: function(property, value){
++      if (arguments.length < 2) {
++        var element = this[0]
++        if (typeof property == 'string') {
++          if (!element) return
++          return element.style[camelize(property)] || getComputedStyle(element, '').getPropertyValue(property)
++        } else if (isArray(property)) {
++          if (!element) return
++          var props = {}
++          var computedStyle = getComputedStyle(element, '')
++          $.each(property, function(_, prop){
++            props[prop] = (element.style[camelize(prop)] || computedStyle.getPropertyValue(prop))
++          })
++          return props
++        }
++      }
++
++      var css = ''
++      if (type(property) == 'string') {
++        if (!value && value !== 0)
++          this.each(function(){ this.style.removeProperty(dasherize(property)) })
++        else
++          css = dasherize(property) + ":" + maybeAddPx(property, value)
++      } else {
++        for (key in property)
++          if (!property[key] && property[key] !== 0)
++            this.each(function(){ this.style.removeProperty(dasherize(key)) })
++          else
++            css += dasherize(key) + ':' + maybeAddPx(key, property[key]) + ';'
++      }
++
++      return this.each(function(){ this.style.cssText += ';' + css })
++    },
++    index: function(element){
++      return element ? this.indexOf($(element)[0]) : this.parent().children().indexOf(this[0])
++    },
++    hasClass: function(name){
++      if (!name) return false
++      return emptyArray.some.call(this, function(el){
++        return this.test(className(el))
++      }, classRE(name))
++    },
++    addClass: function(name){
++      if (!name) return this
++      return this.each(function(idx){
++        if (!('className' in this)) return
++        classList = []
++        var cls = className(this), newName = funcArg(this, name, idx, cls)
++        newName.split(/\s+/g).forEach(function(klass){
++          if (!$(this).hasClass(klass)) classList.push(klass)
++        }, this)
++        classList.length && className(this, cls + (cls ? " " : "") + classList.join(" "))
++      })
++    },
++    removeClass: function(name){
++      return this.each(function(idx){
++        if (!('className' in this)) return
++        if (name === undefined) return className(this, '')
++        classList = className(this)
++        funcArg(this, name, idx, classList).split(/\s+/g).forEach(function(klass){
++          classList = classList.replace(classRE(klass), " ")
++        })
++        className(this, classList.trim())
++      })
++    },
++    toggleClass: function(name, when){
++      if (!name) return this
++      return this.each(function(idx){
++        var $this = $(this), names = funcArg(this, name, idx, className(this))
++        names.split(/\s+/g).forEach(function(klass){
++          (when === undefined ? !$this.hasClass(klass) : when) ?
++            $this.addClass(klass) : $this.removeClass(klass)
++        })
++      })
++    },
++    scrollTop: function(value){
++      if (!this.length) return
++      var hasScrollTop = 'scrollTop' in this[0]
++      if (value === undefined) return hasScrollTop ? this[0].scrollTop : this[0].pageYOffset
++      return this.each(hasScrollTop ?
++        function(){ this.scrollTop = value } :
++        function(){ this.scrollTo(this.scrollX, value) })
++    },
++    scrollLeft: function(value){
++      if (!this.length) return
++      var hasScrollLeft = 'scrollLeft' in this[0]
++      if (value === undefined) return hasScrollLeft ? this[0].scrollLeft : this[0].pageXOffset
++      return this.each(hasScrollLeft ?
++        function(){ this.scrollLeft = value } :
++        function(){ this.scrollTo(value, this.scrollY) })
++    },
++    position: function() {
++      if (!this.length) return
++
++      var elem = this[0],
++        // Get *real* offsetParent
++        offsetParent = this.offsetParent(),
++        // Get correct offsets
++        offset       = this.offset(),
++        parentOffset = rootNodeRE.test(offsetParent[0].nodeName) ? { top: 0, left: 0 } : offsetParent.offset()
++
++      // Subtract element margins
++      // note: when an element has margin: auto the offsetLeft and marginLeft
++      // are the same in Safari causing offset.left to incorrectly be 0
++      offset.top  -= parseFloat( $(elem).css('margin-top') ) || 0
++      offset.left -= parseFloat( $(elem).css('margin-left') ) || 0
++
++      // Add offsetParent borders
++      parentOffset.top  += parseFloat( $(offsetParent[0]).css('border-top-width') ) || 0
++      parentOffset.left += parseFloat( $(offsetParent[0]).css('border-left-width') ) || 0
++
++      // Subtract the two offsets
++      return {
++        top:  offset.top  - parentOffset.top,
++        left: offset.left - parentOffset.left
++      }
++    },
++    offsetParent: function() {
++      return this.map(function(){
++        var parent = this.offsetParent || document.body
++        while (parent && !rootNodeRE.test(parent.nodeName) && $(parent).css("position") == "static")
++          parent = parent.offsetParent
++        return parent
++      })
++    }
++  }
++
++  // for now
++  $.fn.detach = $.fn.remove
++
++  // Generate the `width` and `height` functions
++  ;['width', 'height'].forEach(function(dimension){
++    var dimensionProperty =
++      dimension.replace(/./, function(m){ return m[0].toUpperCase() })
++
++    $.fn[dimension] = function(value){
++      var offset, el = this[0]
++      if (value === undefined) return isWindow(el) ? el['inner' + dimensionProperty] :
++        isDocument(el) ? el.documentElement['scroll' + dimensionProperty] :
++        (offset = this.offset()) && offset[dimension]
++      else return this.each(function(idx){
++        el = $(this)
++        el.css(dimension, funcArg(this, value, idx, el[dimension]()))
++      })
++    }
++  })
++
++  function traverseNode(node, fun) {
++    fun(node)
++    for (var i = 0, len = node.childNodes.length; i < len; i++)
++      traverseNode(node.childNodes[i], fun)
++  }
++
++  // Generate the `after`, `prepend`, `before`, `append`,
++  // `insertAfter`, `insertBefore`, `appendTo`, and `prependTo` methods.
++  adjacencyOperators.forEach(function(operator, operatorIndex) {
++    var inside = operatorIndex % 2 //=> prepend, append
++
++    $.fn[operator] = function(){
++      // arguments can be nodes, arrays of nodes, Zepto objects and HTML strings
++      var argType, nodes = $.map(arguments, function(arg) {
++            var arr = []
++            argType = type(arg)
++            if (argType == "array") {
++              arg.forEach(function(el) {
++                if (el.nodeType !== undefined) return arr.push(el)
++                else if ($.zepto.isZ(el)) return arr = arr.concat(el.get())
++                arr = arr.concat(zepto.fragment(el))
++              })
++              return arr
++            }
++            return argType == "object" || arg == null ?
++              arg : zepto.fragment(arg)
++          }),
++          parent, copyByClone = this.length > 1
++      if (nodes.length < 1) return this
++
++      return this.each(function(_, target){
++        parent = inside ? target : target.parentNode
++
++        // convert all methods to a "before" operation
++        target = operatorIndex == 0 ? target.nextSibling :
++                 operatorIndex == 1 ? target.firstChild :
++                 operatorIndex == 2 ? target :
++                 null
++
++        var parentInDocument = $.contains(document.documentElement, parent)
++
++        nodes.forEach(function(node){
++          if (copyByClone) node = node.cloneNode(true)
++          else if (!parent) return $(node).remove()
++
++          parent.insertBefore(node, target)
++          if (parentInDocument) traverseNode(node, function(el){
++            if (el.nodeName != null && el.nodeName.toUpperCase() === 'SCRIPT' &&
++               (!el.type || el.type === 'text/javascript') && !el.src){
++              var target = el.ownerDocument ? el.ownerDocument.defaultView : window
++              target['eval'].call(target, el.innerHTML)
++            }
++          })
++        })
++      })
++    }
++
++    // after    => insertAfter
++    // prepend  => prependTo
++    // before   => insertBefore
++    // append   => appendTo
++    $.fn[inside ? operator+'To' : 'insert'+(operatorIndex ? 'Before' : 'After')] = function(html){
++      $(html)[operator](this)
++      return this
++    }
++  })
++
++  zepto.Z.prototype = Z.prototype = $.fn
++
++  // Export internal API functions in the `$.zepto` namespace
++  zepto.uniq = uniq
++  zepto.deserializeValue = deserializeValue
++  $.zepto = zepto
++
++  return $
++})()
++
++;(function($){
++  var _zid = 1, undefined,
++      slice = Array.prototype.slice,
++      isFunction = $.isFunction,
++      isString = function(obj){ return typeof obj == 'string' },
++      handlers = {},
++      specialEvents={},
++      focusinSupported = 'onfocusin' in window,
++      focus = { focus: 'focusin', blur: 'focusout' },
++      hover = { mouseenter: 'mouseover', mouseleave: 'mouseout' }
++
++  specialEvents.click = specialEvents.mousedown = specialEvents.mouseup = specialEvents.mousemove = 'MouseEvents'
++
++  function zid(element) {
++    return element._zid || (element._zid = _zid++)
++  }
++  function findHandlers(element, event, fn, selector) {
++    event = parse(event)
++    if (event.ns) var matcher = matcherFor(event.ns)
++    return (handlers[zid(element)] || []).filter(function(handler) {
++      return handler
++        && (!event.e  || handler.e == event.e)
++        && (!event.ns || matcher.test(handler.ns))
++        && (!fn       || zid(handler.fn) === zid(fn))
++        && (!selector || handler.sel == selector)
++    })
++  }
++  function parse(event) {
++    var parts = ('' + event).split('.')
++    return {e: parts[0], ns: parts.slice(1).sort().join(' ')}
++  }
++  function matcherFor(ns) {
++    return new RegExp('(?:^| )' + ns.replace(' ', ' .* ?') + '(?: |$)')
++  }
++
++  function eventCapture(handler, captureSetting) {
++    return handler.del &&
++      (!focusinSupported && (handler.e in focus)) ||
++      !!captureSetting
++  }
++
++  function realEvent(type) {
++    return hover[type] || (focusinSupported && focus[type]) || type
++  }
++
++  function add(element, events, fn, data, selector, delegator, capture){
++    var id = zid(element), set = (handlers[id] || (handlers[id] = []))
++    events.split(/\s/).forEach(function(event){
++      if (event == 'ready') return $(document).ready(fn)
++      var handler   = parse(event)
++      handler.fn    = fn
++      handler.sel   = selector
++      // emulate mouseenter, mouseleave
++      if (handler.e in hover) fn = function(e){
++        var related = e.relatedTarget
++        if (!related || (related !== this && !$.contains(this, related)))
++          return handler.fn.apply(this, arguments)
++      }
++      handler.del   = delegator
++      var callback  = delegator || fn
++      handler.proxy = function(e){
++        e = compatible(e)
++        if (e.isImmediatePropagationStopped()) return
++        e.data = data
++        var result = callback.apply(element, e._args == undefined ? [e] : [e].concat(e._args))
++        if (result === false) e.preventDefault(), e.stopPropagation()
++        return result
++      }
++      handler.i = set.length
++      set.push(handler)
++      if ('addEventListener' in element)
++        element.addEventListener(realEvent(handler.e), handler.proxy, eventCapture(handler, capture))
++    })
++  }
++  function remove(element, events, fn, selector, capture){
++    var id = zid(element)
++    ;(events || '').split(/\s/).forEach(function(event){
++      findHandlers(element, event, fn, selector).forEach(function(handler){
++        delete handlers[id][handler.i]
++      if ('removeEventListener' in element)
++        element.removeEventListener(realEvent(handler.e), handler.proxy, eventCapture(handler, capture))
++      })
++    })
++  }
++
++  $.event = { add: add, remove: remove }
++
++  $.proxy = function(fn, context) {
++    var args = (2 in arguments) && slice.call(arguments, 2)
++    if (isFunction(fn)) {
++      var proxyFn = function(){ return fn.apply(context, args ? args.concat(slice.call(arguments)) : arguments) }
++      proxyFn._zid = zid(fn)
++      return proxyFn
++    } else if (isString(context)) {
++      if (args) {
++        args.unshift(fn[context], fn)
++        return $.proxy.apply(null, args)
++      } else {
++        return $.proxy(fn[context], fn)
++      }
++    } else {
++      throw new TypeError("expected function")
++    }
++  }
++
++  $.fn.bind = function(event, data, callback){
++    return this.on(event, data, callback)
++  }
++  $.fn.unbind = function(event, callback){
++    return this.off(event, callback)
++  }
++  $.fn.one = function(event, selector, data, callback){
++    return this.on(event, selector, data, callback, 1)
++  }
++
++  var returnTrue = function(){return true},
++      returnFalse = function(){return false},
++      ignoreProperties = /^([A-Z]|returnValue$|layer[XY]$|webkitMovement[XY]$)/,
++      eventMethods = {
++        preventDefault: 'isDefaultPrevented',
++        stopImmediatePropagation: 'isImmediatePropagationStopped',
++        stopPropagation: 'isPropagationStopped'
++      }
++
++  function compatible(event, source) {
++    if (source || !event.isDefaultPrevented) {
++      source || (source = event)
++
++      $.each(eventMethods, function(name, predicate) {
++        var sourceMethod = source[name]
++        event[name] = function(){
++          this[predicate] = returnTrue
++          return sourceMethod && sourceMethod.apply(source, arguments)
++        }
++        event[predicate] = returnFalse
++      })
++
++      event.timeStamp || (event.timeStamp = Date.now())
++
++      if (source.defaultPrevented !== undefined ? source.defaultPrevented :
++          'returnValue' in source ? source.returnValue === false :
++          source.getPreventDefault && source.getPreventDefault())
++        event.isDefaultPrevented = returnTrue
++    }
++    return event
++  }
++
++  function createProxy(event) {
++    var key, proxy = { originalEvent: event }
++    for (key in event)
++      if (!ignoreProperties.test(key) && event[key] !== undefined) proxy[key] = event[key]
++
++    return compatible(proxy, event)
++  }
++
++  $.fn.delegate = function(selector, event, callback){
++    return this.on(event, selector, callback)
++  }
++  $.fn.undelegate = function(selector, event, callback){
++    return this.off(event, selector, callback)
++  }
++
++  $.fn.live = function(event, callback){
++    $(document.body).delegate(this.selector, event, callback)
++    return this
++  }
++  $.fn.die = function(event, callback){
++    $(document.body).undelegate(this.selector, event, callback)
++    return this
++  }
++
++  $.fn.on = function(event, selector, data, callback, one){
++    var autoRemove, delegator, $this = this
++    if (event && !isString(event)) {
++      $.each(event, function(type, fn){
++        $this.on(type, selector, data, fn, one)
++      })
++      return $this
++    }
++
++    if (!isString(selector) && !isFunction(callback) && callback !== false)
++      callback = data, data = selector, selector = undefined
++    if (callback === undefined || data === false)
++      callback = data, data = undefined
++
++    if (callback === false) callback = returnFalse
++
++    return $this.each(function(_, element){
++      if (one) autoRemove = function(e){
++        remove(element, e.type, callback)
++        return callback.apply(this, arguments)
++      }
++
++      if (selector) delegator = function(e){
++        var evt, match = $(e.target).closest(selector, element).get(0)
++        if (match && match !== element) {
++          evt = $.extend(createProxy(e), {currentTarget: match, liveFired: element})
++          return (autoRemove || callback).apply(match, [evt].concat(slice.call(arguments, 1)))
++        }
++      }
++
++      add(element, event, callback, data, selector, delegator || autoRemove)
++    })
++  }
++  $.fn.off = function(event, selector, callback){
++    var $this = this
++    if (event && !isString(event)) {
++      $.each(event, function(type, fn){
++        $this.off(type, selector, fn)
++      })
++      return $this
++    }
++
++    if (!isString(selector) && !isFunction(callback) && callback !== false)
++      callback = selector, selector = undefined
++
++    if (callback === false) callback = returnFalse
++
++    return $this.each(function(){
++      remove(this, event, callback, selector)
++    })
++  }
++
++  $.fn.trigger = function(event, args){
++    event = (isString(event) || $.isPlainObject(event)) ? $.Event(event) : compatible(event)
++    event._args = args
++    return this.each(function(){
++      // handle focus(), blur() by calling them directly
++      if (event.type in focus && typeof this[event.type] == "function") this[event.type]()
++      // items in the collection might not be DOM elements
++      else if ('dispatchEvent' in this) this.dispatchEvent(event)
++      else $(this).triggerHandler(event, args)
++    })
++  }
++
++  // triggers event handlers on current element just as if an event occurred,
++  // doesn't trigger an actual event, doesn't bubble
++  $.fn.triggerHandler = function(event, args){
++    var e, result
++    this.each(function(i, element){
++      e = createProxy(isString(event) ? $.Event(event) : event)
++      e._args = args
++      e.target = element
++      $.each(findHandlers(element, event.type || event), function(i, handler){
++        result = handler.proxy(e)
++        if (e.isImmediatePropagationStopped()) return false
++      })
++    })
++    return result
++  }
++
++  // shortcut methods for `.bind(event, fn)` for each event type
++  ;('focusin focusout focus blur load resize scroll unload click dblclick '+
++  'mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave '+
++  'change select keydown keypress keyup error').split(' ').forEach(function(event) {
++    $.fn[event] = function(callback) {
++      return (0 in arguments) ?
++        this.bind(event, callback) :
++        this.trigger(event)
++    }
++  })
++
++  $.Event = function(type, props) {
++    if (!isString(type)) props = type, type = props.type
++    var event = document.createEvent(specialEvents[type] || 'Events'), bubbles = true
++    if (props) for (var name in props) (name == 'bubbles') ? (bubbles = !!props[name]) : (event[name] = props[name])
++    event.initEvent(type, bubbles, true)
++    return compatible(event)
++  }
++
++})(Zepto)
++
++;(function($){
++  var cache = [], timeout
++
++  $.fn.remove = function(){
++    return this.each(function(){
++      if(this.parentNode){
++        if(this.tagName === 'IMG'){
++          cache.push(this)
++          this.src = 'data:image/gif;base64,R0lGODlhAQABAAD/ACwAAAAAAQABAAACADs='
++          if (timeout) clearTimeout(timeout)
++          timeout = setTimeout(function(){ cache = [] }, 60000)
++        }
++        this.parentNode.removeChild(this)
++      }
++    })
++  }
++})(Zepto)
++
++;(function($){
++  var data = {}, dataAttr = $.fn.data, camelize = $.camelCase,
++    exp = $.expando = 'Zepto' + (+new Date()), emptyArray = []
++
++  // Get value from node:
++  // 1. first try key as given,
++  // 2. then try camelized key,
++  // 3. fall back to reading "data-*" attribute.
++  function getData(node, name) {
++    var id = node[exp], store = id && data[id]
++    if (name === undefined) return store || setData(node)
++    else {
++      if (store) {
++        if (name in store) return store[name]
++        var camelName = camelize(name)
++        if (camelName in store) return store[camelName]
++      }
++      return dataAttr.call($(node), name)
++    }
++  }
++
++  // Store value under camelized key on node
++  function setData(node, name, value) {
++    var id = node[exp] || (node[exp] = ++$.uuid),
++      store = data[id] || (data[id] = attributeData(node))
++    if (name !== undefined) store[camelize(name)] = value
++    return store
++  }
++
++  // Read all "data-*" attributes from a node
++  function attributeData(node) {
++    var store = {}
++    $.each(node.attributes || emptyArray, function(i, attr){
++      if (attr.name.indexOf('data-') == 0)
++        store[camelize(attr.name.replace('data-', ''))] =
++          $.zepto.deserializeValue(attr.value)
++    })
++    return store
++  }
++
++  $.fn.data = function(name, value) {
++    return value === undefined ?
++      // set multiple values via object
++      $.isPlainObject(name) ?
++        this.each(function(i, node){
++          $.each(name, function(key, value){ setData(node, key, value) })
++        }) :
++        // get value from first element
++        (0 in this ? getData(this[0], name) : undefined) :
++      // set value on all elements
++      this.each(function(){ setData(this, name, value) })
++  }
++
++  $.data = function(elem, name, value) {
++    return $(elem).data(name, value)
++  }
++
++  $.hasData = function(elem) {
++    var id = elem[exp], store = id && data[id]
++    return store ? !$.isEmptyObject(store) : false
++  }
++
++  $.fn.removeData = function(names) {
++    if (typeof names == 'string') names = names.split(/\s+/)
++    return this.each(function(){
++      var id = this[exp], store = id && data[id]
++      if (store) $.each(names || store, function(key){
++        delete store[names ? camelize(this) : key]
++      })
++    })
++  }
++
++  // Generate extended `remove` and `empty` functions
++  ;['remove', 'empty'].forEach(function(methodName){
++    var origFn = $.fn[methodName]
++    $.fn[methodName] = function() {
++      var elements = this.find('*')
++      if (methodName === 'remove') elements = elements.add(this)
++      elements.removeData()
++      return origFn.call(this)
++    }
++  })
++})(Zepto)
++  return Zepto
++}))
++
++
++/***/ }),
++/* 18 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++Object.defineProperty(exports, "__esModule", {
++  value: true
++});
++exports.default = '2.3.3';
++
++/***/ }),
++/* 19 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++Object.defineProperty(exports, "__esModule", {
++  value: true
++});
++
++var _zepto = __webpack_require__(17);
++
++var _zepto2 = _interopRequireDefault(_zepto);
++
++function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }
++
++exports.default = _zepto2.default;
++
++/***/ }),
++/* 20 */
++/***/ (function(module, exports) {
++
++if (typeof Object.create === 'function') {
++  // implementation from standard node.js 'util' module
++  module.exports = function inherits(ctor, superCtor) {
++    ctor.super_ = superCtor
++    ctor.prototype = Object.create(superCtor.prototype, {
++      constructor: {
++        value: ctor,
++        enumerable: false,
++        writable: true,
++        configurable: true
++      }
++    });
++  };
++} else {
++  // old school shim for old browsers
++  module.exports = function inherits(ctor, superCtor) {
++    ctor.super_ = superCtor
++    var TempCtor = function () {}
++    TempCtor.prototype = superCtor.prototype
++    ctor.prototype = new TempCtor()
++    ctor.prototype.constructor = ctor
++  }
++}
++
++
++/***/ }),
++/* 21 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++Object.defineProperty(exports, "__esModule", {
++  value: true
++});
++
++var _toFactory = __webpack_require__(66);
++
++var _toFactory2 = _interopRequireDefault(_toFactory);
++
++var _DocSearch = __webpack_require__(47);
++
++var _DocSearch2 = _interopRequireDefault(_DocSearch);
++
++var _version = __webpack_require__(18);
++
++var _version2 = _interopRequireDefault(_version);
++
++function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }
++
++var docsearch = (0, _toFactory2.default)(_DocSearch2.default);
++docsearch.version = _version2.default;
++
++exports.default = docsearch;
++
++/***/ }),
++/* 22 */
++/***/ (function(module, exports, __webpack_require__) {
++
++module.exports = AlgoliaSearchCore;
++
++var errors = __webpack_require__(5);
++var exitPromise = __webpack_require__(31);
++var IndexCore = __webpack_require__(23);
++var store = __webpack_require__(35);
++
++// We will always put the API KEY in the JSON body in case of too long API KEY,
++// to avoid query string being too long and failing in various conditions (our server limit, browser limit,
++// proxies limit)
++var MAX_API_KEY_LENGTH = 500;
++var RESET_APP_DATA_TIMER =
++  __webpack_require__.i({"NODE_ENV":"production"}).RESET_APP_DATA_TIMER && parseInt(__webpack_require__.i({"NODE_ENV":"production"}).RESET_APP_DATA_TIMER, 10) ||
++  60 * 2 * 1000; // after 2 minutes reset to first host
++
++/*
++ * Algolia Search library initialization
++ * https://www.algolia.com/
++ *
++ * @param {string} applicationID - Your applicationID, found in your dashboard
++ * @param {string} apiKey - Your API key, found in your dashboard
++ * @param {Object} [opts]
++ * @param {number} [opts.timeout=2000] - The request timeout set in milliseconds,
++ * another request will be issued after this timeout
++ * @param {string} [opts.protocol='http:'] - The protocol used to query Algolia Search API.
++ *                                        Set to 'https:' to force using https.
++ *                                        Default to document.location.protocol in browsers
++ * @param {Object|Array} [opts.hosts={
++ *           read: [this.applicationID + '-dsn.algolia.net'].concat([
++ *             this.applicationID + '-1.algolianet.com',
++ *             this.applicationID + '-2.algolianet.com',
++ *             this.applicationID + '-3.algolianet.com']
++ *           ]),
++ *           write: [this.applicationID + '.algolia.net'].concat([
++ *             this.applicationID + '-1.algolianet.com',
++ *             this.applicationID + '-2.algolianet.com',
++ *             this.applicationID + '-3.algolianet.com']
++ *           ]) - The hosts to use for Algolia Search API.
++ *           If you provide them, you will less benefit from our HA implementation
++ */
++function AlgoliaSearchCore(applicationID, apiKey, opts) {
++  var debug = __webpack_require__(6)('algoliasearch');
++
++  var clone = __webpack_require__(4);
++  var isArray = __webpack_require__(7);
++  var map = __webpack_require__(8);
++
++  var usage = 'Usage: algoliasearch(applicationID, apiKey, opts)';
++
++  if (opts._allowEmptyCredentials !== true && !applicationID) {
++    throw new errors.AlgoliaSearchError('Please provide an application ID. ' + usage);
++  }
++
++  if (opts._allowEmptyCredentials !== true && !apiKey) {
++    throw new errors.AlgoliaSearchError('Please provide an API key. ' + usage);
++  }
++
++  this.applicationID = applicationID;
++  this.apiKey = apiKey;
++
++  this.hosts = {
++    read: [],
++    write: []
++  };
++
++  opts = opts || {};
++
++  var protocol = opts.protocol || 'https:';
++  this._timeouts = opts.timeouts || {
++    connect: 1 * 1000, // 500ms connect is GPRS latency
++    read: 2 * 1000,
++    write: 30 * 1000
++  };
++
++  // backward compat, if opts.timeout is passed, we use it to configure all timeouts like before
++  if (opts.timeout) {
++    this._timeouts.connect = this._timeouts.read = this._timeouts.write = opts.timeout;
++  }
++
++  // while we advocate for colon-at-the-end values: 'http:' for `opts.protocol`
++  // we also accept `http` and `https`. It's a common error.
++  if (!/:$/.test(protocol)) {
++    protocol = protocol + ':';
++  }
++
++  if (opts.protocol !== 'http:' && opts.protocol !== 'https:') {
++    throw new errors.AlgoliaSearchError('protocol must be `http:` or `https:` (was `' + opts.protocol + '`)');
++  }
++
++  this._checkAppIdData();
++
++  if (!opts.hosts) {
++    var defaultHosts = map(this._shuffleResult, function(hostNumber) {
++      return applicationID + '-' + hostNumber + '.algolianet.com';
++    });
++
++    // no hosts given, compute defaults
++    this.hosts.read = [this.applicationID + '-dsn.algolia.net'].concat(defaultHosts);
++    this.hosts.write = [this.applicationID + '.algolia.net'].concat(defaultHosts);
++  } else if (isArray(opts.hosts)) {
++    // when passing custom hosts, we need to have a different host index if the number
++    // of write/read hosts are different.
++    this.hosts.read = clone(opts.hosts);
++    this.hosts.write = clone(opts.hosts);
++  } else {
++    this.hosts.read = clone(opts.hosts.read);
++    this.hosts.write = clone(opts.hosts.write);
++  }
++
++  // add protocol and lowercase hosts
++  this.hosts.read = map(this.hosts.read, prepareHost(protocol));
++  this.hosts.write = map(this.hosts.write, prepareHost(protocol));
++
++  this.extraHeaders = [];
++
++  // In some situations you might want to warm the cache
++  this.cache = opts._cache || {};
++
++  this._ua = opts._ua;
++  this._useCache = opts._useCache === undefined || opts._cache ? true : opts._useCache;
++  this._useFallback = opts.useFallback === undefined ? true : opts.useFallback;
++
++  this._setTimeout = opts._setTimeout;
++
++  debug('init done, %j', this);
++}
++
++/*
++ * Get the index object initialized
++ *
++ * @param indexName the name of index
++ * @param callback the result callback with one argument (the Index instance)
++ */
++AlgoliaSearchCore.prototype.initIndex = function(indexName) {
++  return new IndexCore(this, indexName);
++};
++
++/**
++* Add an extra field to the HTTP request
++*
++* @param name the header field name
++* @param value the header field value
++*/
++AlgoliaSearchCore.prototype.setExtraHeader = function(name, value) {
++  this.extraHeaders.push({
++    name: name.toLowerCase(), value: value
++  });
++};
++
++/**
++* Augment sent x-algolia-agent with more data, each agent part
++* is automatically separated from the others by a semicolon;
++*
++* @param algoliaAgent the agent to add
++*/
++AlgoliaSearchCore.prototype.addAlgoliaAgent = function(algoliaAgent) {
++  if (this._ua.indexOf(';' + algoliaAgent) === -1) {
++    this._ua += ';' + algoliaAgent;
++  }
++};
++
++/*
++ * Wrapper that try all hosts to maximize the quality of service
++ */
++AlgoliaSearchCore.prototype._jsonRequest = function(initialOpts) {
++  this._checkAppIdData();
++
++  var requestDebug = __webpack_require__(6)('algoliasearch:' + initialOpts.url);
++
++  var body;
++  var additionalUA = initialOpts.additionalUA || '';
++  var cache = initialOpts.cache;
++  var client = this;
++  var tries = 0;
++  var usingFallback = false;
++  var hasFallback = client._useFallback && client._request.fallback && initialOpts.fallback;
++  var headers;
++
++  if (
++    this.apiKey.length > MAX_API_KEY_LENGTH &&
++    initialOpts.body !== undefined &&
++    (initialOpts.body.params !== undefined || // index.search()
++    initialOpts.body.requests !== undefined) // client.search()
++  ) {
++    initialOpts.body.apiKey = this.apiKey;
++    headers = this._computeRequestHeaders(additionalUA, false);
++  } else {
++    headers = this._computeRequestHeaders(additionalUA);
++  }
++
++  if (initialOpts.body !== undefined) {
++    body = safeJSONStringify(initialOpts.body);
++  }
++
++  requestDebug('request start');
++  var debugData = [];
++
++  function doRequest(requester, reqOpts) {
++    client._checkAppIdData();
++
++    var startTime = new Date();
++    var cacheID;
++
++    if (client._useCache) {
++      cacheID = initialOpts.url;
++    }
++
++    // as we sometime use POST requests to pass parameters (like query='aa'),
++    // the cacheID must also include the body to be different between calls
++    if (client._useCache && body) {
++      cacheID += '_body_' + reqOpts.body;
++    }
++
++    // handle cache existence
++    if (client._useCache && cache && cache[cacheID] !== undefined) {
++      requestDebug('serving response from cache');
++      return client._promise.resolve(JSON.parse(cache[cacheID]));
++    }
++
++    // if we reached max tries
++    if (tries >= client.hosts[initialOpts.hostType].length) {
++      if (!hasFallback || usingFallback) {
++        requestDebug('could not get any response');
++        // then stop
++        return client._promise.reject(new errors.AlgoliaSearchError(
++          'Cannot connect to the AlgoliaSearch API.' +
++          ' Send an email to support@algolia.com to report and resolve the issue.' +
++          ' Application id was: ' + client.applicationID, {debugData: debugData}
++        ));
++      }
++
++      requestDebug('switching to fallback');
++
++      // let's try the fallback starting from here
++      tries = 0;
++
++      // method, url and body are fallback dependent
++      reqOpts.method = initialOpts.fallback.method;
++      reqOpts.url = initialOpts.fallback.url;
++      reqOpts.jsonBody = initialOpts.fallback.body;
++      if (reqOpts.jsonBody) {
++        reqOpts.body = safeJSONStringify(reqOpts.jsonBody);
++      }
++      // re-compute headers, they could be omitting the API KEY
++      headers = client._computeRequestHeaders(additionalUA);
++
++      reqOpts.timeouts = client._getTimeoutsForRequest(initialOpts.hostType);
++      client._setHostIndexByType(0, initialOpts.hostType);
++      usingFallback = true; // the current request is now using fallback
++      return doRequest(client._request.fallback, reqOpts);
++    }
++
++    var currentHost = client._getHostByType(initialOpts.hostType);
++
++    var url = currentHost + reqOpts.url;
++    var options = {
++      body: reqOpts.body,
++      jsonBody: reqOpts.jsonBody,
++      method: reqOpts.method,
++      headers: headers,
++      timeouts: reqOpts.timeouts,
++      debug: requestDebug
++    };
++
++    requestDebug('method: %s, url: %s, headers: %j, timeouts: %d',
++      options.method, url, options.headers, options.timeouts);
++
++    if (requester === client._request.fallback) {
++      requestDebug('using fallback');
++    }
++
++    // `requester` is any of this._request or this._request.fallback
++    // thus it needs to be called using the client as context
++    return requester.call(client, url, options).then(success, tryFallback);
++
++    function success(httpResponse) {
++      // compute the status of the response,
++      //
++      // When in browser mode, using XDR or JSONP, we have no statusCode available
++      // So we rely on our API response `status` property.
++      // But `waitTask` can set a `status` property which is not the statusCode (it's the task status)
++      // So we check if there's a `message` along `status` and it means it's an error
++      //
++      // That's the only case where we have a response.status that's not the http statusCode
++      var status = httpResponse && httpResponse.body && httpResponse.body.message && httpResponse.body.status ||
++
++        // this is important to check the request statusCode AFTER the body eventual
++        // statusCode because some implementations (jQuery XDomainRequest transport) may
++        // send statusCode 200 while we had an error
++        httpResponse.statusCode ||
++
++        // When in browser mode, using XDR or JSONP
++        // we default to success when no error (no response.status && response.message)
++        // If there was a JSON.parse() error then body is null and it fails
++        httpResponse && httpResponse.body && 200;
++
++      requestDebug('received response: statusCode: %s, computed statusCode: %d, headers: %j',
++        httpResponse.statusCode, status, httpResponse.headers);
++
++      var httpResponseOk = Math.floor(status / 100) === 2;
++
++      var endTime = new Date();
++      debugData.push({
++        currentHost: currentHost,
++        headers: removeCredentials(headers),
++        content: body || null,
++        contentLength: body !== undefined ? body.length : null,
++        method: reqOpts.method,
++        timeouts: reqOpts.timeouts,
++        url: reqOpts.url,
++        startTime: startTime,
++        endTime: endTime,
++        duration: endTime - startTime,
++        statusCode: status
++      });
++
++      if (httpResponseOk) {
++        if (client._useCache && cache) {
++          cache[cacheID] = httpResponse.responseText;
++        }
++
++        return httpResponse.body;
++      }
++
++      var shouldRetry = Math.floor(status / 100) !== 4;
++
++      if (shouldRetry) {
++        tries += 1;
++        return retryRequest();
++      }
++
++      requestDebug('unrecoverable error');
++
++      // no success and no retry => fail
++      var unrecoverableError = new errors.AlgoliaSearchError(
++        httpResponse.body && httpResponse.body.message, {debugData: debugData, statusCode: status}
++      );
++
++      return client._promise.reject(unrecoverableError);
++    }
++
++    function tryFallback(err) {
++      // error cases:
++      //  While not in fallback mode:
++      //    - CORS not supported
++      //    - network error
++      //  While in fallback mode:
++      //    - timeout
++      //    - network error
++      //    - badly formatted JSONP (script loaded, did not call our callback)
++      //  In both cases:
++      //    - uncaught exception occurs (TypeError)
++      requestDebug('error: %s, stack: %s', err.message, err.stack);
++
++      var endTime = new Date();
++      debugData.push({
++        currentHost: currentHost,
++        headers: removeCredentials(headers),
++        content: body || null,
++        contentLength: body !== undefined ? body.length : null,
++        method: reqOpts.method,
++        timeouts: reqOpts.timeouts,
++        url: reqOpts.url,
++        startTime: startTime,
++        endTime: endTime,
++        duration: endTime - startTime
++      });
++
++      if (!(err instanceof errors.AlgoliaSearchError)) {
++        err = new errors.Unknown(err && err.message, err);
++      }
++
++      tries += 1;
++
++      // stop the request implementation when:
++      if (
++        // we did not generate this error,
++        // it comes from a throw in some other piece of code
++        err instanceof errors.Unknown ||
++
++        // server sent unparsable JSON
++        err instanceof errors.UnparsableJSON ||
++
++        // max tries and already using fallback or no fallback
++        tries >= client.hosts[initialOpts.hostType].length &&
++        (usingFallback || !hasFallback)) {
++        // stop request implementation for this command
++        err.debugData = debugData;
++        return client._promise.reject(err);
++      }
++
++      // When a timeout occured, retry by raising timeout
++      if (err instanceof errors.RequestTimeout) {
++        return retryRequestWithHigherTimeout();
++      }
++
++      return retryRequest();
++    }
++
++    function retryRequest() {
++      requestDebug('retrying request');
++      client._incrementHostIndex(initialOpts.hostType);
++      return doRequest(requester, reqOpts);
++    }
++
++    function retryRequestWithHigherTimeout() {
++      requestDebug('retrying request with higher timeout');
++      client._incrementHostIndex(initialOpts.hostType);
++      client._incrementTimeoutMultipler();
++      reqOpts.timeouts = client._getTimeoutsForRequest(initialOpts.hostType);
++      return doRequest(requester, reqOpts);
++    }
++  }
++
++  var promise = doRequest(
++    client._request, {
++      url: initialOpts.url,
++      method: initialOpts.method,
++      body: body,
++      jsonBody: initialOpts.body,
++      timeouts: client._getTimeoutsForRequest(initialOpts.hostType)
++    }
++  );
++
++  // either we have a callback
++  // either we are using promises
++  if (initialOpts.callback) {
++    promise.then(function okCb(content) {
++      exitPromise(function() {
++        initialOpts.callback(null, content);
++      }, client._setTimeout || setTimeout);
++    }, function nookCb(err) {
++      exitPromise(function() {
++        initialOpts.callback(err);
++      }, client._setTimeout || setTimeout);
++    });
++  } else {
++    return promise;
++  }
++};
++
++/*
++* Transform search param object in query string
++* @param {object} args arguments to add to the current query string
++* @param {string} params current query string
++* @return {string} the final query string
++*/
++AlgoliaSearchCore.prototype._getSearchParams = function(args, params) {
++  if (args === undefined || args === null) {
++    return params;
++  }
++  for (var key in args) {
++    if (key !== null && args[key] !== undefined && args.hasOwnProperty(key)) {
++      params += params === '' ? '' : '&';
++      params += key + '=' + encodeURIComponent(Object.prototype.toString.call(args[key]) === '[object Array]' ? safeJSONStringify(args[key]) : args[key]);
++    }
++  }
++  return params;
++};
++
++AlgoliaSearchCore.prototype._computeRequestHeaders = function(additionalUA, withAPIKey) {
++  var forEach = __webpack_require__(2);
++
++  var ua = additionalUA ?
++    this._ua + ';' + additionalUA :
++    this._ua;
++
++  var requestHeaders = {
++    'x-algolia-agent': ua,
++    'x-algolia-application-id': this.applicationID
++  };
++
++  // browser will inline headers in the url, node.js will use http headers
++  // but in some situations, the API KEY will be too long (big secured API keys)
++  // so if the request is a POST and the KEY is very long, we will be asked to not put
++  // it into headers but in the JSON body
++  if (withAPIKey !== false) {
++    requestHeaders['x-algolia-api-key'] = this.apiKey;
++  }
++
++  if (this.userToken) {
++    requestHeaders['x-algolia-usertoken'] = this.userToken;
++  }
++
++  if (this.securityTags) {
++    requestHeaders['x-algolia-tagfilters'] = this.securityTags;
++  }
++
++  if (this.extraHeaders) {
++    forEach(this.extraHeaders, function addToRequestHeaders(header) {
++      requestHeaders[header.name] = header.value;
++    });
++  }
++
++  return requestHeaders;
++};
++
++/**
++ * Search through multiple indices at the same time
++ * @param  {Object[]}   queries  An array of queries you want to run.
++ * @param {string} queries[].indexName The index name you want to target
++ * @param {string} [queries[].query] The query to issue on this index. Can also be passed into `params`
++ * @param {Object} queries[].params Any search param like hitsPerPage, ..
++ * @param  {Function} callback Callback to be called
++ * @return {Promise|undefined} Returns a promise if no callback given
++ */
++AlgoliaSearchCore.prototype.search = function(queries, opts, callback) {
++  var isArray = __webpack_require__(7);
++  var map = __webpack_require__(8);
++
++  var usage = 'Usage: client.search(arrayOfQueries[, callback])';
++
++  if (!isArray(queries)) {
++    throw new Error(usage);
++  }
++
++  if (typeof opts === 'function') {
++    callback = opts;
++    opts = {};
++  } else if (opts === undefined) {
++    opts = {};
++  }
++
++  var client = this;
++
++  var postObj = {
++    requests: map(queries, function prepareRequest(query) {
++      var params = '';
++
++      // allow query.query
++      // so we are mimicing the index.search(query, params) method
++      // {indexName:, query:, params:}
++      if (query.query !== undefined) {
++        params += 'query=' + encodeURIComponent(query.query);
++      }
++
++      return {
++        indexName: query.indexName,
++        params: client._getSearchParams(query.params, params)
++      };
++    })
++  };
++
++  var JSONPParams = map(postObj.requests, function prepareJSONPParams(request, requestId) {
++    return requestId + '=' +
++      encodeURIComponent(
++        '/1/indexes/' + encodeURIComponent(request.indexName) + '?' +
++        request.params
++      );
++  }).join('&');
++
++  var url = '/1/indexes/*/queries';
++
++  if (opts.strategy !== undefined) {
++    url += '?strategy=' + opts.strategy;
++  }
++
++  return this._jsonRequest({
++    cache: this.cache,
++    method: 'POST',
++    url: url,
++    body: postObj,
++    hostType: 'read',
++    fallback: {
++      method: 'GET',
++      url: '/1/indexes/*',
++      body: {
++        params: JSONPParams
++      }
++    },
++    callback: callback
++  });
++};
++
++/**
++ * Set the extra security tagFilters header
++ * @param {string|array} tags The list of tags defining the current security filters
++ */
++AlgoliaSearchCore.prototype.setSecurityTags = function(tags) {
++  if (Object.prototype.toString.call(tags) === '[object Array]') {
++    var strTags = [];
++    for (var i = 0; i < tags.length; ++i) {
++      if (Object.prototype.toString.call(tags[i]) === '[object Array]') {
++        var oredTags = [];
++        for (var j = 0; j < tags[i].length; ++j) {
++          oredTags.push(tags[i][j]);
++        }
++        strTags.push('(' + oredTags.join(',') + ')');
++      } else {
++        strTags.push(tags[i]);
++      }
++    }
++    tags = strTags.join(',');
++  }
++
++  this.securityTags = tags;
++};
++
++/**
++ * Set the extra user token header
++ * @param {string} userToken The token identifying a uniq user (used to apply rate limits)
++ */
++AlgoliaSearchCore.prototype.setUserToken = function(userToken) {
++  this.userToken = userToken;
++};
++
++/**
++ * Clear all queries in client's cache
++ * @return undefined
++ */
++AlgoliaSearchCore.prototype.clearCache = function() {
++  this.cache = {};
++};
++
++/**
++* Set the number of milliseconds a request can take before automatically being terminated.
++* @deprecated
++* @param {Number} milliseconds
++*/
++AlgoliaSearchCore.prototype.setRequestTimeout = function(milliseconds) {
++  if (milliseconds) {
++    this._timeouts.connect = this._timeouts.read = this._timeouts.write = milliseconds;
++  }
++};
++
++/**
++* Set the three different (connect, read, write) timeouts to be used when requesting
++* @param {Object} timeouts
++*/
++AlgoliaSearchCore.prototype.setTimeouts = function(timeouts) {
++  this._timeouts = timeouts;
++};
++
++/**
++* Get the three different (connect, read, write) timeouts to be used when requesting
++* @param {Object} timeouts
++*/
++AlgoliaSearchCore.prototype.getTimeouts = function() {
++  return this._timeouts;
++};
++
++AlgoliaSearchCore.prototype._getAppIdData = function() {
++  var data = store.get(this.applicationID);
++  if (data !== null) this._cacheAppIdData(data);
++  return data;
++};
++
++AlgoliaSearchCore.prototype._setAppIdData = function(data) {
++  data.lastChange = (new Date()).getTime();
++  this._cacheAppIdData(data);
++  return store.set(this.applicationID, data);
++};
++
++AlgoliaSearchCore.prototype._checkAppIdData = function() {
++  var data = this._getAppIdData();
++  var now = (new Date()).getTime();
++  if (data === null || now - data.lastChange > RESET_APP_DATA_TIMER) {
++    return this._resetInitialAppIdData(data);
++  }
++
++  return data;
++};
++
++AlgoliaSearchCore.prototype._resetInitialAppIdData = function(data) {
++  var newData = data || {};
++  newData.hostIndexes = {read: 0, write: 0};
++  newData.timeoutMultiplier = 1;
++  newData.shuffleResult = newData.shuffleResult || shuffle([1, 2, 3]);
++  return this._setAppIdData(newData);
++};
++
++AlgoliaSearchCore.prototype._cacheAppIdData = function(data) {
++  this._hostIndexes = data.hostIndexes;
++  this._timeoutMultiplier = data.timeoutMultiplier;
++  this._shuffleResult = data.shuffleResult;
++};
++
++AlgoliaSearchCore.prototype._partialAppIdDataUpdate = function(newData) {
++  var foreach = __webpack_require__(2);
++  var currentData = this._getAppIdData();
++  foreach(newData, function(value, key) {
++    currentData[key] = value;
++  });
++
++  return this._setAppIdData(currentData);
++};
++
++AlgoliaSearchCore.prototype._getHostByType = function(hostType) {
++  return this.hosts[hostType][this._getHostIndexByType(hostType)];
++};
++
++AlgoliaSearchCore.prototype._getTimeoutMultiplier = function() {
++  return this._timeoutMultiplier;
++};
++
++AlgoliaSearchCore.prototype._getHostIndexByType = function(hostType) {
++  return this._hostIndexes[hostType];
++};
++
++AlgoliaSearchCore.prototype._setHostIndexByType = function(hostIndex, hostType) {
++  var clone = __webpack_require__(4);
++  var newHostIndexes = clone(this._hostIndexes);
++  newHostIndexes[hostType] = hostIndex;
++  this._partialAppIdDataUpdate({hostIndexes: newHostIndexes});
++  return hostIndex;
++};
++
++AlgoliaSearchCore.prototype._incrementHostIndex = function(hostType) {
++  return this._setHostIndexByType(
++    (this._getHostIndexByType(hostType) + 1) % this.hosts[hostType].length, hostType
++  );
++};
++
++AlgoliaSearchCore.prototype._incrementTimeoutMultipler = function() {
++  var timeoutMultiplier = Math.max(this._timeoutMultiplier + 1, 4);
++  return this._partialAppIdDataUpdate({timeoutMultiplier: timeoutMultiplier});
++};
++
++AlgoliaSearchCore.prototype._getTimeoutsForRequest = function(hostType) {
++  return {
++    connect: this._timeouts.connect * this._timeoutMultiplier,
++    complete: this._timeouts[hostType] * this._timeoutMultiplier
++  };
++};
++
++function prepareHost(protocol) {
++  return function prepare(host) {
++    return protocol + '//' + host.toLowerCase();
++  };
++}
++
++// Prototype.js < 1.7, a widely used library, defines a weird
++// Array.prototype.toJSON function that will fail to stringify our content
++// appropriately
++// refs:
++//   - https://groups.google.com/forum/#!topic/prototype-core/E-SAVvV_V9Q
++//   - https://github.com/sstephenson/prototype/commit/038a2985a70593c1a86c230fadbdfe2e4898a48c
++//   - http://stackoverflow.com/a/3148441/147079
++function safeJSONStringify(obj) {
++  /* eslint no-extend-native:0 */
++
++  if (Array.prototype.toJSON === undefined) {
++    return JSON.stringify(obj);
++  }
++
++  var toJSON = Array.prototype.toJSON;
++  delete Array.prototype.toJSON;
++  var out = JSON.stringify(obj);
++  Array.prototype.toJSON = toJSON;
++
++  return out;
++}
++
++function shuffle(array) {
++  var currentIndex = array.length;
++  var temporaryValue;
++  var randomIndex;
++
++  // While there remain elements to shuffle...
++  while (currentIndex !== 0) {
++    // Pick a remaining element...
++    randomIndex = Math.floor(Math.random() * currentIndex);
++    currentIndex -= 1;
++
++    // And swap it with the current element.
++    temporaryValue = array[currentIndex];
++    array[currentIndex] = array[randomIndex];
++    array[randomIndex] = temporaryValue;
++  }
++
++  return array;
++}
++
++function removeCredentials(headers) {
++  var newHeaders = {};
++
++  for (var headerName in headers) {
++    if (Object.prototype.hasOwnProperty.call(headers, headerName)) {
++      var value;
++
++      if (headerName === 'x-algolia-api-key' || headerName === 'x-algolia-application-id') {
++        value = '**hidden for security purposes**';
++      } else {
++        value = headers[headerName];
++      }
++
++      newHeaders[headerName] = value;
++    }
++  }
++
++  return newHeaders;
++}
++
++
++/***/ }),
++/* 23 */
++/***/ (function(module, exports, __webpack_require__) {
++
++var buildSearchMethod = __webpack_require__(12);
++var deprecate = __webpack_require__(29);
++var deprecatedMessage = __webpack_require__(30);
++
++module.exports = IndexCore;
++
++/*
++* Index class constructor.
++* You should not use this method directly but use initIndex() function
++*/
++function IndexCore(algoliasearch, indexName) {
++  this.indexName = indexName;
++  this.as = algoliasearch;
++  this.typeAheadArgs = null;
++  this.typeAheadValueOption = null;
++
++  // make sure every index instance has it's own cache
++  this.cache = {};
++}
++
++/*
++* Clear all queries in cache
++*/
++IndexCore.prototype.clearCache = function() {
++  this.cache = {};
++};
++
++/*
++* Search inside the index using XMLHttpRequest request (Using a POST query to
++* minimize number of OPTIONS queries: Cross-Origin Resource Sharing).
++*
++* @param {string} [query] the full text query
++* @param {object} [args] (optional) if set, contains an object with query parameters:
++* - page: (integer) Pagination parameter used to select the page to retrieve.
++*                   Page is zero-based and defaults to 0. Thus,
++*                   to retrieve the 10th page you need to set page=9
++* - hitsPerPage: (integer) Pagination parameter used to select the number of hits per page. Defaults to 20.
++* - attributesToRetrieve: a string that contains the list of object attributes
++* you want to retrieve (let you minimize the answer size).
++*   Attributes are separated with a comma (for example "name,address").
++*   You can also use an array (for example ["name","address"]).
++*   By default, all attributes are retrieved. You can also use '*' to retrieve all
++*   values when an attributesToRetrieve setting is specified for your index.
++* - attributesToHighlight: a string that contains the list of attributes you
++*   want to highlight according to the query.
++*   Attributes are separated by a comma. You can also use an array (for example ["name","address"]).
++*   If an attribute has no match for the query, the raw value is returned.
++*   By default all indexed text attributes are highlighted.
++*   You can use `*` if you want to highlight all textual attributes.
++*   Numerical attributes are not highlighted.
++*   A matchLevel is returned for each highlighted attribute and can contain:
++*      - full: if all the query terms were found in the attribute,
++*      - partial: if only some of the query terms were found,
++*      - none: if none of the query terms were found.
++* - attributesToSnippet: a string that contains the list of attributes to snippet alongside
++* the number of words to return (syntax is `attributeName:nbWords`).
++*    Attributes are separated by a comma (Example: attributesToSnippet=name:10,content:10).
++*    You can also use an array (Example: attributesToSnippet: ['name:10','content:10']).
++*    By default no snippet is computed.
++* - minWordSizefor1Typo: the minimum number of characters in a query word to accept one typo in this word.
++* Defaults to 3.
++* - minWordSizefor2Typos: the minimum number of characters in a query word
++* to accept two typos in this word. Defaults to 7.
++* - getRankingInfo: if set to 1, the result hits will contain ranking
++* information in _rankingInfo attribute.
++* - aroundLatLng: search for entries around a given
++* latitude/longitude (specified as two floats separated by a comma).
++*   For example aroundLatLng=47.316669,5.016670).
++*   You can specify the maximum distance in meters with the aroundRadius parameter (in meters)
++*   and the precision for ranking with aroundPrecision
++*   (for example if you set aroundPrecision=100, two objects that are distant of
++*   less than 100m will be considered as identical for "geo" ranking parameter).
++*   At indexing, you should specify geoloc of an object with the _geoloc attribute
++*   (in the form {"_geoloc":{"lat":48.853409, "lng":2.348800}})
++* - insideBoundingBox: search entries inside a given area defined by the two extreme points
++* of a rectangle (defined by 4 floats: p1Lat,p1Lng,p2Lat,p2Lng).
++*   For example insideBoundingBox=47.3165,4.9665,47.3424,5.0201).
++*   At indexing, you should specify geoloc of an object with the _geoloc attribute
++*   (in the form {"_geoloc":{"lat":48.853409, "lng":2.348800}})
++* - numericFilters: a string that contains the list of numeric filters you want to
++* apply separated by a comma.
++*   The syntax of one filter is `attributeName` followed by `operand` followed by `value`.
++*   Supported operands are `<`, `<=`, `=`, `>` and `>=`.
++*   You can have multiple conditions on one attribute like for example numericFilters=price>100,price<1000.
++*   You can also use an array (for example numericFilters: ["price>100","price<1000"]).
++* - tagFilters: filter the query by a set of tags. You can AND tags by separating them by commas.
++*   To OR tags, you must add parentheses. For example, tags=tag1,(tag2,tag3) means tag1 AND (tag2 OR tag3).
++*   You can also use an array, for example tagFilters: ["tag1",["tag2","tag3"]]
++*   means tag1 AND (tag2 OR tag3).
++*   At indexing, tags should be added in the _tags** attribute
++*   of objects (for example {"_tags":["tag1","tag2"]}).
++* - facetFilters: filter the query by a list of facets.
++*   Facets are separated by commas and each facet is encoded as `attributeName:value`.
++*   For example: `facetFilters=category:Book,author:John%20Doe`.
++*   You can also use an array (for example `["category:Book","author:John%20Doe"]`).
++* - facets: List of object attributes that you want to use for faceting.
++*   Comma separated list: `"category,author"` or array `['category','author']`
++*   Only attributes that have been added in **attributesForFaceting** index setting
++*   can be used in this parameter.
++*   You can also use `*` to perform faceting on all attributes specified in **attributesForFaceting**.
++* - queryType: select how the query words are interpreted, it can be one of the following value:
++*    - prefixAll: all query words are interpreted as prefixes,
++*    - prefixLast: only the last word is interpreted as a prefix (default behavior),
++*    - prefixNone: no query word is interpreted as a prefix. This option is not recommended.
++* - optionalWords: a string that contains the list of words that should
++* be considered as optional when found in the query.
++*   Comma separated and array are accepted.
++* - distinct: If set to 1, enable the distinct feature (disabled by default)
++* if the attributeForDistinct index setting is set.
++*   This feature is similar to the SQL "distinct" keyword: when enabled
++*   in a query with the distinct=1 parameter,
++*   all hits containing a duplicate value for the attributeForDistinct attribute are removed from results.
++*   For example, if the chosen attribute is show_name and several hits have
++*   the same value for show_name, then only the best
++*   one is kept and others are removed.
++* - restrictSearchableAttributes: List of attributes you want to use for
++* textual search (must be a subset of the attributesToIndex index setting)
++* either comma separated or as an array
++* @param {function} [callback] the result callback called with two arguments:
++*  error: null or Error('message'). If false, the content contains the error.
++*  content: the server answer that contains the list of results.
++*/
++IndexCore.prototype.search = buildSearchMethod('query');
++
++/*
++* -- BETA --
++* Search a record similar to the query inside the index using XMLHttpRequest request (Using a POST query to
++* minimize number of OPTIONS queries: Cross-Origin Resource Sharing).
++*
++* @param {string} [query] the similar query
++* @param {object} [args] (optional) if set, contains an object with query parameters.
++*   All search parameters are supported (see search function), restrictSearchableAttributes and facetFilters
++*   are the two most useful to restrict the similar results and get more relevant content
++*/
++IndexCore.prototype.similarSearch = buildSearchMethod('similarQuery');
++
++/*
++* Browse index content. The response content will have a `cursor` property that you can use
++* to browse subsequent pages for this query. Use `index.browseFrom(cursor)` when you want.
++*
++* @param {string} query - The full text query
++* @param {Object} [queryParameters] - Any search query parameter
++* @param {Function} [callback] - The result callback called with two arguments
++*   error: null or Error('message')
++*   content: the server answer with the browse result
++* @return {Promise|undefined} Returns a promise if no callback given
++* @example
++* index.browse('cool songs', {
++*   tagFilters: 'public,comments',
++*   hitsPerPage: 500
++* }, callback);
++* @see {@link https://www.algolia.com/doc/rest_api#Browse|Algolia REST API Documentation}
++*/
++IndexCore.prototype.browse = function(query, queryParameters, callback) {
++  var merge = __webpack_require__(32);
++
++  var indexObj = this;
++
++  var page;
++  var hitsPerPage;
++
++  // we check variadic calls that are not the one defined
++  // .browse()/.browse(fn)
++  // => page = 0
++  if (arguments.length === 0 || arguments.length === 1 && typeof arguments[0] === 'function') {
++    page = 0;
++    callback = arguments[0];
++    query = undefined;
++  } else if (typeof arguments[0] === 'number') {
++    // .browse(2)/.browse(2, 10)/.browse(2, fn)/.browse(2, 10, fn)
++    page = arguments[0];
++    if (typeof arguments[1] === 'number') {
++      hitsPerPage = arguments[1];
++    } else if (typeof arguments[1] === 'function') {
++      callback = arguments[1];
++      hitsPerPage = undefined;
++    }
++    query = undefined;
++    queryParameters = undefined;
++  } else if (typeof arguments[0] === 'object') {
++    // .browse(queryParameters)/.browse(queryParameters, cb)
++    if (typeof arguments[1] === 'function') {
++      callback = arguments[1];
++    }
++    queryParameters = arguments[0];
++    query = undefined;
++  } else if (typeof arguments[0] === 'string' && typeof arguments[1] === 'function') {
++    // .browse(query, cb)
++    callback = arguments[1];
++    queryParameters = undefined;
++  }
++
++  // otherwise it's a .browse(query)/.browse(query, queryParameters)/.browse(query, queryParameters, cb)
++
++  // get search query parameters combining various possible calls
++  // to .browse();
++  queryParameters = merge({}, queryParameters || {}, {
++    page: page,
++    hitsPerPage: hitsPerPage,
++    query: query
++  });
++
++  var params = this.as._getSearchParams(queryParameters, '');
++
++  return this.as._jsonRequest({
++    method: 'POST',
++    url: '/1/indexes/' + encodeURIComponent(indexObj.indexName) + '/browse',
++    body: {params: params},
++    hostType: 'read',
++    callback: callback
++  });
++};
++
++/*
++* Continue browsing from a previous position (cursor), obtained via a call to `.browse()`.
++*
++* @param {string} query - The full text query
++* @param {Object} [queryParameters] - Any search query parameter
++* @param {Function} [callback] - The result callback called with two arguments
++*   error: null or Error('message')
++*   content: the server answer with the browse result
++* @return {Promise|undefined} Returns a promise if no callback given
++* @example
++* index.browseFrom('14lkfsakl32', callback);
++* @see {@link https://www.algolia.com/doc/rest_api#Browse|Algolia REST API Documentation}
++*/
++IndexCore.prototype.browseFrom = function(cursor, callback) {
++  return this.as._jsonRequest({
++    method: 'POST',
++    url: '/1/indexes/' + encodeURIComponent(this.indexName) + '/browse',
++    body: {cursor: cursor},
++    hostType: 'read',
++    callback: callback
++  });
++};
++
++/*
++* Search for facet values
++* https://www.algolia.com/doc/rest-api/search#search-for-facet-values
++*
++* @param {string} params.facetName Facet name, name of the attribute to search for values in.
++* Must be declared as a facet
++* @param {string} params.facetQuery Query for the facet search
++* @param {string} [params.*] Any search parameter of Algolia,
++* see https://www.algolia.com/doc/api-client/javascript/search#search-parameters
++* Pagination is not supported. The page and hitsPerPage parameters will be ignored.
++* @param callback (optional)
++*/
++IndexCore.prototype.searchForFacetValues = function(params, callback) {
++  var clone = __webpack_require__(4);
++  var omit = __webpack_require__(33);
++  var usage = 'Usage: index.searchForFacetValues({facetName, facetQuery, ...params}[, callback])';
++
++  if (params.facetName === undefined || params.facetQuery === undefined) {
++    throw new Error(usage);
++  }
++
++  var facetName = params.facetName;
++  var filteredParams = omit(clone(params), function(keyName) {
++    return keyName === 'facetName';
++  });
++  var searchParameters = this.as._getSearchParams(filteredParams, '');
++
++  return this.as._jsonRequest({
++    method: 'POST',
++    url: '/1/indexes/' +
++      encodeURIComponent(this.indexName) + '/facets/' + encodeURIComponent(facetName) + '/query',
++    hostType: 'read',
++    body: {params: searchParameters},
++    callback: callback
++  });
++};
++
++IndexCore.prototype.searchFacet = deprecate(function(params, callback) {
++  return this.searchForFacetValues(params, callback);
++}, deprecatedMessage(
++  'index.searchFacet(params[, callback])',
++  'index.searchForFacetValues(params[, callback])'
++));
++
++IndexCore.prototype._search = function(params, url, callback, additionalUA) {
++  return this.as._jsonRequest({
++    cache: this.cache,
++    method: 'POST',
++    url: url || '/1/indexes/' + encodeURIComponent(this.indexName) + '/query',
++    body: {params: params},
++    hostType: 'read',
++    fallback: {
++      method: 'GET',
++      url: '/1/indexes/' + encodeURIComponent(this.indexName),
++      body: {params: params}
++    },
++    callback: callback,
++    additionalUA: additionalUA
++  });
++};
++
++/*
++* Get an object from this index
++*
++* @param objectID the unique identifier of the object to retrieve
++* @param attrs (optional) if set, contains the array of attribute names to retrieve
++* @param callback (optional) the result callback called with two arguments
++*  error: null or Error('message')
++*  content: the object to retrieve or the error message if a failure occured
++*/
++IndexCore.prototype.getObject = function(objectID, attrs, callback) {
++  var indexObj = this;
++
++  if (arguments.length === 1 || typeof attrs === 'function') {
++    callback = attrs;
++    attrs = undefined;
++  }
++
++  var params = '';
++  if (attrs !== undefined) {
++    params = '?attributes=';
++    for (var i = 0; i < attrs.length; ++i) {
++      if (i !== 0) {
++        params += ',';
++      }
++      params += attrs[i];
++    }
++  }
++
++  return this.as._jsonRequest({
++    method: 'GET',
++    url: '/1/indexes/' + encodeURIComponent(indexObj.indexName) + '/' + encodeURIComponent(objectID) + params,
++    hostType: 'read',
++    callback: callback
++  });
++};
++
++/*
++* Get several objects from this index
++*
++* @param objectIDs the array of unique identifier of objects to retrieve
++*/
++IndexCore.prototype.getObjects = function(objectIDs, attributesToRetrieve, callback) {
++  var isArray = __webpack_require__(7);
++  var map = __webpack_require__(8);
++
++  var usage = 'Usage: index.getObjects(arrayOfObjectIDs[, callback])';
++
++  if (!isArray(objectIDs)) {
++    throw new Error(usage);
++  }
++
++  var indexObj = this;
++
++  if (arguments.length === 1 || typeof attributesToRetrieve === 'function') {
++    callback = attributesToRetrieve;
++    attributesToRetrieve = undefined;
++  }
++
++  var body = {
++    requests: map(objectIDs, function prepareRequest(objectID) {
++      var request = {
++        indexName: indexObj.indexName,
++        objectID: objectID
++      };
++
++      if (attributesToRetrieve) {
++        request.attributesToRetrieve = attributesToRetrieve.join(',');
++      }
++
++      return request;
++    })
++  };
++
++  return this.as._jsonRequest({
++    method: 'POST',
++    url: '/1/indexes/*/objects',
++    hostType: 'read',
++    body: body,
++    callback: callback
++  });
++};
++
++IndexCore.prototype.as = null;
++IndexCore.prototype.indexName = null;
++IndexCore.prototype.typeAheadArgs = null;
++IndexCore.prototype.typeAheadValueOption = null;
++
++
++/***/ }),
++/* 24 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var AlgoliaSearchCore = __webpack_require__(22);
++var createAlgoliasearch = __webpack_require__(25);
++
++module.exports = createAlgoliasearch(AlgoliaSearchCore, '(lite) ');
++
++
++/***/ }),
++/* 25 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var global = __webpack_require__(52);
++var Promise = global.Promise || __webpack_require__(51).Promise;
++
++// This is the standalone browser build entry point
++// Browser implementation of the Algolia Search JavaScript client,
++// using XMLHttpRequest, XDomainRequest and JSONP as fallback
++module.exports = function createAlgoliasearch(AlgoliaSearch, uaSuffix) {
++  var inherits = __webpack_require__(20);
++  var errors = __webpack_require__(5);
++  var inlineHeaders = __webpack_require__(27);
++  var jsonpRequest = __webpack_require__(28);
++  var places = __webpack_require__(34);
++  uaSuffix = uaSuffix || '';
++
++  if (false) {
++    require('debug').enable('algoliasearch*');
++  }
++
++  function algoliasearch(applicationID, apiKey, opts) {
++    var cloneDeep = __webpack_require__(4);
++
++    var getDocumentProtocol = __webpack_require__(26);
++
++    opts = cloneDeep(opts || {});
++
++    if (opts.protocol === undefined) {
++      opts.protocol = getDocumentProtocol();
++    }
++
++    opts._ua = opts._ua || algoliasearch.ua;
++
++    return new AlgoliaSearchBrowser(applicationID, apiKey, opts);
++  }
++
++  algoliasearch.version = __webpack_require__(36);
++  algoliasearch.ua = 'Algolia for vanilla JavaScript ' + uaSuffix + algoliasearch.version;
++  algoliasearch.initPlaces = places(algoliasearch);
++
++  // we expose into window no matter how we are used, this will allow
++  // us to easily debug any website running algolia
++  global.__algolia = {
++    debug: __webpack_require__(6),
++    algoliasearch: algoliasearch
++  };
++
++  var support = {
++    hasXMLHttpRequest: 'XMLHttpRequest' in global,
++    hasXDomainRequest: 'XDomainRequest' in global
++  };
++
++  if (support.hasXMLHttpRequest) {
++    support.cors = 'withCredentials' in new XMLHttpRequest();
++  }
++
++  function AlgoliaSearchBrowser() {
++    // call AlgoliaSearch constructor
++    AlgoliaSearch.apply(this, arguments);
++  }
++
++  inherits(AlgoliaSearchBrowser, AlgoliaSearch);
++
++  AlgoliaSearchBrowser.prototype._request = function request(url, opts) {
++    return new Promise(function wrapRequest(resolve, reject) {
++      // no cors or XDomainRequest, no request
++      if (!support.cors && !support.hasXDomainRequest) {
++        // very old browser, not supported
++        reject(new errors.Network('CORS not supported'));
++        return;
++      }
++
++      url = inlineHeaders(url, opts.headers);
++
++      var body = opts.body;
++      var req = support.cors ? new XMLHttpRequest() : new XDomainRequest();
++      var reqTimeout;
++      var timedOut;
++      var connected = false;
++
++      reqTimeout = setTimeout(onTimeout, opts.timeouts.connect);
++      // we set an empty onprogress listener
++      // so that XDomainRequest on IE9 is not aborted
++      // refs:
++      //  - https://github.com/algolia/algoliasearch-client-js/issues/76
++      //  - https://social.msdn.microsoft.com/Forums/ie/en-US/30ef3add-767c-4436-b8a9-f1ca19b4812e/ie9-rtm-xdomainrequest-issued-requests-may-abort-if-all-event-handlers-not-specified?forum=iewebdevelopment
++      req.onprogress = onProgress;
++      if ('onreadystatechange' in req) req.onreadystatechange = onReadyStateChange;
++      req.onload = onLoad;
++      req.onerror = onError;
++
++      // do not rely on default XHR async flag, as some analytics code like hotjar
++      // breaks it and set it to false by default
++      if (req instanceof XMLHttpRequest) {
++        req.open(opts.method, url, true);
++      } else {
++        req.open(opts.method, url);
++      }
++
++      // headers are meant to be sent after open
++      if (support.cors) {
++        if (body) {
++          if (opts.method === 'POST') {
++            // https://developer.mozilla.org/en-US/docs/Web/HTTP/Access_control_CORS#Simple_requests
++            req.setRequestHeader('content-type', 'application/x-www-form-urlencoded');
++          } else {
++            req.setRequestHeader('content-type', 'application/json');
++          }
++        }
++        req.setRequestHeader('accept', 'application/json');
++      }
++
++      req.send(body);
++
++      // event object not received in IE8, at least
++      // but we do not use it, still important to note
++      function onLoad(/* event */) {
++        // When browser does not supports req.timeout, we can
++        // have both a load and timeout event, since handled by a dumb setTimeout
++        if (timedOut) {
++          return;
++        }
++
++        clearTimeout(reqTimeout);
++
++        var out;
++
++        try {
++          out = {
++            body: JSON.parse(req.responseText),
++            responseText: req.responseText,
++            statusCode: req.status,
++            // XDomainRequest does not have any response headers
++            headers: req.getAllResponseHeaders && req.getAllResponseHeaders() || {}
++          };
++        } catch (e) {
++          out = new errors.UnparsableJSON({
++            more: req.responseText
++          });
++        }
++
++        if (out instanceof errors.UnparsableJSON) {
++          reject(out);
++        } else {
++          resolve(out);
++        }
++      }
++
++      function onError(event) {
++        if (timedOut) {
++          return;
++        }
++
++        clearTimeout(reqTimeout);
++
++        // error event is trigerred both with XDR/XHR on:
++        //   - DNS error
++        //   - unallowed cross domain request
++        reject(
++          new errors.Network({
++            more: event
++          })
++        );
++      }
++
++      function onTimeout() {
++        timedOut = true;
++        req.abort();
++
++        reject(new errors.RequestTimeout());
++      }
++
++      function onConnect() {
++        connected = true;
++        clearTimeout(reqTimeout);
++        reqTimeout = setTimeout(onTimeout, opts.timeouts.complete);
++      }
++
++      function onProgress() {
++        if (!connected) onConnect();
++      }
++
++      function onReadyStateChange() {
++        if (!connected && req.readyState > 1) onConnect();
++      }
++    });
++  };
++
++  AlgoliaSearchBrowser.prototype._request.fallback = function requestFallback(url, opts) {
++    url = inlineHeaders(url, opts.headers);
++
++    return new Promise(function wrapJsonpRequest(resolve, reject) {
++      jsonpRequest(url, opts, function jsonpRequestDone(err, content) {
++        if (err) {
++          reject(err);
++          return;
++        }
++
++        resolve(content);
++      });
++    });
++  };
++
++  AlgoliaSearchBrowser.prototype._promise = {
++    reject: function rejectPromise(val) {
++      return Promise.reject(val);
++    },
++    resolve: function resolvePromise(val) {
++      return Promise.resolve(val);
++    },
++    delay: function delayPromise(ms) {
++      return new Promise(function resolveOnTimeout(resolve/* , reject*/) {
++        setTimeout(resolve, ms);
++      });
++    }
++  };
++
++  return algoliasearch;
++};
++
++
++/***/ }),
++/* 26 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++module.exports = getDocumentProtocol;
++
++function getDocumentProtocol() {
++  var protocol = window.document.location.protocol;
++
++  // when in `file:` mode (local html file), default to `http:`
++  if (protocol !== 'http:' && protocol !== 'https:') {
++    protocol = 'http:';
++  }
++
++  return protocol;
++}
++
++
++/***/ }),
++/* 27 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++module.exports = inlineHeaders;
++
++var encode = __webpack_require__(65);
++
++function inlineHeaders(url, headers) {
++  if (/\?/.test(url)) {
++    url += '&';
++  } else {
++    url += '?';
++  }
++
++  return url + encode(headers);
++}
++
++
++/***/ }),
++/* 28 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++module.exports = jsonpRequest;
++
++var errors = __webpack_require__(5);
++
++var JSONPCounter = 0;
++
++function jsonpRequest(url, opts, cb) {
++  if (opts.method !== 'GET') {
++    cb(new Error('Method ' + opts.method + ' ' + url + ' is not supported by JSONP.'));
++    return;
++  }
++
++  opts.debug('JSONP: start');
++
++  var cbCalled = false;
++  var timedOut = false;
++
++  JSONPCounter += 1;
++  var head = document.getElementsByTagName('head')[0];
++  var script = document.createElement('script');
++  var cbName = 'algoliaJSONP_' + JSONPCounter;
++  var done = false;
++
++  window[cbName] = function(data) {
++    removeGlobals();
++
++    if (timedOut) {
++      opts.debug('JSONP: Late answer, ignoring');
++      return;
++    }
++
++    cbCalled = true;
++
++    clean();
++
++    cb(null, {
++      body: data/* ,
++      // We do not send the statusCode, there's no statusCode in JSONP, it will be
++      // computed using data.status && data.message like with XDR
++      statusCode*/
++    });
++  };
++
++  // add callback by hand
++  url += '&callback=' + cbName;
++
++  // add body params manually
++  if (opts.jsonBody && opts.jsonBody.params) {
++    url += '&' + opts.jsonBody.params;
++  }
++
++  var ontimeout = setTimeout(timeout, opts.timeouts.complete);
++
++  // script onreadystatechange needed only for
++  // <= IE8
++  // https://github.com/angular/angular.js/issues/4523
++  script.onreadystatechange = readystatechange;
++  script.onload = success;
++  script.onerror = error;
++
++  script.async = true;
++  script.defer = true;
++  script.src = url;
++  head.appendChild(script);
++
++  function success() {
++    opts.debug('JSONP: success');
++
++    if (done || timedOut) {
++      return;
++    }
++
++    done = true;
++
++    // script loaded but did not call the fn => script loading error
++    if (!cbCalled) {
++      opts.debug('JSONP: Fail. Script loaded but did not call the callback');
++      clean();
++      cb(new errors.JSONPScriptFail());
++    }
++  }
++
++  function readystatechange() {
++    if (this.readyState === 'loaded' || this.readyState === 'complete') {
++      success();
++    }
++  }
++
++  function clean() {
++    clearTimeout(ontimeout);
++    script.onload = null;
++    script.onreadystatechange = null;
++    script.onerror = null;
++    head.removeChild(script);
++  }
++
++  function removeGlobals() {
++    try {
++      delete window[cbName];
++      delete window[cbName + '_loaded'];
++    } catch (e) {
++      window[cbName] = window[cbName + '_loaded'] = undefined;
++    }
++  }
++
++  function timeout() {
++    opts.debug('JSONP: Script timeout');
++    timedOut = true;
++    clean();
++    cb(new errors.RequestTimeout());
++  }
++
++  function error() {
++    opts.debug('JSONP: Script error');
++
++    if (done || timedOut) {
++      return;
++    }
++
++    clean();
++    cb(new errors.JSONPScriptError());
++  }
++}
++
++
++/***/ }),
++/* 29 */
++/***/ (function(module, exports) {
++
++module.exports = function deprecate(fn, message) {
++  var warned = false;
++
++  function deprecated() {
++    if (!warned) {
++      /* eslint no-console:0 */
++      console.log(message);
++      warned = true;
++    }
++
++    return fn.apply(this, arguments);
++  }
++
++  return deprecated;
++};
++
++
++/***/ }),
++/* 30 */
++/***/ (function(module, exports) {
++
++module.exports = function deprecatedMessage(previousUsage, newUsage) {
++  var githubAnchorLink = previousUsage.toLowerCase()
++    .replace('.', '')
++    .replace('()', '');
++
++  return 'algoliasearch: `' + previousUsage + '` was replaced by `' + newUsage +
++    '`. Please see https://github.com/algolia/algoliasearch-client-js/wiki/Deprecated#' + githubAnchorLink;
++};
++
++
++/***/ }),
++/* 31 */
++/***/ (function(module, exports) {
++
++// Parse cloud does not supports setTimeout
++// We do not store a setTimeout reference in the client everytime
++// We only fallback to a fake setTimeout when not available
++// setTimeout cannot be override globally sadly
++module.exports = function exitPromise(fn, _setTimeout) {
++  _setTimeout(fn, 0);
++};
++
++
++/***/ }),
++/* 32 */
++/***/ (function(module, exports, __webpack_require__) {
++
++var foreach = __webpack_require__(2);
++
++module.exports = function merge(destination/* , sources */) {
++  var sources = Array.prototype.slice.call(arguments);
++
++  foreach(sources, function(source) {
++    for (var keyName in source) {
++      if (source.hasOwnProperty(keyName)) {
++        if (typeof destination[keyName] === 'object' && typeof source[keyName] === 'object') {
++          destination[keyName] = merge({}, destination[keyName], source[keyName]);
++        } else if (source[keyName] !== undefined) {
++          destination[keyName] = source[keyName];
++        }
++      }
++    }
++  });
++
++  return destination;
++};
++
++
++/***/ }),
++/* 33 */
++/***/ (function(module, exports, __webpack_require__) {
++
++module.exports = function omit(obj, test) {
++  var keys = __webpack_require__(63);
++  var foreach = __webpack_require__(2);
++
++  var filtered = {};
++
++  foreach(keys(obj), function doFilter(keyName) {
++    if (test(keyName) !== true) {
++      filtered[keyName] = obj[keyName];
++    }
++  });
++
++  return filtered;
++};
++
++
++/***/ }),
++/* 34 */
++/***/ (function(module, exports, __webpack_require__) {
++
++module.exports = createPlacesClient;
++
++var buildSearchMethod = __webpack_require__(12);
++
++function createPlacesClient(algoliasearch) {
++  return function places(appID, apiKey, opts) {
++    var cloneDeep = __webpack_require__(4);
++
++    opts = opts && cloneDeep(opts) || {};
++    opts.hosts = opts.hosts || [
++      'places-dsn.algolia.net',
++      'places-1.algolianet.com',
++      'places-2.algolianet.com',
++      'places-3.algolianet.com'
++    ];
++
++    // allow initPlaces() no arguments => community rate limited
++    if (arguments.length === 0 || typeof appID === 'object' || appID === undefined) {
++      appID = '';
++      apiKey = '';
++      opts._allowEmptyCredentials = true;
++    }
++
++    var client = algoliasearch(appID, apiKey, opts);
++    var index = client.initIndex('places');
++    index.search = buildSearchMethod('query', '/1/places/query');
++    return index;
++  };
++}
++
++
++/***/ }),
++/* 35 */
++/***/ (function(module, exports, __webpack_require__) {
++
++/* WEBPACK VAR INJECTION */(function(global) {var debug = __webpack_require__(6)('algoliasearch:src/hostIndexState.js');
++var localStorageNamespace = 'algoliasearch-client-js';
++
++var store;
++var moduleStore = {
++  state: {},
++  set: function(key, data) {
++    this.state[key] = data;
++    return this.state[key];
++  },
++  get: function(key) {
++    return this.state[key] || null;
++  }
++};
++
++var localStorageStore = {
++  set: function(key, data) {
++    moduleStore.set(key, data); // always replicate localStorageStore to moduleStore in case of failure
++
++    try {
++      var namespace = JSON.parse(global.localStorage[localStorageNamespace]);
++      namespace[key] = data;
++      global.localStorage[localStorageNamespace] = JSON.stringify(namespace);
++      return namespace[key];
++    } catch (e) {
++      return localStorageFailure(key, e);
++    }
++  },
++  get: function(key) {
++    try {
++      return JSON.parse(global.localStorage[localStorageNamespace])[key] || null;
++    } catch (e) {
++      return localStorageFailure(key, e);
++    }
++  }
++};
++
++function localStorageFailure(key, e) {
++  debug('localStorage failed with', e);
++  cleanup();
++  store = moduleStore;
++  return store.get(key);
++}
++
++store = supportsLocalStorage() ? localStorageStore : moduleStore;
++
++module.exports = {
++  get: getOrSet,
++  set: getOrSet,
++  supportsLocalStorage: supportsLocalStorage
++};
++
++function getOrSet(key, data) {
++  if (arguments.length === 1) {
++    return store.get(key);
++  }
++
++  return store.set(key, data);
++}
++
++function supportsLocalStorage() {
++  try {
++    if ('localStorage' in global &&
++      global.localStorage !== null) {
++      if (!global.localStorage[localStorageNamespace]) {
++        // actual creation of the namespace
++        global.localStorage.setItem(localStorageNamespace, JSON.stringify({}));
++      }
++      return true;
++    }
++
++    return false;
++  } catch (_) {
++    return false;
++  }
++}
++
++// In case of any error on localStorage, we clean our own namespace, this should handle
++// quota errors when a lot of keys + data are used
++function cleanup() {
++  try {
++    global.localStorage.removeItem(localStorageNamespace);
++  } catch (_) {
++    // nothing to do
++  }
++}
++
++/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(3)))
++
++/***/ }),
++/* 36 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++module.exports = '3.22.1';
++
++
++/***/ }),
++/* 37 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++module.exports = __webpack_require__(45);
++
++
++/***/ }),
++/* 38 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var datasetKey = 'aaDataset';
++var valueKey = 'aaValue';
++var datumKey = 'aaDatum';
++
++var _ = __webpack_require__(0);
++var DOM = __webpack_require__(1);
++var html = __webpack_require__(14);
++var css = __webpack_require__(9);
++var EventEmitter = __webpack_require__(10);
++
++// constructor
++// -----------
++
++function Dataset(o) {
++  o = o || {};
++  o.templates = o.templates || {};
++
++  if (!o.source) {
++    _.error('missing source');
++  }
++
++  if (o.name && !isValidName(o.name)) {
++    _.error('invalid dataset name: ' + o.name);
++  }
++
++  // tracks the last query the dataset was updated for
++  this.query = null;
++  this._isEmpty = true;
++
++  this.highlight = !!o.highlight;
++  this.name = typeof o.name === 'undefined' || o.name === null ? _.getUniqueId() : o.name;
++
++  this.source = o.source;
++  this.displayFn = getDisplayFn(o.display || o.displayKey);
++
++  this.templates = getTemplates(o.templates, this.displayFn);
++
++  this.css = _.mixin({}, css, o.appendTo ? css.appendTo : {});
++  this.cssClasses = o.cssClasses = _.mixin({}, css.defaultClasses, o.cssClasses || {});
++  this.cssClasses.prefix =
++    o.cssClasses.formattedPrefix || _.formatPrefix(this.cssClasses.prefix, this.cssClasses.noPrefix);
++
++  var clazz = _.className(this.cssClasses.prefix, this.cssClasses.dataset);
++  this.$el = o.$menu && o.$menu.find(clazz + '-' + this.name).length > 0 ?
++    DOM.element(o.$menu.find(clazz + '-' + this.name)[0]) :
++    DOM.element(
++      html.dataset.replace('%CLASS%', this.name)
++        .replace('%PREFIX%', this.cssClasses.prefix)
++        .replace('%DATASET%', this.cssClasses.dataset)
++    );
++
++  this.$menu = o.$menu;
++}
++
++// static methods
++// --------------
++
++Dataset.extractDatasetName = function extractDatasetName(el) {
++  return DOM.element(el).data(datasetKey);
++};
++
++Dataset.extractValue = function extractValue(el) {
++  return DOM.element(el).data(valueKey);
++};
++
++Dataset.extractDatum = function extractDatum(el) {
++  var datum = DOM.element(el).data(datumKey);
++  if (typeof datum === 'string') {
++    // Zepto has an automatic deserialization of the
++    // JSON encoded data attribute
++    datum = JSON.parse(datum);
++  }
++  return datum;
++};
++
++// instance methods
++// ----------------
++
++_.mixin(Dataset.prototype, EventEmitter, {
++
++  // ### private
++
++  _render: function render(query, suggestions) {
++    if (!this.$el) {
++      return;
++    }
++    var that = this;
++
++    var hasSuggestions;
++    var renderArgs = [].slice.call(arguments, 2);
++    this.$el.empty();
++
++    hasSuggestions = suggestions && suggestions.length;
++    this._isEmpty = !hasSuggestions;
++
++    if (!hasSuggestions && this.templates.empty) {
++      this.$el
++        .html(getEmptyHtml.apply(this, renderArgs))
++        .prepend(that.templates.header ? getHeaderHtml.apply(this, renderArgs) : null)
++        .append(that.templates.footer ? getFooterHtml.apply(this, renderArgs) : null);
++    } else if (hasSuggestions) {
++      this.$el
++        .html(getSuggestionsHtml.apply(this, renderArgs))
++        .prepend(that.templates.header ? getHeaderHtml.apply(this, renderArgs) : null)
++        .append(that.templates.footer ? getFooterHtml.apply(this, renderArgs) : null);
++    }
++
++    if (this.$menu) {
++      this.$menu.addClass(
++        this.cssClasses.prefix + (hasSuggestions ? 'with' : 'without') + '-' + this.name
++      ).removeClass(
++        this.cssClasses.prefix + (hasSuggestions ? 'without' : 'with') + '-' + this.name
++      );
++    }
++
++    this.trigger('rendered', query);
++
++    function getEmptyHtml() {
++      var args = [].slice.call(arguments, 0);
++      args = [{query: query, isEmpty: true}].concat(args);
++      return that.templates.empty.apply(this, args);
++    }
++
++    function getSuggestionsHtml() {
++      var args = [].slice.call(arguments, 0);
++      var $suggestions;
++      var nodes;
++      var self = this;
++
++      var suggestionsHtml = html.suggestions.
++        replace('%PREFIX%', this.cssClasses.prefix).
++        replace('%SUGGESTIONS%', this.cssClasses.suggestions);
++      $suggestions = DOM
++        .element(suggestionsHtml)
++        .css(this.css.suggestions);
++
++      // jQuery#append doesn't support arrays as the first argument
++      // until version 1.8, see http://bugs.jquery.com/ticket/11231
++      nodes = _.map(suggestions, getSuggestionNode);
++      $suggestions.append.apply($suggestions, nodes);
++
++      return $suggestions;
++
++      function getSuggestionNode(suggestion) {
++        var $el;
++
++        var suggestionHtml = html.suggestion.
++          replace('%PREFIX%', self.cssClasses.prefix).
++          replace('%SUGGESTION%', self.cssClasses.suggestion);
++        $el = DOM.element(suggestionHtml)
++          .attr({
++            role: 'option',
++            id: ['option', Math.floor(Math.random() * 100000000)].join('-')
++          })
++          .append(that.templates.suggestion.apply(this, [suggestion].concat(args)));
++
++        $el.data(datasetKey, that.name);
++        $el.data(valueKey, that.displayFn(suggestion) || undefined); // this led to undefined return value
++        $el.data(datumKey, JSON.stringify(suggestion));
++        $el.children().each(function() { DOM.element(this).css(self.css.suggestionChild); });
++
++        return $el;
++      }
++    }
++
++    function getHeaderHtml() {
++      var args = [].slice.call(arguments, 0);
++      args = [{query: query, isEmpty: !hasSuggestions}].concat(args);
++      return that.templates.header.apply(this, args);
++    }
++
++    function getFooterHtml() {
++      var args = [].slice.call(arguments, 0);
++      args = [{query: query, isEmpty: !hasSuggestions}].concat(args);
++      return that.templates.footer.apply(this, args);
++    }
++  },
++
++  // ### public
++
++  getRoot: function getRoot() {
++    return this.$el;
++  },
++
++  update: function update(query) {
++    var that = this;
++
++    this.query = query;
++    this.canceled = false;
++    this.source(query, render);
++
++    function render(suggestions) {
++      // if the update has been canceled or if the query has changed
++      // do not render the suggestions as they've become outdated
++      if (!that.canceled && query === that.query) {
++        // concat all the other arguments that could have been passed
++        // to the render function, and forward them to _render
++        var args = [].slice.call(arguments, 1);
++        args = [query, suggestions].concat(args);
++        that._render.apply(that, args);
++      }
++    }
++  },
++
++  cancel: function cancel() {
++    this.canceled = true;
++  },
++
++  clear: function clear() {
++    this.cancel();
++    this.$el.empty();
++    this.trigger('rendered', '');
++  },
++
++  isEmpty: function isEmpty() {
++    return this._isEmpty;
++  },
++
++  destroy: function destroy() {
++    this.$el = null;
++  }
++});
++
++// helper functions
++// ----------------
++
++function getDisplayFn(display) {
++  display = display || 'value';
++
++  return _.isFunction(display) ? display : displayFn;
++
++  function displayFn(obj) {
++    return obj[display];
++  }
++}
++
++function getTemplates(templates, displayFn) {
++  return {
++    empty: templates.empty && _.templatify(templates.empty),
++    header: templates.header && _.templatify(templates.header),
++    footer: templates.footer && _.templatify(templates.footer),
++    suggestion: templates.suggestion || suggestionTemplate
++  };
++
++  function suggestionTemplate(context) {
++    return '<p>' + displayFn(context) + '</p>';
++  }
++}
++
++function isValidName(str) {
++  // dashes, underscores, letters, and numbers
++  return (/^[_a-zA-Z0-9-]+$/).test(str);
++}
++
++module.exports = Dataset;
++
++
++/***/ }),
++/* 39 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var _ = __webpack_require__(0);
++var DOM = __webpack_require__(1);
++var EventEmitter = __webpack_require__(10);
++var Dataset = __webpack_require__(38);
++var css = __webpack_require__(9);
++
++// constructor
++// -----------
++
++function Dropdown(o) {
++  var that = this;
++  var onSuggestionClick;
++  var onSuggestionMouseEnter;
++  var onSuggestionMouseLeave;
++
++  o = o || {};
++
++  if (!o.menu) {
++    _.error('menu is required');
++  }
++
++  if (!_.isArray(o.datasets) && !_.isObject(o.datasets)) {
++    _.error('1 or more datasets required');
++  }
++  if (!o.datasets) {
++    _.error('datasets is required');
++  }
++
++  this.isOpen = false;
++  this.isEmpty = true;
++  this.minLength = o.minLength || 0;
++  this.templates = {};
++  this.appendTo = o.appendTo || false;
++  this.css = _.mixin({}, css, o.appendTo ? css.appendTo : {});
++  this.cssClasses = o.cssClasses = _.mixin({}, css.defaultClasses, o.cssClasses || {});
++  this.cssClasses.prefix =
++    o.cssClasses.formattedPrefix || _.formatPrefix(this.cssClasses.prefix, this.cssClasses.noPrefix);
++
++  // bound functions
++  onSuggestionClick = _.bind(this._onSuggestionClick, this);
++  onSuggestionMouseEnter = _.bind(this._onSuggestionMouseEnter, this);
++  onSuggestionMouseLeave = _.bind(this._onSuggestionMouseLeave, this);
++
++  var cssClass = _.className(this.cssClasses.prefix, this.cssClasses.suggestion);
++  this.$menu = DOM.element(o.menu)
++    .on('click.aa', cssClass, onSuggestionClick)
++    .on('mouseenter.aa', cssClass, onSuggestionMouseEnter)
++    .on('mouseleave.aa', cssClass, onSuggestionMouseLeave);
++
++  this.$container = o.appendTo ? o.wrapper : this.$menu;
++
++  if (o.templates && o.templates.header) {
++    this.templates.header = _.templatify(o.templates.header);
++    this.$menu.prepend(this.templates.header());
++  }
++
++  if (o.templates && o.templates.empty) {
++    this.templates.empty = _.templatify(o.templates.empty);
++    this.$empty = DOM.element('<div class="' +
++      _.className(this.cssClasses.prefix, this.cssClasses.empty, true) + '">' +
++      '</div>');
++    this.$menu.append(this.$empty);
++  }
++
++  this.datasets = _.map(o.datasets, function(oDataset) {
++    return initializeDataset(that.$menu, oDataset, o.cssClasses);
++  });
++  _.each(this.datasets, function(dataset) {
++    var root = dataset.getRoot();
++    if (root && root.parent().length === 0) {
++      that.$menu.append(root);
++    }
++    dataset.onSync('rendered', that._onRendered, that);
++  });
++
++  if (o.templates && o.templates.footer) {
++    this.templates.footer = _.templatify(o.templates.footer);
++    this.$menu.append(this.templates.footer());
++  }
++
++  var self = this;
++  DOM.element(window).resize(function() {
++    self._redraw();
++  });
++}
++
++// instance methods
++// ----------------
++
++_.mixin(Dropdown.prototype, EventEmitter, {
++
++  // ### private
++
++  _onSuggestionClick: function onSuggestionClick($e) {
++    this.trigger('suggestionClicked', DOM.element($e.currentTarget));
++  },
++
++  _onSuggestionMouseEnter: function onSuggestionMouseEnter($e) {
++    var elt = DOM.element($e.currentTarget);
++    if (elt.hasClass(_.className(this.cssClasses.prefix, this.cssClasses.cursor, true))) {
++      // we're already on the cursor
++      // => we're probably entering it again after leaving it for a nested div
++      return;
++    }
++    this._removeCursor();
++    this._setCursor(elt, false);
++  },
++
++  _onSuggestionMouseLeave: function onSuggestionMouseLeave($e) {
++    // $e.relatedTarget is the `EventTarget` the pointing device entered to
++    if ($e.relatedTarget) {
++      var elt = DOM.element($e.relatedTarget);
++      if (elt.closest('.' + _.className(this.cssClasses.prefix, this.cssClasses.cursor, true)).length > 0) {
++        // our father is a cursor
++        // => it means we're just leaving the suggestion for a nested div
++        return;
++      }
++    }
++    this._removeCursor();
++    this.trigger('cursorRemoved');
++  },
++
++  _onRendered: function onRendered(e, query) {
++    this.isEmpty = _.every(this.datasets, isDatasetEmpty);
++
++    if (this.isEmpty) {
++      if (query.length >= this.minLength) {
++        this.trigger('empty');
++      }
++
++      if (this.$empty) {
++        if (query.length < this.minLength) {
++          this._hide();
++        } else {
++          var html = this.templates.empty({
++            query: this.datasets[0] && this.datasets[0].query
++          });
++          this.$empty.html(html);
++          this._show();
++        }
++      } else if (_.any(this.datasets, hasEmptyTemplate)) {
++        if (query.length < this.minLength) {
++          this._hide();
++        } else {
++          this._show();
++        }
++      } else {
++        this._hide();
++      }
++    } else if (this.isOpen) {
++      if (this.$empty) {
++        this.$empty.empty();
++      }
++
++      if (query.length >= this.minLength) {
++        this._show();
++      } else {
++        this._hide();
++      }
++    }
++
++    this.trigger('datasetRendered');
++
++    function isDatasetEmpty(dataset) {
++      return dataset.isEmpty();
++    }
++
++    function hasEmptyTemplate(dataset) {
++      return dataset.templates && dataset.templates.empty;
++    }
++  },
++
++  _hide: function() {
++    this.$container.hide();
++  },
++
++  _show: function() {
++    // can't use jQuery#show because $menu is a span element we want
++    // display: block; not dislay: inline;
++    this.$container.css('display', 'block');
++
++    this._redraw();
++
++    this.trigger('shown');
++  },
++
++  _redraw: function redraw() {
++    if (!this.isOpen || !this.appendTo) return;
++
++    this.trigger('redrawn');
++  },
++
++  _getSuggestions: function getSuggestions() {
++    return this.$menu.find(_.className(this.cssClasses.prefix, this.cssClasses.suggestion));
++  },
++
++  _getCursor: function getCursor() {
++    return this.$menu.find(_.className(this.cssClasses.prefix, this.cssClasses.cursor)).first();
++  },
++
++  _setCursor: function setCursor($el, updateInput) {
++    $el.first()
++      .addClass(_.className(this.cssClasses.prefix, this.cssClasses.cursor, true))
++      .attr('aria-selected', 'true');
++    this.trigger('cursorMoved', updateInput);
++  },
++
++  _removeCursor: function removeCursor() {
++    this._getCursor()
++      .removeClass(_.className(this.cssClasses.prefix, this.cssClasses.cursor, true))
++      .removeAttr('aria-selected');
++  },
++
++  _moveCursor: function moveCursor(increment) {
++    var $suggestions;
++    var $oldCursor;
++    var newCursorIndex;
++    var $newCursor;
++
++    if (!this.isOpen) {
++      return;
++    }
++
++    $oldCursor = this._getCursor();
++    $suggestions = this._getSuggestions();
++
++    this._removeCursor();
++
++    // shifting before and after modulo to deal with -1 index
++    newCursorIndex = $suggestions.index($oldCursor) + increment;
++    newCursorIndex = (newCursorIndex + 1) % ($suggestions.length + 1) - 1;
++
++    if (newCursorIndex === -1) {
++      this.trigger('cursorRemoved');
++
++      return;
++    } else if (newCursorIndex < -1) {
++      newCursorIndex = $suggestions.length - 1;
++    }
++
++    this._setCursor($newCursor = $suggestions.eq(newCursorIndex), true);
++
++    // in the case of scrollable overflow
++    // make sure the cursor is visible in the menu
++    this._ensureVisible($newCursor);
++  },
++
++  _ensureVisible: function ensureVisible($el) {
++    var elTop;
++    var elBottom;
++    var menuScrollTop;
++    var menuHeight;
++
++    elTop = $el.position().top;
++    elBottom = elTop + $el.height() +
++      parseInt($el.css('margin-top'), 10) +
++      parseInt($el.css('margin-bottom'), 10);
++    menuScrollTop = this.$menu.scrollTop();
++    menuHeight = this.$menu.height() +
++      parseInt(this.$menu.css('paddingTop'), 10) +
++      parseInt(this.$menu.css('paddingBottom'), 10);
++
++    if (elTop < 0) {
++      this.$menu.scrollTop(menuScrollTop + elTop);
++    } else if (menuHeight < elBottom) {
++      this.$menu.scrollTop(menuScrollTop + (elBottom - menuHeight));
++    }
++  },
++
++  // ### public
++
++  close: function close() {
++    if (this.isOpen) {
++      this.isOpen = false;
++
++      this._removeCursor();
++      this._hide();
++
++      this.trigger('closed');
++    }
++  },
++
++  open: function open() {
++    if (!this.isOpen) {
++      this.isOpen = true;
++
++      if (!this.isEmpty) {
++        this._show();
++      }
++
++      this.trigger('opened');
++    }
++  },
++
++  setLanguageDirection: function setLanguageDirection(dir) {
++    this.$menu.css(dir === 'ltr' ? this.css.ltr : this.css.rtl);
++  },
++
++  moveCursorUp: function moveCursorUp() {
++    this._moveCursor(-1);
++  },
++
++  moveCursorDown: function moveCursorDown() {
++    this._moveCursor(+1);
++  },
++
++  getDatumForSuggestion: function getDatumForSuggestion($el) {
++    var datum = null;
++
++    if ($el.length) {
++      datum = {
++        raw: Dataset.extractDatum($el),
++        value: Dataset.extractValue($el),
++        datasetName: Dataset.extractDatasetName($el)
++      };
++    }
++
++    return datum;
++  },
++
++  getCurrentCursor: function getCurrentCursor() {
++    return this._getCursor().first();
++  },
++
++  getDatumForCursor: function getDatumForCursor() {
++    return this.getDatumForSuggestion(this._getCursor().first());
++  },
++
++  getDatumForTopSuggestion: function getDatumForTopSuggestion() {
++    return this.getDatumForSuggestion(this._getSuggestions().first());
++  },
++
++  cursorTopSuggestion: function cursorTopSuggestion() {
++    this._setCursor(this._getSuggestions().first(), false);
++  },
++
++  update: function update(query) {
++    _.each(this.datasets, updateDataset);
++
++    function updateDataset(dataset) {
++      dataset.update(query);
++    }
++  },
++
++  empty: function empty() {
++    _.each(this.datasets, clearDataset);
++    this.isEmpty = true;
++
++    function clearDataset(dataset) {
++      dataset.clear();
++    }
++  },
++
++  isVisible: function isVisible() {
++    return this.isOpen && !this.isEmpty;
++  },
++
++  destroy: function destroy() {
++    this.$menu.off('.aa');
++
++    this.$menu = null;
++
++    _.each(this.datasets, destroyDataset);
++
++    function destroyDataset(dataset) {
++      dataset.destroy();
++    }
++  }
++});
++
++// helper functions
++// ----------------
++Dropdown.Dataset = Dataset;
++
++function initializeDataset($menu, oDataset, cssClasses) {
++  return new Dropdown.Dataset(_.mixin({$menu: $menu, cssClasses: cssClasses}, oDataset));
++}
++
++module.exports = Dropdown;
++
++
++/***/ }),
++/* 40 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var specialKeyCodeMap;
++
++specialKeyCodeMap = {
++  9: 'tab',
++  27: 'esc',
++  37: 'left',
++  39: 'right',
++  13: 'enter',
++  38: 'up',
++  40: 'down'
++};
++
++var _ = __webpack_require__(0);
++var DOM = __webpack_require__(1);
++var EventEmitter = __webpack_require__(10);
++
++// constructor
++// -----------
++
++function Input(o) {
++  var that = this;
++  var onBlur;
++  var onFocus;
++  var onKeydown;
++  var onInput;
++
++  o = o || {};
++
++  if (!o.input) {
++    _.error('input is missing');
++  }
++
++  // bound functions
++  onBlur = _.bind(this._onBlur, this);
++  onFocus = _.bind(this._onFocus, this);
++  onKeydown = _.bind(this._onKeydown, this);
++  onInput = _.bind(this._onInput, this);
++
++  this.$hint = DOM.element(o.hint);
++  this.$input = DOM.element(o.input)
++    .on('blur.aa', onBlur)
++    .on('focus.aa', onFocus)
++    .on('keydown.aa', onKeydown);
++
++  // if no hint, noop all the hint related functions
++  if (this.$hint.length === 0) {
++    this.setHint = this.getHint = this.clearHint = this.clearHintIfInvalid = _.noop;
++  }
++
++  // ie7 and ie8 don't support the input event
++  // ie9 doesn't fire the input event when characters are removed
++  // not sure if ie10 is compatible
++  if (!_.isMsie()) {
++    this.$input.on('input.aa', onInput);
++  } else {
++    this.$input.on('keydown.aa keypress.aa cut.aa paste.aa', function($e) {
++      // if a special key triggered this, ignore it
++      if (specialKeyCodeMap[$e.which || $e.keyCode]) {
++        return;
++      }
++
++      // give the browser a chance to update the value of the input
++      // before checking to see if the query changed
++      _.defer(_.bind(that._onInput, that, $e));
++    });
++  }
++
++  // the query defaults to whatever the value of the input is
++  // on initialization, it'll most likely be an empty string
++  this.query = this.$input.val();
++
++  // helps with calculating the width of the input's value
++  this.$overflowHelper = buildOverflowHelper(this.$input);
++}
++
++// static methods
++// --------------
++
++Input.normalizeQuery = function(str) {
++  // strips leading whitespace and condenses all whitespace
++  return (str || '').replace(/^\s*/g, '').replace(/\s{2,}/g, ' ');
++};
++
++// instance methods
++// ----------------
++
++_.mixin(Input.prototype, EventEmitter, {
++
++  // ### private
++
++  _onBlur: function onBlur() {
++    this.resetInputValue();
++    this.$input.removeAttr('aria-activedescendant');
++    this.trigger('blurred');
++  },
++
++  _onFocus: function onFocus() {
++    this.trigger('focused');
++  },
++
++  _onKeydown: function onKeydown($e) {
++    // which is normalized and consistent (but not for ie)
++    var keyName = specialKeyCodeMap[$e.which || $e.keyCode];
++
++    this._managePreventDefault(keyName, $e);
++    if (keyName && this._shouldTrigger(keyName, $e)) {
++      this.trigger(keyName + 'Keyed', $e);
++    }
++  },
++
++  _onInput: function onInput() {
++    this._checkInputValue();
++  },
++
++  _managePreventDefault: function managePreventDefault(keyName, $e) {
++    var preventDefault;
++    var hintValue;
++    var inputValue;
++
++    switch (keyName) {
++    case 'tab':
++      hintValue = this.getHint();
++      inputValue = this.getInputValue();
++
++      preventDefault = hintValue &&
++        hintValue !== inputValue &&
++        !withModifier($e);
++      break;
++
++    case 'up':
++    case 'down':
++      preventDefault = !withModifier($e);
++      break;
++
++    default:
++      preventDefault = false;
++    }
++
++    if (preventDefault) {
++      $e.preventDefault();
++    }
++  },
++
++  _shouldTrigger: function shouldTrigger(keyName, $e) {
++    var trigger;
++
++    switch (keyName) {
++    case 'tab':
++      trigger = !withModifier($e);
++      break;
++
++    default:
++      trigger = true;
++    }
++
++    return trigger;
++  },
++
++  _checkInputValue: function checkInputValue() {
++    var inputValue;
++    var areEquivalent;
++    var hasDifferentWhitespace;
++
++    inputValue = this.getInputValue();
++    areEquivalent = areQueriesEquivalent(inputValue, this.query);
++    hasDifferentWhitespace = areEquivalent && this.query ?
++      this.query.length !== inputValue.length : false;
++
++    this.query = inputValue;
++
++    if (!areEquivalent) {
++      this.trigger('queryChanged', this.query);
++    } else if (hasDifferentWhitespace) {
++      this.trigger('whitespaceChanged', this.query);
++    }
++  },
++
++  // ### public
++
++  focus: function focus() {
++    this.$input.focus();
++  },
++
++  blur: function blur() {
++    this.$input.blur();
++  },
++
++  getQuery: function getQuery() {
++    return this.query;
++  },
++
++  setQuery: function setQuery(query) {
++    this.query = query;
++  },
++
++  getInputValue: function getInputValue() {
++    return this.$input.val();
++  },
++
++  setInputValue: function setInputValue(value, silent) {
++    if (typeof value === 'undefined') {
++      value = this.query;
++    }
++    this.$input.val(value);
++
++    // silent prevents any additional events from being triggered
++    if (silent) {
++      this.clearHint();
++    } else {
++      this._checkInputValue();
++    }
++  },
++
++  expand: function expand() {
++    this.$input.attr('aria-expanded', 'true');
++  },
++
++  collapse: function collapse() {
++    this.$input.attr('aria-expanded', 'false');
++  },
++
++  setActiveDescendant: function setActiveDescendant(activedescendantId) {
++    this.$input.attr('aria-activedescendant', activedescendantId);
++  },
++
++  removeActiveDescendant: function removeActiveDescendant() {
++    this.$input.removeAttr('aria-activedescendant');
++  },
++
++  resetInputValue: function resetInputValue() {
++    this.setInputValue(this.query, true);
++  },
++
++  getHint: function getHint() {
++    return this.$hint.val();
++  },
++
++  setHint: function setHint(value) {
++    this.$hint.val(value);
++  },
++
++  clearHint: function clearHint() {
++    this.setHint('');
++  },
++
++  clearHintIfInvalid: function clearHintIfInvalid() {
++    var val;
++    var hint;
++    var valIsPrefixOfHint;
++    var isValid;
++
++    val = this.getInputValue();
++    hint = this.getHint();
++    valIsPrefixOfHint = val !== hint && hint.indexOf(val) === 0;
++    isValid = val !== '' && valIsPrefixOfHint && !this.hasOverflow();
++
++    if (!isValid) {
++      this.clearHint();
++    }
++  },
++
++  getLanguageDirection: function getLanguageDirection() {
++    return (this.$input.css('direction') || 'ltr').toLowerCase();
++  },
++
++  hasOverflow: function hasOverflow() {
++    // 2 is arbitrary, just picking a small number to handle edge cases
++    var constraint = this.$input.width() - 2;
++
++    this.$overflowHelper.text(this.getInputValue());
++
++    return this.$overflowHelper.width() >= constraint;
++  },
++
++  isCursorAtEnd: function() {
++    var valueLength;
++    var selectionStart;
++    var range;
++
++    valueLength = this.$input.val().length;
++    selectionStart = this.$input[0].selectionStart;
++
++    if (_.isNumber(selectionStart)) {
++      return selectionStart === valueLength;
++    } else if (document.selection) {
++      // NOTE: this won't work unless the input has focus, the good news
++      // is this code should only get called when the input has focus
++      range = document.selection.createRange();
++      range.moveStart('character', -valueLength);
++
++      return valueLength === range.text.length;
++    }
++
++    return true;
++  },
++
++  destroy: function destroy() {
++    this.$hint.off('.aa');
++    this.$input.off('.aa');
++
++    this.$hint = this.$input = this.$overflowHelper = null;
++  }
++});
++
++// helper functions
++// ----------------
++
++function buildOverflowHelper($input) {
++  return DOM.element('<pre aria-hidden="true"></pre>')
++    .css({
++      // position helper off-screen
++      position: 'absolute',
++      visibility: 'hidden',
++      // avoid line breaks and whitespace collapsing
++      whiteSpace: 'pre',
++      // use same font css as input to calculate accurate width
++      fontFamily: $input.css('font-family'),
++      fontSize: $input.css('font-size'),
++      fontStyle: $input.css('font-style'),
++      fontVariant: $input.css('font-variant'),
++      fontWeight: $input.css('font-weight'),
++      wordSpacing: $input.css('word-spacing'),
++      letterSpacing: $input.css('letter-spacing'),
++      textIndent: $input.css('text-indent'),
++      textRendering: $input.css('text-rendering'),
++      textTransform: $input.css('text-transform')
++    })
++    .insertAfter($input);
++}
++
++function areQueriesEquivalent(a, b) {
++  return Input.normalizeQuery(a) === Input.normalizeQuery(b);
++}
++
++function withModifier($e) {
++  return $e.altKey || $e.ctrlKey || $e.metaKey || $e.shiftKey;
++}
++
++module.exports = Input;
++
++
++/***/ }),
++/* 41 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var attrsKey = 'aaAttrs';
++
++var _ = __webpack_require__(0);
++var DOM = __webpack_require__(1);
++var EventBus = __webpack_require__(13);
++var Input = __webpack_require__(40);
++var Dropdown = __webpack_require__(39);
++var html = __webpack_require__(14);
++var css = __webpack_require__(9);
++
++// constructor
++// -----------
++
++// THOUGHT: what if datasets could dynamically be added/removed?
++function Typeahead(o) {
++  var $menu;
++  var $hint;
++
++  o = o || {};
++
++  if (!o.input) {
++    _.error('missing input');
++  }
++
++  this.isActivated = false;
++  this.debug = !!o.debug;
++  this.autoselect = !!o.autoselect;
++  this.autoselectOnBlur = !!o.autoselectOnBlur;
++  this.openOnFocus = !!o.openOnFocus;
++  this.minLength = _.isNumber(o.minLength) ? o.minLength : 1;
++  this.autoWidth = (o.autoWidth === undefined) ? true : !!o.autoWidth;
++
++  o.hint = !!o.hint;
++
++  if (o.hint && o.appendTo) {
++    throw new Error('[autocomplete.js] hint and appendTo options can\'t be used at the same time');
++  }
++
++  this.css = o.css = _.mixin({}, css, o.appendTo ? css.appendTo : {});
++  this.cssClasses = o.cssClasses = _.mixin({}, css.defaultClasses, o.cssClasses || {});
++  this.cssClasses.prefix =
++    o.cssClasses.formattedPrefix = _.formatPrefix(this.cssClasses.prefix, this.cssClasses.noPrefix);
++  this.listboxId = o.listboxId = [this.cssClasses.root, 'listbox', _.getUniqueId()].join('-');
++
++  var domElts = buildDom(o);
++
++  this.$node = domElts.wrapper;
++  var $input = this.$input = domElts.input;
++  $menu = domElts.menu;
++  $hint = domElts.hint;
++
++  if (o.dropdownMenuContainer) {
++    DOM.element(o.dropdownMenuContainer)
++      .css('position', 'relative') // ensure the container has a relative position
++      .append($menu.css('top', '0')); // override the top: 100%
++  }
++
++  // #705: if there's scrollable overflow, ie doesn't support
++  // blur cancellations when the scrollbar is clicked
++  //
++  // #351: preventDefault won't cancel blurs in ie <= 8
++  $input.on('blur.aa', function($e) {
++    var active = document.activeElement;
++    if (_.isMsie() && ($menu[0] === active || $menu[0].contains(active))) {
++      $e.preventDefault();
++      // stop immediate in order to prevent Input#_onBlur from
++      // getting exectued
++      $e.stopImmediatePropagation();
++      _.defer(function() { $input.focus(); });
++    }
++  });
++
++  // #351: prevents input blur due to clicks within dropdown menu
++  $menu.on('mousedown.aa', function($e) { $e.preventDefault(); });
++
++  this.eventBus = o.eventBus || new EventBus({el: $input});
++
++  this.dropdown = new Typeahead.Dropdown({
++    appendTo: o.appendTo,
++    wrapper: this.$node,
++    menu: $menu,
++    datasets: o.datasets,
++    templates: o.templates,
++    cssClasses: o.cssClasses,
++    minLength: this.minLength
++  })
++    .onSync('suggestionClicked', this._onSuggestionClicked, this)
++    .onSync('cursorMoved', this._onCursorMoved, this)
++    .onSync('cursorRemoved', this._onCursorRemoved, this)
++    .onSync('opened', this._onOpened, this)
++    .onSync('closed', this._onClosed, this)
++    .onSync('shown', this._onShown, this)
++    .onSync('empty', this._onEmpty, this)
++    .onSync('redrawn', this._onRedrawn, this)
++    .onAsync('datasetRendered', this._onDatasetRendered, this);
++
++  this.input = new Typeahead.Input({input: $input, hint: $hint})
++    .onSync('focused', this._onFocused, this)
++    .onSync('blurred', this._onBlurred, this)
++    .onSync('enterKeyed', this._onEnterKeyed, this)
++    .onSync('tabKeyed', this._onTabKeyed, this)
++    .onSync('escKeyed', this._onEscKeyed, this)
++    .onSync('upKeyed', this._onUpKeyed, this)
++    .onSync('downKeyed', this._onDownKeyed, this)
++    .onSync('leftKeyed', this._onLeftKeyed, this)
++    .onSync('rightKeyed', this._onRightKeyed, this)
++    .onSync('queryChanged', this._onQueryChanged, this)
++    .onSync('whitespaceChanged', this._onWhitespaceChanged, this);
++
++  this._bindKeyboardShortcuts(o);
++
++  this._setLanguageDirection();
++}
++
++// instance methods
++// ----------------
++
++_.mixin(Typeahead.prototype, {
++  // ### private
++
++  _bindKeyboardShortcuts: function(options) {
++    if (!options.keyboardShortcuts) {
++      return;
++    }
++    var $input = this.$input;
++    var keyboardShortcuts = [];
++    _.each(options.keyboardShortcuts, function(key) {
++      if (typeof key === 'string') {
++        key = key.toUpperCase().charCodeAt(0);
++      }
++      keyboardShortcuts.push(key);
++    });
++    DOM.element(document).keydown(function(event) {
++      var elt = (event.target || event.srcElement);
++      var tagName = elt.tagName;
++      if (elt.isContentEditable || tagName === 'INPUT' || tagName === 'SELECT' || tagName === 'TEXTAREA') {
++        // already in an input
++        return;
++      }
++
++      var which = event.which || event.keyCode;
++      if (keyboardShortcuts.indexOf(which) === -1) {
++        // not the right shortcut
++        return;
++      }
++
++      $input.focus();
++      event.stopPropagation();
++      event.preventDefault();
++    });
++  },
++
++  _onSuggestionClicked: function onSuggestionClicked(type, $el) {
++    var datum;
++
++    if (datum = this.dropdown.getDatumForSuggestion($el)) {
++      this._select(datum);
++    }
++  },
++
++  _onCursorMoved: function onCursorMoved(event, updateInput) {
++    var datum = this.dropdown.getDatumForCursor();
++    var currentCursorId = this.dropdown.getCurrentCursor().attr('id');
++    this.input.setActiveDescendant(currentCursorId);
++
++    if (datum) {
++      if (updateInput) {
++        this.input.setInputValue(datum.value, true);
++      }
++
++      this.eventBus.trigger('cursorchanged', datum.raw, datum.datasetName);
++    }
++  },
++
++  _onCursorRemoved: function onCursorRemoved() {
++    this.input.resetInputValue();
++    this._updateHint();
++    this.eventBus.trigger('cursorremoved');
++  },
++
++  _onDatasetRendered: function onDatasetRendered() {
++    this._updateHint();
++
++    this.eventBus.trigger('updated');
++  },
++
++  _onOpened: function onOpened() {
++    this._updateHint();
++    this.input.expand();
++
++    this.eventBus.trigger('opened');
++  },
++
++  _onEmpty: function onEmpty() {
++    this.eventBus.trigger('empty');
++  },
++
++  _onRedrawn: function onRedrawn() {
++    this.$node.css('top', 0 + 'px');
++    this.$node.css('left', 0 + 'px');
++
++    var inputRect = this.$input[0].getBoundingClientRect();
++
++    if (this.autoWidth) {
++      this.$node.css('width', inputRect.width + 'px');
++    }
++
++    var wrapperRect = this.$node[0].getBoundingClientRect();
++
++    var top = inputRect.bottom - wrapperRect.top;
++    this.$node.css('top', top + 'px');
++    var left = inputRect.left - wrapperRect.left;
++    this.$node.css('left', left + 'px');
++
++    this.eventBus.trigger('redrawn');
++  },
++
++  _onShown: function onShown() {
++    this.eventBus.trigger('shown');
++    if (this.autoselect) {
++      this.dropdown.cursorTopSuggestion();
++    }
++  },
++
++  _onClosed: function onClosed() {
++    this.input.clearHint();
++    this.input.removeActiveDescendant();
++    this.input.collapse();
++
++    this.eventBus.trigger('closed');
++  },
++
++  _onFocused: function onFocused() {
++    this.isActivated = true;
++
++    if (this.openOnFocus) {
++      var query = this.input.getQuery();
++      if (query.length >= this.minLength) {
++        this.dropdown.update(query);
++      } else {
++        this.dropdown.empty();
++      }
++
++      this.dropdown.open();
++    }
++  },
++
++  _onBlurred: function onBlurred() {
++    var cursorDatum;
++    var topSuggestionDatum;
++
++    cursorDatum = this.dropdown.getDatumForCursor();
++    topSuggestionDatum = this.dropdown.getDatumForTopSuggestion();
++
++    if (!this.debug) {
++      if (this.autoselectOnBlur && cursorDatum) {
++        this._select(cursorDatum);
++      } else if (this.autoselectOnBlur && topSuggestionDatum) {
++        this._select(topSuggestionDatum);
++      } else {
++        this.isActivated = false;
++        this.dropdown.empty();
++        this.dropdown.close();
++      }
++    }
++  },
++
++  _onEnterKeyed: function onEnterKeyed(type, $e) {
++    var cursorDatum;
++    var topSuggestionDatum;
++
++    cursorDatum = this.dropdown.getDatumForCursor();
++    topSuggestionDatum = this.dropdown.getDatumForTopSuggestion();
++
++    if (cursorDatum) {
++      this._select(cursorDatum);
++      $e.preventDefault();
++    } else if (this.autoselect && topSuggestionDatum) {
++      this._select(topSuggestionDatum);
++      $e.preventDefault();
++    }
++  },
++
++  _onTabKeyed: function onTabKeyed(type, $e) {
++    var datum;
++
++    if (datum = this.dropdown.getDatumForCursor()) {
++      this._select(datum);
++      $e.preventDefault();
++    } else {
++      this._autocomplete(true);
++    }
++  },
++
++  _onEscKeyed: function onEscKeyed() {
++    this.dropdown.close();
++    this.input.resetInputValue();
++  },
++
++  _onUpKeyed: function onUpKeyed() {
++    var query = this.input.getQuery();
++
++    if (this.dropdown.isEmpty && query.length >= this.minLength) {
++      this.dropdown.update(query);
++    } else {
++      this.dropdown.moveCursorUp();
++    }
++
++    this.dropdown.open();
++  },
++
++  _onDownKeyed: function onDownKeyed() {
++    var query = this.input.getQuery();
++
++    if (this.dropdown.isEmpty && query.length >= this.minLength) {
++      this.dropdown.update(query);
++    } else {
++      this.dropdown.moveCursorDown();
++    }
++
++    this.dropdown.open();
++  },
++
++  _onLeftKeyed: function onLeftKeyed() {
++    if (this.dir === 'rtl') {
++      this._autocomplete();
++    }
++  },
++
++  _onRightKeyed: function onRightKeyed() {
++    if (this.dir === 'ltr') {
++      this._autocomplete();
++    }
++  },
++
++  _onQueryChanged: function onQueryChanged(e, query) {
++    this.input.clearHintIfInvalid();
++
++    if (query.length >= this.minLength) {
++      this.dropdown.update(query);
++    } else {
++      this.dropdown.empty();
++    }
++
++    this.dropdown.open();
++    this._setLanguageDirection();
++  },
++
++  _onWhitespaceChanged: function onWhitespaceChanged() {
++    this._updateHint();
++    this.dropdown.open();
++  },
++
++  _setLanguageDirection: function setLanguageDirection() {
++    var dir = this.input.getLanguageDirection();
++
++    if (this.dir !== dir) {
++      this.dir = dir;
++      this.$node.css('direction', dir);
++      this.dropdown.setLanguageDirection(dir);
++    }
++  },
++
++  _updateHint: function updateHint() {
++    var datum;
++    var val;
++    var query;
++    var escapedQuery;
++    var frontMatchRegEx;
++    var match;
++
++    datum = this.dropdown.getDatumForTopSuggestion();
++
++    if (datum && this.dropdown.isVisible() && !this.input.hasOverflow()) {
++      val = this.input.getInputValue();
++      query = Input.normalizeQuery(val);
++      escapedQuery = _.escapeRegExChars(query);
++
++      // match input value, then capture trailing text
++      frontMatchRegEx = new RegExp('^(?:' + escapedQuery + ')(.+$)', 'i');
++      match = frontMatchRegEx.exec(datum.value);
++
++      // clear hint if there's no trailing text
++      if (match) {
++        this.input.setHint(val + match[1]);
++      } else {
++        this.input.clearHint();
++      }
++    } else {
++      this.input.clearHint();
++    }
++  },
++
++  _autocomplete: function autocomplete(laxCursor) {
++    var hint;
++    var query;
++    var isCursorAtEnd;
++    var datum;
++
++    hint = this.input.getHint();
++    query = this.input.getQuery();
++    isCursorAtEnd = laxCursor || this.input.isCursorAtEnd();
++
++    if (hint && query !== hint && isCursorAtEnd) {
++      datum = this.dropdown.getDatumForTopSuggestion();
++      if (datum) {
++        this.input.setInputValue(datum.value);
++      }
++
++      this.eventBus.trigger('autocompleted', datum.raw, datum.datasetName);
++    }
++  },
++
++  _select: function select(datum) {
++    if (typeof datum.value !== 'undefined') {
++      this.input.setQuery(datum.value);
++    }
++    this.input.setInputValue(datum.value, true);
++
++    this._setLanguageDirection();
++
++    var event = this.eventBus.trigger('selected', datum.raw, datum.datasetName);
++    if (event.isDefaultPrevented() === false) {
++      this.dropdown.close();
++
++      // #118: allow click event to bubble up to the body before removing
++      // the suggestions otherwise we break event delegation
++      _.defer(_.bind(this.dropdown.empty, this.dropdown));
++    }
++  },
++
++  // ### public
++
++  open: function open() {
++    // if the menu is not activated yet, we need to update
++    // the underlying dropdown menu to trigger the search
++    // otherwise we're not gonna see anything
++    if (!this.isActivated) {
++      var query = this.input.getInputValue();
++      if (query.length >= this.minLength) {
++        this.dropdown.update(query);
++      } else {
++        this.dropdown.empty();
++      }
++    }
++    this.dropdown.open();
++  },
++
++  close: function close() {
++    this.dropdown.close();
++  },
++
++  setVal: function setVal(val) {
++    // expect val to be a string, so be safe, and coerce
++    val = _.toStr(val);
++
++    if (this.isActivated) {
++      this.input.setInputValue(val);
++    } else {
++      this.input.setQuery(val);
++      this.input.setInputValue(val, true);
++    }
++
++    this._setLanguageDirection();
++  },
++
++  getVal: function getVal() {
++    return this.input.getQuery();
++  },
++
++  destroy: function destroy() {
++    this.input.destroy();
++    this.dropdown.destroy();
++
++    destroyDomStructure(this.$node, this.cssClasses);
++
++    this.$node = null;
++  },
++
++  getWrapper: function getWrapper() {
++    return this.dropdown.$container[0];
++  }
++});
++
++function buildDom(options) {
++  var $input;
++  var $wrapper;
++  var $dropdown;
++  var $hint;
++
++  $input = DOM.element(options.input);
++  $wrapper = DOM
++    .element(html.wrapper.replace('%ROOT%', options.cssClasses.root))
++    .css(options.css.wrapper);
++
++  // override the display property with the table-cell value
++  // if the parent element is a table and the original input was a block
++  //  -> https://github.com/algolia/autocomplete.js/issues/16
++  if (!options.appendTo && $input.css('display') === 'block' && $input.parent().css('display') === 'table') {
++    $wrapper.css('display', 'table-cell');
++  }
++  var dropdownHtml = html.dropdown.
++    replace('%PREFIX%', options.cssClasses.prefix).
++    replace('%DROPDOWN_MENU%', options.cssClasses.dropdownMenu);
++  $dropdown = DOM.element(dropdownHtml)
++    .css(options.css.dropdown)
++    .attr({
++      role: 'listbox',
++      id: options.listboxId
++    });
++  if (options.templates && options.templates.dropdownMenu) {
++    $dropdown.html(_.templatify(options.templates.dropdownMenu)());
++  }
++  $hint = $input.clone().css(options.css.hint).css(getBackgroundStyles($input));
++
++  $hint
++    .val('')
++    .addClass(_.className(options.cssClasses.prefix, options.cssClasses.hint, true))
++    .removeAttr('id name placeholder required')
++    .prop('readonly', true)
++    .attr({
++      'aria-hidden': 'true',
++      autocomplete: 'off',
++      spellcheck: 'false',
++      tabindex: -1
++    });
++  if ($hint.removeData) {
++    $hint.removeData();
++  }
++
++  // store the original values of the attrs that get modified
++  // so modifications can be reverted on destroy
++  $input.data(attrsKey, {
++    'aria-autocomplete': $input.attr('aria-autocomplete'),
++    'aria-expanded': $input.attr('aria-expanded'),
++    'aria-owns': $input.attr('aria-owns'),
++    autocomplete: $input.attr('autocomplete'),
++    dir: $input.attr('dir'),
++    role: $input.attr('role'),
++    spellcheck: $input.attr('spellcheck'),
++    style: $input.attr('style'),
++    type: $input.attr('type')
++  });
++
++  $input
++    .addClass(_.className(options.cssClasses.prefix, options.cssClasses.input, true))
++    .attr({
++      autocomplete: 'off',
++      spellcheck: false,
++
++      // Accessibility features
++      // Give the field a presentation of a "select".
++      // Combobox is the combined presentation of a single line textfield
++      // with a listbox popup.
++      // https://www.w3.org/WAI/PF/aria/roles#combobox
++      role: 'combobox',
++      // Let the screen reader know the field has an autocomplete
++      // feature to it.
++      'aria-autocomplete': (options.datasets && options.datasets[0] && options.datasets[0].displayKey ? 'both' : 'list'),
++      // Indicates whether the dropdown it controls is currently expanded or collapsed
++      'aria-expanded': 'false',
++      // If a placeholder is set, label this field with itself, which in this case,
++      // is an explicit pointer to use the placeholder attribute value.
++      'aria-labelledby': ($input.attr('placeholder') ? $input.attr('id') : null),
++      // Explicitly point to the listbox,
++      // which is a list of suggestions (aka options)
++      'aria-owns': options.listboxId
++    })
++    .css(options.hint ? options.css.input : options.css.inputWithNoHint);
++
++  // ie7 does not like it when dir is set to auto
++  try {
++    if (!$input.attr('dir')) {
++      $input.attr('dir', 'auto');
++    }
++  } catch (e) {
++    // ignore
++  }
++
++  $wrapper = options.appendTo
++    ? $wrapper.appendTo(DOM.element(options.appendTo).eq(0)).eq(0)
++    : $input.wrap($wrapper).parent();
++
++  $wrapper
++    .prepend(options.hint ? $hint : null)
++    .append($dropdown);
++
++  return {
++    wrapper: $wrapper,
++    input: $input,
++    hint: $hint,
++    menu: $dropdown
++  };
++}
++
++function getBackgroundStyles($el) {
++  return {
++    backgroundAttachment: $el.css('background-attachment'),
++    backgroundClip: $el.css('background-clip'),
++    backgroundColor: $el.css('background-color'),
++    backgroundImage: $el.css('background-image'),
++    backgroundOrigin: $el.css('background-origin'),
++    backgroundPosition: $el.css('background-position'),
++    backgroundRepeat: $el.css('background-repeat'),
++    backgroundSize: $el.css('background-size')
++  };
++}
++
++function destroyDomStructure($node, cssClasses) {
++  var $input = $node.find(_.className(cssClasses.prefix, cssClasses.input));
++
++  // need to remove attrs that weren't previously defined and
++  // revert attrs that originally had a value
++  _.each($input.data(attrsKey), function(val, key) {
++    if (val === undefined) {
++      $input.removeAttr(key);
++    } else {
++      $input.attr(key, val);
++    }
++  });
++
++  $input
++    .detach()
++    .removeClass(_.className(cssClasses.prefix, cssClasses.input, true))
++    .insertAfter($node);
++  if ($input.removeData) {
++    $input.removeData(attrsKey);
++  }
++
++  $node.remove();
++}
++
++Typeahead.Dropdown = Dropdown;
++Typeahead.Input = Input;
++Typeahead.sources = __webpack_require__(43);
++
++module.exports = Typeahead;
++
++
++/***/ }),
++/* 42 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var _ = __webpack_require__(0);
++var version = __webpack_require__(16);
++var parseAlgoliaClientVersion = __webpack_require__(15);
++
++module.exports = function search(index, params) {
++  var algoliaVersion = parseAlgoliaClientVersion(index.as._ua);
++  if (algoliaVersion && algoliaVersion[0] >= 3 && algoliaVersion[1] > 20) {
++    params = params || {};
++    params.additionalUA = 'autocomplete.js ' + version;
++  }
++  return sourceFn;
++
++  function sourceFn(query, cb) {
++    index.search(query, params, function(error, content) {
++      if (error) {
++        _.error(error.message);
++        return;
++      }
++      cb(content.hits, content);
++    });
++  }
++};
++
++
++/***/ }),
++/* 43 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++module.exports = {
++  hits: __webpack_require__(42),
++  popularIn: __webpack_require__(44)
++};
++
++
++/***/ }),
++/* 44 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var _ = __webpack_require__(0);
++var version = __webpack_require__(16);
++var parseAlgoliaClientVersion = __webpack_require__(15);
++
++module.exports = function popularIn(index, params, details, options) {
++  var algoliaVersion = parseAlgoliaClientVersion(index.as._ua);
++  if (algoliaVersion && algoliaVersion[0] >= 3 && algoliaVersion[1] > 20) {
++    params = params || {};
++    params.additionalUA = 'autocomplete.js ' + version;
++  }
++  if (!details.source) {
++    return _.error("Missing 'source' key");
++  }
++  var source = _.isFunction(details.source) ? details.source : function(hit) { return hit[details.source]; };
++
++  if (!details.index) {
++    return _.error("Missing 'index' key");
++  }
++  var detailsIndex = details.index;
++
++  options = options || {};
++
++  return sourceFn;
++
++  function sourceFn(query, cb) {
++    index.search(query, params, function(error, content) {
++      if (error) {
++        _.error(error.message);
++        return;
++      }
++
++      if (content.hits.length > 0) {
++        var first = content.hits[0];
++
++        var detailsParams = _.mixin({hitsPerPage: 0}, details);
++        delete detailsParams.source; // not a query parameter
++        delete detailsParams.index; // not a query parameter
++
++        var detailsAlgoliaVersion = parseAlgoliaClientVersion(detailsIndex.as._ua);
++        if (detailsAlgoliaVersion && detailsAlgoliaVersion[0] >= 3 && detailsAlgoliaVersion[1] > 20) {
++          params.additionalUA = 'autocomplete.js ' + version;
++        }
++
++        detailsIndex.search(source(first), detailsParams, function(error2, content2) {
++          if (error2) {
++            _.error(error2.message);
++            return;
++          }
++
++          var suggestions = [];
++
++          // add the 'all department' entry before others
++          if (options.includeAll) {
++            var label = options.allTitle || 'All departments';
++            suggestions.push(_.mixin({
++              facet: {value: label, count: content2.nbHits}
++            }, _.cloneDeep(first)));
++          }
++
++          // enrich the first hit iterating over the facets
++          _.each(content2.facets, function(values, facet) {
++            _.each(values, function(count, value) {
++              suggestions.push(_.mixin({
++                facet: {facet: facet, value: value, count: count}
++              }, _.cloneDeep(first)));
++            });
++          });
++
++          // append all other hits
++          for (var i = 1; i < content.hits.length; ++i) {
++            suggestions.push(content.hits[i]);
++          }
++
++          cb(suggestions, content);
++        });
++
++        return;
++      }
++
++      cb([]);
++    });
++  }
++};
++
++
++/***/ }),
++/* 45 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++// this will inject Zepto in window, unfortunately no easy commonJS zepto build
++var zepto = __webpack_require__(17);
++
++// setup DOM element
++var DOM = __webpack_require__(1);
++DOM.element = zepto;
++
++// setup utils functions
++var _ = __webpack_require__(0);
++_.isArray = zepto.isArray;
++_.isFunction = zepto.isFunction;
++_.isObject = zepto.isPlainObject;
++_.bind = zepto.proxy;
++_.each = function(collection, cb) {
++  // stupid argument order for jQuery.each
++  zepto.each(collection, reverseArgs);
++  function reverseArgs(index, value) {
++    return cb(value, index);
++  }
++};
++_.map = zepto.map;
++_.mixin = zepto.extend;
++_.Event = zepto.Event;
++
++var typeaheadKey = 'aaAutocomplete';
++var Typeahead = __webpack_require__(41);
++var EventBus = __webpack_require__(13);
++
++function autocomplete(selector, options, datasets, typeaheadObject) {
++  datasets = _.isArray(datasets) ? datasets : [].slice.call(arguments, 2);
++
++  var inputs = zepto(selector).each(function(i, input) {
++    var $input = zepto(input);
++    var eventBus = new EventBus({el: $input});
++    var typeahead = typeaheadObject || new Typeahead({
++      input: $input,
++      eventBus: eventBus,
++      dropdownMenuContainer: options.dropdownMenuContainer,
++      hint: options.hint === undefined ? true : !!options.hint,
++      minLength: options.minLength,
++      autoselect: options.autoselect,
++      autoselectOnBlur: options.autoselectOnBlur,
++      openOnFocus: options.openOnFocus,
++      templates: options.templates,
++      debug: options.debug,
++      cssClasses: options.cssClasses,
++      datasets: datasets,
++      keyboardShortcuts: options.keyboardShortcuts,
++      appendTo: options.appendTo,
++      autoWidth: options.autoWidth
++    });
++    $input.data(typeaheadKey, typeahead);
++  });
++
++  // expose all methods in the `autocomplete` attribute
++  inputs.autocomplete = {};
++  _.each(['open', 'close', 'getVal', 'setVal', 'destroy', 'getWrapper'], function(method) {
++    inputs.autocomplete[method] = function() {
++      var methodArguments = arguments;
++      var result;
++      inputs.each(function(j, input) {
++        var typeahead = zepto(input).data(typeaheadKey);
++        result = typeahead[method].apply(typeahead, methodArguments);
++      });
++      return result;
++    };
++  });
++
++  return inputs;
++}
++
++autocomplete.sources = Typeahead.sources;
++autocomplete.escapeHighlightedString = _.escapeHighlightedString;
++
++var wasAutocompleteSet = 'autocomplete' in window;
++var oldAutocomplete = window.autocomplete;
++autocomplete.noConflict = function noConflict() {
++  if (wasAutocompleteSet) {
++    window.autocomplete = oldAutocomplete;
++  } else {
++    delete window.autocomplete;
++  }
++  return autocomplete;
++};
++
++module.exports = autocomplete;
++
++
++/***/ }),
++/* 46 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var _main = __webpack_require__(21);
++
++var _main2 = _interopRequireDefault(_main);
++
++function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }
++
++module.exports = _main2.default; /* eslint-disable import/no-commonjs */
++
++/***/ }),
++/* 47 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++Object.defineProperty(exports, "__esModule", {
++  value: true
++});
++
++var _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; };
++
++var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();
++
++var _hogan = __webpack_require__(54);
++
++var _hogan2 = _interopRequireDefault(_hogan);
++
++var _lite = __webpack_require__(24);
++
++var _lite2 = _interopRequireDefault(_lite);
++
++var _autocomplete = __webpack_require__(37);
++
++var _autocomplete2 = _interopRequireDefault(_autocomplete);
++
++var _templates = __webpack_require__(48);
++
++var _templates2 = _interopRequireDefault(_templates);
++
++var _utils = __webpack_require__(49);
++
++var _utils2 = _interopRequireDefault(_utils);
++
++var _version = __webpack_require__(18);
++
++var _version2 = _interopRequireDefault(_version);
++
++var _zepto = __webpack_require__(19);
++
++var _zepto2 = _interopRequireDefault(_zepto);
++
++function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }
++
++function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
++
++/**
++ * Adds an autocomplete dropdown to an input field
++ * @function DocSearch
++ * @param  {string} options.apiKey         Read-only API key
++ * @param  {string} options.indexName      Name of the index to target
++ * @param  {string} options.inputSelector  CSS selector that targets the input
++ * @param  {string} [options.appId]  Lets you override the applicationId used.
++ * If using the default Algolia Crawler, you should not have to change this
++ * value.
++ * @param  {Object} [options.algoliaOptions] Options to pass the underlying Algolia client
++ * @param  {Object} [options.autocompleteOptions] Options to pass to the underlying autocomplete instance
++ * @return {Object}
++ */
++var usage = 'Usage:\n  documentationSearch({\n  apiKey,\n  indexName,\n  inputSelector,\n  [ appId ],\n  [ algoliaOptions.{hitsPerPage} ]\n  [ autocompleteOptions.{hint,debug} ]\n})';
++
++var DocSearch = function () {
++  function DocSearch(_ref) {
++    var apiKey = _ref.apiKey,
++        indexName = _ref.indexName,
++        inputSelector = _ref.inputSelector,
++        _ref$appId = _ref.appId,
++        appId = _ref$appId === undefined ? 'BH4D9OD16A' : _ref$appId,
++        _ref$debug = _ref.debug,
++        debug = _ref$debug === undefined ? false : _ref$debug,
++        _ref$algoliaOptions = _ref.algoliaOptions,
++        algoliaOptions = _ref$algoliaOptions === undefined ? {} : _ref$algoliaOptions,
++        _ref$autocompleteOpti = _ref.autocompleteOptions,
++        autocompleteOptions = _ref$autocompleteOpti === undefined ? {
++      debug: false,
++      hint: false,
++      autoselect: true
++    } : _ref$autocompleteOpti,
++        _ref$transformData = _ref.transformData,
++        transformData = _ref$transformData === undefined ? false : _ref$transformData,
++        _ref$handleSelected = _ref.handleSelected,
++        handleSelected = _ref$handleSelected === undefined ? false : _ref$handleSelected,
++        _ref$enhancedSearchIn = _ref.enhancedSearchInput,
++        enhancedSearchInput = _ref$enhancedSearchIn === undefined ? false : _ref$enhancedSearchIn,
++        _ref$layout = _ref.layout,
++        layout = _ref$layout === undefined ? 'collumns' : _ref$layout;
++
++    _classCallCheck(this, DocSearch);
++
++    DocSearch.checkArguments({
++      apiKey: apiKey,
++      indexName: indexName,
++      inputSelector: inputSelector,
++      debug: debug,
++      algoliaOptions: algoliaOptions,
++      autocompleteOptions: autocompleteOptions,
++      transformData: transformData,
++      handleSelected: handleSelected,
++      enhancedSearchInput: enhancedSearchInput,
++      layout: layout
++    });
++
++    this.apiKey = apiKey;
++    this.appId = appId;
++    this.indexName = indexName;
++    this.input = DocSearch.getInputFromSelector(inputSelector);
++    this.algoliaOptions = _extends({ hitsPerPage: 5 }, algoliaOptions);
++    var autocompleteOptionsDebug = autocompleteOptions && autocompleteOptions.debug ? autocompleteOptions.debug : false;
++    autocompleteOptions.debug = debug || autocompleteOptionsDebug;
++    this.autocompleteOptions = autocompleteOptions;
++    this.autocompleteOptions.cssClasses = {
++      prefix: 'ds'
++    };
++
++    handleSelected = handleSelected || this.handleSelected;
++
++    this.isSimpleLayout = layout === 'simple';
++
++    this.client = (0, _lite2.default)(this.appId, this.apiKey);
++    this.client.addAlgoliaAgent('docsearch.js ' + _version2.default);
++
++    if (enhancedSearchInput) {
++      this.input = DocSearch.injectSearchBox(this.input);
++    }
++
++    this.autocomplete = (0, _autocomplete2.default)(this.input, autocompleteOptions, [{
++      source: this.getAutocompleteSource(transformData),
++      templates: {
++        suggestion: DocSearch.getSuggestionTemplate(this.isSimpleLayout),
++        footer: _templates2.default.footer,
++        empty: DocSearch.getEmptyTemplate()
++      }
++    }]);
++    this.autocomplete.on('autocomplete:selected', handleSelected.bind(null, this.autocomplete.autocomplete));
++    this.autocomplete.on('autocomplete:shown', this.handleShown.bind(null, this.input));
++
++    if (enhancedSearchInput) {
++      DocSearch.bindSearchBoxEvent();
++    }
++  }
++
++  /**
++   * Checks that the passed arguments are valid. Will throw errors otherwise
++   * @function checkArguments
++   * @param  {object} args Arguments as an option object
++   * @returns {void}
++   */
++
++
++  _createClass(DocSearch, [{
++    key: 'getAutocompleteSource',
++
++
++    /**
++     * Returns the `source` method to be passed to autocomplete.js. It will query
++     * the Algolia index and call the callbacks with the formatted hits.
++     * @function getAutocompleteSource
++     * @param  {function} transformData An optional function to transform the hits
++     * @returns {function} Method to be passed as the `source` option of
++     * autocomplete
++     */
++    value: function getAutocompleteSource(transformData) {
++      var _this = this;
++
++      return function (query, callback) {
++        _this.client.search([{
++          indexName: _this.indexName,
++          query: query,
++          params: _this.algoliaOptions
++        }]).then(function (data) {
++          var hits = data.results[0].hits;
++          if (transformData) {
++            hits = transformData(hits) || hits;
++          }
++          callback(DocSearch.formatHits(hits));
++        });
++      };
++    }
++
++    // Given a list of hits returned by the API, will reformat them to be used in
++    // a Hogan template
++
++  }, {
++    key: 'handleSelected',
++    value: function handleSelected(input, event, suggestion) {
++      input.setVal('');
++      window.location.href = suggestion.url;
++    }
++  }, {
++    key: 'handleShown',
++    value: function handleShown(input) {
++      var middleOfInput = input.offset().left + input.width() / 2;
++      var middleOfWindow = (0, _zepto2.default)(document).width() / 2;
++
++      if (isNaN(middleOfWindow)) {
++        middleOfWindow = 900;
++      }
++
++      var alignClass = middleOfInput - middleOfWindow >= 0 ? 'algolia-autocomplete-right' : 'algolia-autocomplete-left';
++      var otherAlignClass = middleOfInput - middleOfWindow < 0 ? 'algolia-autocomplete-right' : 'algolia-autocomplete-left';
++
++      var autocompleteWrapper = (0, _zepto2.default)('.algolia-autocomplete');
++      if (!autocompleteWrapper.hasClass(alignClass)) {
++        autocompleteWrapper.addClass(alignClass);
++      }
++
++      if (autocompleteWrapper.hasClass(otherAlignClass)) {
++        autocompleteWrapper.removeClass(otherAlignClass);
++      }
++    }
++  }], [{
++    key: 'checkArguments',
++    value: function checkArguments(args) {
++      if (!args.apiKey || !args.indexName) {
++        throw new Error(usage);
++      }
++
++      if (!DocSearch.getInputFromSelector(args.inputSelector)) {
++        throw new Error('Error: No input element in the page matches ' + args.inputSelector);
++      }
++    }
++  }, {
++    key: 'injectSearchBox',
++    value: function injectSearchBox(input) {
++      input.before(_templates2.default.searchBox);
++      var newInput = input.prev().prev().find('input');
++      input.remove();
++      return newInput;
++    }
++  }, {
++    key: 'bindSearchBoxEvent',
++    value: function bindSearchBoxEvent() {
++      (0, _zepto2.default)('.searchbox [type="reset"]').on('click', function () {
++        (0, _zepto2.default)('input#docsearch').focus();
++        (0, _zepto2.default)(this).addClass('hide');
++        _autocomplete2.default.autocomplete.setVal('');
++      });
++
++      (0, _zepto2.default)('input#docsearch').on('keyup', function () {
++        var searchbox = document.querySelector('input#docsearch');
++        var reset = document.querySelector('.searchbox [type="reset"]');
++        reset.className = 'searchbox__reset';
++        if (searchbox.value.length === 0) {
++          reset.className += ' hide';
++        }
++      });
++    }
++
++    /**
++     * Returns the matching input from a CSS selector, null if none matches
++     * @function getInputFromSelector
++     * @param  {string} selector CSS selector that matches the search
++     * input of the page
++     * @returns {void}
++     */
++
++  }, {
++    key: 'getInputFromSelector',
++    value: function getInputFromSelector(selector) {
++      var input = (0, _zepto2.default)(selector).filter('input');
++      return input.length ? (0, _zepto2.default)(input[0]) : null;
++    }
++  }, {
++    key: 'formatHits',
++    value: function formatHits(receivedHits) {
++      var clonedHits = _utils2.default.deepClone(receivedHits);
++      var hits = clonedHits.map(function (hit) {
++        if (hit._highlightResult) {
++          hit._highlightResult = _utils2.default.mergeKeyWithParent(hit._highlightResult, 'hierarchy');
++        }
++        return _utils2.default.mergeKeyWithParent(hit, 'hierarchy');
++      });
++
++      // Group hits by category / subcategory
++      var groupedHits = _utils2.default.groupBy(hits, 'lvl0');
++      _zepto2.default.each(groupedHits, function (level, collection) {
++        var groupedHitsByLvl1 = _utils2.default.groupBy(collection, 'lvl1');
++        var flattenedHits = _utils2.default.flattenAndFlagFirst(groupedHitsByLvl1, 'isSubCategoryHeader');
++        groupedHits[level] = flattenedHits;
++      });
++      groupedHits = _utils2.default.flattenAndFlagFirst(groupedHits, 'isCategoryHeader');
++
++      // Translate hits into smaller objects to be send to the template
++      return groupedHits.map(function (hit) {
++        var url = DocSearch.formatURL(hit);
++        var category = _utils2.default.getHighlightedValue(hit, 'lvl0');
++        var subcategory = _utils2.default.getHighlightedValue(hit, 'lvl1') || category;
++        var displayTitle = _utils2.default.compact([_utils2.default.getHighlightedValue(hit, 'lvl2') || subcategory, _utils2.default.getHighlightedValue(hit, 'lvl3'), _utils2.default.getHighlightedValue(hit, 'lvl4'), _utils2.default.getHighlightedValue(hit, 'lvl5'), _utils2.default.getHighlightedValue(hit, 'lvl6')]).join('<span class="aa-suggestion-title-separator" aria-hidden="true"> › </span>');
++        var text = _utils2.default.getSnippetedValue(hit, 'content');
++        var isTextOrSubcatoryNonEmpty = subcategory && subcategory !== '' || displayTitle && displayTitle !== '';
++        var isLvl1EmptyOrDuplicate = !subcategory || subcategory === '' || subcategory === category;
++        var isLvl2 = displayTitle && displayTitle !== '' && displayTitle !== subcategory;
++        var isLvl1 = !isLvl2 && subcategory && subcategory !== '' && subcategory !== category;
++        var isLvl0 = !isLvl1 && !isLvl2;
++
++        return {
++          isLvl0: isLvl0,
++          isLvl1: isLvl1,
++          isLvl2: isLvl2,
++          isLvl1EmptyOrDuplicate: isLvl1EmptyOrDuplicate,
++          isCategoryHeader: hit.isCategoryHeader,
++          isSubCategoryHeader: hit.isSubCategoryHeader,
++          isTextOrSubcatoryNonEmpty: isTextOrSubcatoryNonEmpty,
++          category: category,
++          subcategory: subcategory,
++          title: displayTitle,
++          text: text,
++          url: url
++        };
++      });
++    }
++  }, {
++    key: 'formatURL',
++    value: function formatURL(hit) {
++      var url = hit.url,
++          anchor = hit.anchor;
++
++      if (url) {
++        var containsAnchor = url.indexOf('#') !== -1;
++        if (containsAnchor) return url;else if (anchor) return hit.url + '#' + hit.anchor;
++        return url;
++      } else if (anchor) return '#' + hit.anchor;
++      /* eslint-disable */
++      console.warn('no anchor nor url for : ', JSON.stringify(hit));
++      /* eslint-enable */
++      return null;
++    }
++  }, {
++    key: 'getEmptyTemplate',
++    value: function getEmptyTemplate() {
++      return function (args) {
++        return _hogan2.default.compile(_templates2.default.empty).render(args);
++      };
++    }
++  }, {
++    key: 'getSuggestionTemplate',
++    value: function getSuggestionTemplate(isSimpleLayout) {
++      var stringTemplate = isSimpleLayout ? _templates2.default.suggestionSimple : _templates2.default.suggestion;
++      var template = _hogan2.default.compile(stringTemplate);
++      return function (suggestion) {
++        return template.render(suggestion);
++      };
++    }
++  }]);
++
++  return DocSearch;
++}();
++
++exports.default = DocSearch;
++
++/***/ }),
++/* 48 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++Object.defineProperty(exports, "__esModule", {
++  value: true
++});
++var prefix = 'algolia-docsearch';
++var suggestionPrefix = prefix + '-suggestion';
++var footerPrefix = prefix + '-footer';
++
++/* eslint-disable max-len */
++
++var templates = {
++  suggestion: '\n  <div class="' + suggestionPrefix + '\n    {{#isCategoryHeader}}' + suggestionPrefix + '__main{{/isCategoryHeader}}\n    {{#isSubCategoryHeader}}' + suggestionPrefix + '__secondary{{/isSubCategoryHeader}}\n  ">\n    <div class="' + suggestionPrefix + '--category-header">\n        <span class="' + suggestionPrefix + '--category-header-lvl0">{{{category}}}</span>\n    </div>\n    <div class="' + suggestionPrefix + '--wrapper">\n      <div class="' + suggestionPrefix + '--subcategory-column">\n        <span class="' + suggestionPrefix + '--subcategory-column-text">{{{subcategory}}}</span>\n      </div>\n      {{#isTextOrSubcatoryNonEmpty}}\n      <div class="' + suggestionPrefix + '--content">\n        <div class="' + suggestionPrefix + '--subcategory-inline">{{{subcategory}}}</div>\n        <div class="' + suggestionPrefix + '--title">{{{title}}}</div>\n        {{#text}}<div class="' + suggestionPrefix + '--text">{{{text}}}</div>{{/text}}\n      </div>\n      {{/isTextOrSubcatoryNonEmpty}}\n    </div>\n  </div>\n  ',
++  suggestionSimple: '\n  <div class="' + suggestionPrefix + '\n    {{#isCategoryHeader}}' + suggestionPrefix + '__main{{/isCategoryHeader}}\n    {{#isSubCategoryHeader}}' + suggestionPrefix + '__secondary{{/isSubCategoryHeader}}\n    suggestion-layout-simple\n  ">\n    <div class="' + suggestionPrefix + '--category-header">\n        {{^isLvl0}}\n        <span class="' + suggestionPrefix + '--category-header-lvl0 ' + suggestionPrefix + '--category-header-item">{{{category}}}</span>\n          {{^isLvl1}}\n          {{^isLvl1EmptyOrDuplicate}}\n          <span class="' + suggestionPrefix + '--category-header-lvl1 ' + suggestionPrefix + '--category-header-item">\n              {{{subcategory}}}\n          </span>\n          {{/isLvl1EmptyOrDuplicate}}\n          {{/isLvl1}}\n        {{/isLvl0}}\n        <div class="' + suggestionPrefix + '--title ' + suggestionPrefix + '--category-header-item">\n            {{#isLvl2}}\n                {{{title}}}\n            {{/isLvl2}}\n            {{#isLvl1}}\n                {{{subcategory}}}\n            {{/isLvl1}}\n            {{#isLvl0}}\n                {{{category}}}\n            {{/isLvl0}}\n        </div>\n    </div>\n    <div class="' + suggestionPrefix + '--wrapper">\n      {{#text}}\n      <div class="' + suggestionPrefix + '--content">\n        <div class="' + suggestionPrefix + '--text">{{{text}}}</div>\n      </div>\n      {{/text}}\n    </div>\n  </div>\n  ',
++  footer: '\n    <div class="' + footerPrefix + '">\n      Search by <a class="' + footerPrefix + '--logo" href="https://www.algolia.com/docsearch">Algolia</a>\n    </div>\n  ',
++  empty: '\n  <div class="' + suggestionPrefix + '">\n    <div class="' + suggestionPrefix + '--wrapper">\n        <div class="' + suggestionPrefix + '--content ' + suggestionPrefix + '--no-results">\n            <div class="' + suggestionPrefix + '--title">\n                <div class="' + suggestionPrefix + '--text">\n                    No results found for query <b>"{{query}}"</b>\n                </div>\n            </div>\n        </div>\n    </div>\n  </div>\n  ',
++  searchBox: '\n  <form novalidate="novalidate" onsubmit="return false;" class="searchbox">\n    <div role="search" class="searchbox__wrapper">\n      <input id="docsearch" type="search" name="search" placeholder="Search the docs" autocomplete="off" required="required" class="searchbox__input"/>\n      <button type="submit" title="Submit your search query." class="searchbox__submit" >\n        <svg width=12 height=12 role="img" aria-label="Search">\n          <use xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="#sbx-icon-search-13"></use>\n        </svg>\n      </button>\n      <button type="reset" title="Clear the search query." class="searchbox__reset hide">\n        <svg width=12 height=12 role="img" aria-label="Reset">\n          <use xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="#sbx-icon-clear-3"></use>\n        </svg>\n      </button>\n    </div>\n</form>\n\n<div class="svg-icons" style="height: 0; width: 0; position: absolute; visibility: hidden">\n  <svg xmlns="http://www.w3.org/2000/svg">\n    <symbol id="sbx-icon-clear-3" viewBox="0 0 40 40"><path d="M16.228 20L1.886 5.657 0 3.772 3.772 0l1.885 1.886L20 16.228 34.343 1.886 36.228 0 40 3.772l-1.886 1.885L23.772 20l14.342 14.343L40 36.228 36.228 40l-1.885-1.886L20 23.772 5.657 38.114 3.772 40 0 36.228l1.886-1.885L16.228 20z" fill-rule="evenodd"></symbol>\n    <symbol id="sbx-icon-search-13" viewBox="0 0 40 40"><path d="M26.806 29.012a16.312 16.312 0 0 1-10.427 3.746C7.332 32.758 0 25.425 0 16.378 0 7.334 7.333 0 16.38 0c9.045 0 16.378 7.333 16.378 16.38 0 3.96-1.406 7.593-3.746 10.426L39.547 37.34c.607.608.61 1.59-.004 2.203a1.56 1.56 0 0 1-2.202.004L26.807 29.012zm-10.427.627c7.322 0 13.26-5.938 13.26-13.26 0-7.324-5.938-13.26-13.26-13.26-7.324 0-13.26 5.936-13.26 13.26 0 7.322 5.936 13.26 13.26 13.26z" fill-rule="evenodd"></symbol>\n  </svg>\n</div>\n  '
++};
++
++exports.default = templates;
++
++/***/ }),
++/* 49 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++Object.defineProperty(exports, "__esModule", {
++  value: true
++});
++
++var _typeof = typeof Symbol === "function" && typeof Symbol.iterator === "symbol" ? function (obj) { return typeof obj; } : function (obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; };
++
++var _zepto = __webpack_require__(19);
++
++var _zepto2 = _interopRequireDefault(_zepto);
++
++function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }
++
++var utils = {
++  /*
++  * Move the content of an object key one level higher.
++  * eg.
++  * {
++  *   name: 'My name',
++  *   hierarchy: {
++  *     lvl0: 'Foo',
++  *     lvl1: 'Bar'
++  *   }
++  * }
++  * Will be converted to
++  * {
++  *   name: 'My name',
++  *   lvl0: 'Foo',
++  *   lvl1: 'Bar'
++  * }
++  * @param {Object} object Main object
++  * @param {String} property Main object key to move up
++  * @return {Object}
++  * @throws Error when key is not an attribute of Object or is not an object itself
++  */
++  mergeKeyWithParent: function mergeKeyWithParent(object, property) {
++    if (object[property] === undefined) {
++      return object;
++    }
++    if (_typeof(object[property]) !== 'object') {
++      return object;
++    }
++    var newObject = _zepto2.default.extend({}, object, object[property]);
++    delete newObject[property];
++    return newObject;
++  },
++
++  /*
++  * Group all objects of a collection by the value of the specified attribute
++  * If the attribute is a string, use the lowercase form.
++  *
++  * eg.
++  * groupBy([
++  *   {name: 'Tim', category: 'dev'},
++  *   {name: 'Vincent', category: 'dev'},
++  *   {name: 'Ben', category: 'sales'},
++  *   {name: 'Jeremy', category: 'sales'},
++  *   {name: 'AlexS', category: 'dev'},
++  *   {name: 'AlexK', category: 'sales'}
++  * ], 'category');
++  * =>
++  * {
++  *   'devs': [
++  *     {name: 'Tim', category: 'dev'},
++  *     {name: 'Vincent', category: 'dev'},
++  *     {name: 'AlexS', category: 'dev'}
++  *   ],
++  *   'sales': [
++  *     {name: 'Ben', category: 'sales'},
++  *     {name: 'Jeremy', category: 'sales'},
++  *     {name: 'AlexK', category: 'sales'}
++  *   ]
++  * }
++  * @param {array} collection Array of objects to group
++  * @param {String} property The attribute on which apply the grouping
++  * @return {array}
++  * @throws Error when one of the element does not have the specified property
++  */
++  groupBy: function groupBy(collection, property) {
++    var newCollection = {};
++    _zepto2.default.each(collection, function (index, item) {
++      if (item[property] === undefined) {
++        throw new Error('[groupBy]: Object has no key ' + property);
++      }
++      var key = item[property];
++      if (typeof key === 'string') {
++        key = key.toLowerCase();
++      }
++      // fix #171 the given data type of docsearch hits might be conflict with the properties of the native Object,
++      // such as the constructor, so we need to do this check.
++      if (!Object.prototype.hasOwnProperty.call(newCollection, key)) {
++        newCollection[key] = [];
++      }
++      newCollection[key].push(item);
++    });
++    return newCollection;
++  },
++
++  /*
++  * Return an array of all the values of the specified object
++  * eg.
++  * values({
++  *   foo: 42,
++  *   bar: true,
++  *   baz: 'yep'
++  * })
++  * =>
++  * [42, true, yep]
++  * @param {object} object Object to extract values from
++  * @return {array}
++  */
++  values: function values(object) {
++    return Object.keys(object).map(function (key) {
++      return object[key];
++    });
++  },
++
++  /*
++  * Flattens an array
++  * eg.
++  * flatten([1, 2, [3, 4], [5, 6]])
++  * =>
++  * [1, 2, 3, 4, 5, 6]
++  * @param {array} array Array to flatten
++  * @return {array}
++  */
++  flatten: function flatten(array) {
++    var results = [];
++    array.forEach(function (value) {
++      if (!Array.isArray(value)) {
++        results.push(value);
++        return;
++      }
++      value.forEach(function (subvalue) {
++        results.push(subvalue);
++      });
++    });
++    return results;
++  },
++
++  /*
++  * Flatten all values of an object into an array, marking each first element of
++  * each group with a specific flag
++  * eg.
++  * flattenAndFlagFirst({
++  *   'devs': [
++  *     {name: 'Tim', category: 'dev'},
++  *     {name: 'Vincent', category: 'dev'},
++  *     {name: 'AlexS', category: 'dev'}
++  *   ],
++  *   'sales': [
++  *     {name: 'Ben', category: 'sales'},
++  *     {name: 'Jeremy', category: 'sales'},
++  *     {name: 'AlexK', category: 'sales'}
++  *   ]
++  * , 'isTop');
++  * =>
++  * [
++  *     {name: 'Tim', category: 'dev', isTop: true},
++  *     {name: 'Vincent', category: 'dev', isTop: false},
++  *     {name: 'AlexS', category: 'dev', isTop: false},
++  *     {name: 'Ben', category: 'sales', isTop: true},
++  *     {name: 'Jeremy', category: 'sales', isTop: false},
++  *     {name: 'AlexK', category: 'sales', isTop: false}
++  * ]
++  * @param {object} object Object to flatten
++  * @param {string} flag Flag to set to true on first element of each group
++  * @return {array}
++  */
++  flattenAndFlagFirst: function flattenAndFlagFirst(object, flag) {
++    var values = this.values(object).map(function (collection) {
++      return collection.map(function (item, index) {
++        item[flag] = index === 0;
++        return item;
++      });
++    });
++    return this.flatten(values);
++  },
++
++  /*
++  * Removes all empty strings, null, false and undefined elements array
++  * eg.
++  * compact([42, false, null, undefined, '', [], 'foo']);
++  * =>
++  * [42, [], 'foo']
++  * @param {array} array Array to compact
++  * @return {array}
++  */
++  compact: function compact(array) {
++    var results = [];
++    array.forEach(function (value) {
++      if (!value) {
++        return;
++      }
++      results.push(value);
++    });
++    return results;
++  },
++
++  /*
++   * Returns the highlighted value of the specified key in the specified object.
++   * If no highlighted value is available, will return the key value directly
++   * eg.
++   * getHighlightedValue({
++   *    _highlightResult: {
++   *      text: {
++   *        value: '<mark>foo</mark>'
++   *      }
++   *    },
++   *    text: 'foo'
++   * }, 'text');
++   * =>
++   * '<mark>foo</mark>'
++   * @param {object} object Hit object returned by the Algolia API
++   * @param {string} property Object key to look for
++   * @return {string}
++   **/
++  getHighlightedValue: function getHighlightedValue(object, property) {
++    if (object._highlightResult && object._highlightResult.hierarchy_camel && object._highlightResult.hierarchy_camel[property] && object._highlightResult.hierarchy_camel[property].matchLevel && object._highlightResult.hierarchy_camel[property].matchLevel !== 'none' && object._highlightResult.hierarchy_camel[property].value) {
++      return object._highlightResult.hierarchy_camel[property].value;
++    }
++    if (object._highlightResult && object._highlightResult && object._highlightResult[property] && object._highlightResult[property].value) {
++      return object._highlightResult[property].value;
++    }
++    return object[property];
++  },
++
++  /*
++   * Returns the snippeted value of the specified key in the specified object.
++   * If no highlighted value is available, will return the key value directly.
++   * Will add starting and ending ellipsis (…) if we detect that a sentence is
++   * incomplete
++   * eg.
++   * getSnippetedValue({
++   *    _snippetResult: {
++   *      text: {
++   *        value: '<mark>This is an unfinished sentence</mark>'
++   *      }
++   *    },
++   *    text: 'This is an unfinished sentence'
++   * }, 'text');
++   * =>
++   * '<mark>This is an unefinished sentenced</mark>…'
++   * @param {object} object Hit object returned by the Algolia API
++   * @param {string} property Object key to look for
++   * @return {string}
++   **/
++  getSnippetedValue: function getSnippetedValue(object, property) {
++    if (!object._snippetResult || !object._snippetResult[property] || !object._snippetResult[property].value) {
++      return object[property];
++    }
++    var snippet = object._snippetResult[property].value;
++
++    if (snippet[0] !== snippet[0].toUpperCase()) {
++      snippet = '\u2026' + snippet;
++    }
++    if (['.', '!', '?'].indexOf(snippet[snippet.length - 1]) === -1) {
++      snippet = snippet + '\u2026';
++    }
++    return snippet;
++  },
++
++  /*
++  * Deep clone an object.
++  * Note: This will not clone functions and dates
++  * @param {object} object Object to clone
++  * @return {object}
++  */
++  deepClone: function deepClone(object) {
++    return JSON.parse(JSON.stringify(object));
++  }
++};
++
++exports.default = utils;
++
++/***/ }),
++/* 50 */
++/***/ (function(module, exports, __webpack_require__) {
++
++
++/**
++ * This is the common logic for both the Node.js and web browser
++ * implementations of `debug()`.
++ *
++ * Expose `debug()` as the module.
++ */
++
++exports = module.exports = debug.debug = debug;
++exports.coerce = coerce;
++exports.disable = disable;
++exports.enable = enable;
++exports.enabled = enabled;
++exports.humanize = __webpack_require__(62);
++
++/**
++ * The currently active debug mode names, and names to skip.
++ */
++
++exports.names = [];
++exports.skips = [];
++
++/**
++ * Map of special "%n" handling functions, for the debug "format" argument.
++ *
++ * Valid key names are a single, lowercased letter, i.e. "n".
++ */
++
++exports.formatters = {};
++
++/**
++ * Previously assigned color.
++ */
++
++var prevColor = 0;
++
++/**
++ * Previous log timestamp.
++ */
++
++var prevTime;
++
++/**
++ * Select a color.
++ *
++ * @return {Number}
++ * @api private
++ */
++
++function selectColor() {
++  return exports.colors[prevColor++ % exports.colors.length];
++}
++
++/**
++ * Create a debugger with the given `namespace`.
++ *
++ * @param {String} namespace
++ * @return {Function}
++ * @api public
++ */
++
++function debug(namespace) {
++
++  // define the `disabled` version
++  function disabled() {
++  }
++  disabled.enabled = false;
++
++  // define the `enabled` version
++  function enabled() {
++
++    var self = enabled;
++
++    // set `diff` timestamp
++    var curr = +new Date();
++    var ms = curr - (prevTime || curr);
++    self.diff = ms;
++    self.prev = prevTime;
++    self.curr = curr;
++    prevTime = curr;
++
++    // add the `color` if not set
++    if (null == self.useColors) self.useColors = exports.useColors();
++    if (null == self.color && self.useColors) self.color = selectColor();
++
++    var args = new Array(arguments.length);
++    for (var i = 0; i < args.length; i++) {
++      args[i] = arguments[i];
++    }
++
++    args[0] = exports.coerce(args[0]);
++
++    if ('string' !== typeof args[0]) {
++      // anything else let's inspect with %o
++      args = ['%o'].concat(args);
++    }
++
++    // apply any `formatters` transformations
++    var index = 0;
++    args[0] = args[0].replace(/%([a-z%])/g, function(match, format) {
++      // if we encounter an escaped % then don't increase the array index
++      if (match === '%%') return match;
++      index++;
++      var formatter = exports.formatters[format];
++      if ('function' === typeof formatter) {
++        var val = args[index];
++        match = formatter.call(self, val);
++
++        // now we need to remove `args[index]` since it's inlined in the `format`
++        args.splice(index, 1);
++        index--;
++      }
++      return match;
++    });
++
++    // apply env-specific formatting
++    args = exports.formatArgs.apply(self, args);
++
++    var logFn = enabled.log || exports.log || console.log.bind(console);
++    logFn.apply(self, args);
++  }
++  enabled.enabled = true;
++
++  var fn = exports.enabled(namespace) ? enabled : disabled;
++
++  fn.namespace = namespace;
++
++  return fn;
++}
++
++/**
++ * Enables a debug mode by namespaces. This can include modes
++ * separated by a colon and wildcards.
++ *
++ * @param {String} namespaces
++ * @api public
++ */
++
++function enable(namespaces) {
++  exports.save(namespaces);
++
++  var split = (namespaces || '').split(/[\s,]+/);
++  var len = split.length;
++
++  for (var i = 0; i < len; i++) {
++    if (!split[i]) continue; // ignore empty strings
++    namespaces = split[i].replace(/[\\^$+?.()|[\]{}]/g, '\\$&').replace(/\*/g, '.*?');
++    if (namespaces[0] === '-') {
++      exports.skips.push(new RegExp('^' + namespaces.substr(1) + '$'));
++    } else {
++      exports.names.push(new RegExp('^' + namespaces + '$'));
++    }
++  }
++}
++
++/**
++ * Disable debug output.
++ *
++ * @api public
++ */
++
++function disable() {
++  exports.enable('');
++}
++
++/**
++ * Returns true if the given mode name is enabled, false otherwise.
++ *
++ * @param {String} name
++ * @return {Boolean}
++ * @api public
++ */
++
++function enabled(name) {
++  var i, len;
++  for (i = 0, len = exports.skips.length; i < len; i++) {
++    if (exports.skips[i].test(name)) {
++      return false;
++    }
++  }
++  for (i = 0, len = exports.names.length; i < len; i++) {
++    if (exports.names[i].test(name)) {
++      return true;
++    }
++  }
++  return false;
++}
++
++/**
++ * Coerce `val`.
++ *
++ * @param {Mixed} val
++ * @return {Mixed}
++ * @api private
++ */
++
++function coerce(val) {
++  if (val instanceof Error) return val.stack || val.message;
++  return val;
++}
++
++
++/***/ }),
++/* 51 */
++/***/ (function(module, exports, __webpack_require__) {
++
++/* WEBPACK VAR INJECTION */(function(process, global) {var require;/*!
 + * @overview es6-promise - a tiny implementation of Promises/A+.
 + * @copyright Copyright (c) 2014 Yehuda Katz, Tom Dale, Stefan Penner and contributors (Conversion to ES6 API by Jake Archibald)
 + * @license   Licensed under MIT license
 + *            See https://raw.githubusercontent.com/stefanpenner/es6-promise/master/LICENSE
 + * @version   4.0.5
 + */
- !function(e,n){t.exports=n()}(0,function(){"use strict";function t(t){return"function"==typeof t||"object"==typeof t&&null!==t}function i(t){return"function"==typeof t}function o(t){V=t}function s(t){K=t}function a(){return void 0!==U?function(){U(c)}:u()}function u(){var t=setTimeout;return function(){return t(c,1)}}function c(){for(var t=0;t<B;t+=2){(0,Y[t])(Y[t+1]),Y[t]=void 0,Y[t+1]=void 0}B=0}function l(t,e){var n=arguments,r=this,i=new this.constructor(f);void 0===i[tt]&&I(i);var o=r._state;return o?function(){var t=n[o-1];K(function(){return k(o,i,t,r._result)})}():C(r,i,t,e),i}function h(t){var e=this;if(t&&"object"==typeof t&&t.constructor===e)return t;var n=new e(f);return w(n,t),n}function f(){}function p(){return new TypeError("You cannot resolve a promise with itself")}function d(){return new TypeError("A promises callback cannot return that same promise.")}function g(t){try{return t.then}catch(t){return it.error=t,it}}function m(t,e,n,r){try{t.call(e,n,r)}catch(t){return t}}function v(t,e,n){K(function(t){var r=!1,i=m(n,e,function(n){r||(r=!0,e!==n?w(t,n):x(t,n))},function(e){r||(r=!0,S(t,e))},"Settle: "+(t._label||" unknown promise"));!r&&i&&(r=!0,S(t,i))},t)}function y(t,e){e._state===nt?x(t,e._result):e._state===rt?S(t,e._result):C(e,void 0,function(e){return w(t,e)},function(e){return S(t,e)})}function b(t,e,n){e.constructor===t.constructor&&n===l&&e.constructor.resolve===h?y(t,e):n===it?S(t,it.error):void 0===n?x(t,e):i(n)?v(t,e,n):x(t,e)}function w(e,n){e===n?S(e,p()):t(n)?b(e,n,g(n)):x(e,n)}function _(t){t._onerror&&t._onerror(t._result),A(t)}function x(t,e){t._state===et&&(t._result=e,t._state=nt,0!==t._subscribers.length&&K(A,t))}function S(t,e){t._state===et&&(t._state=rt,t._result=e,K(_,t))}function C(t,e,n,r){var i=t._subscribers,o=i.length;t._onerror=null,i[o]=e,i[o+nt]=n,i[o+rt]=r,0===o&&t._state&&K(A,t)}function A(t){var e=t._subscribers,n=t._state;if(0!==e.length){for(var r=void 0,i=void 0,o=t._result,s=0;s<e.length;s+=3)r=e[s],i=e[s+n],r?k(n,r,i,o):i(o);t._subscribers.length=0}}function E(){this.error=null}function T(t,e){try{return t(e)}catch(t){return ot.error=t,ot}}function k(t,e,n,r){var o=i(n),s=void 0,a=void 0,u=void 0,c=void 0;if(o){if(s=T(n,r),s===ot?(c=!0,a=s.error,s=null):u=!0,e===s)return void S(e,d())}else s=r,u=!0;e._state!==et||(o&&u?w(e,s):c?S(e,a):t===nt?x(e,s):t===rt&&S(e,s))}function O(t,e){try{e(function(e){w(t,e)},function(e){S(t,e)})}catch(e){S(t,e)}}function N(){return st++}function I(t){t[tt]=st++,t._state=void 0,t._result=void 0,t._subscribers=[]}function j(t,e){this._instanceConstructor=t,this.promise=new t(f),this.promise[tt]||I(this.promise),z(e)?(this._input=e,this.length=e.length,this._remaining=e.length,this._result=new Array(this.length),0===this.length?x(this.promise,this._result):(this.length=this.length||0,this._enumerate(),0===this._remaining&&x(this.promise,this._result))):S(this.promise,L())}function L(){return new Error("Array Methods must be provided an Array")}function P(t){return new j(this,t).promise}function R(t){var e=this;return new e(z(t)?function(n,r){for(var i=t.length,o=0;o<i;o++)e.resolve(t[o]).then(n,r)}:function(t,e){return e(new TypeError("You must pass an array to race."))})}function D(t){var e=this,n=new e(f);return S(n,t),n}function $(){throw new TypeError("You must pass a resolver function as the first argument to the promise constructor")}function M(){throw new TypeError("Failed to construct 'Promise': Please use the 'new' operator, this object constructor cannot be called as a function.")}function q(t){this[tt]=N(),this._result=this._state=void 0,this._subscribers=[],f!==t&&("function"!=typeof t&&$(),this instanceof q?O(this,t):M())}function H(){var t=void 0;if(void 0!==r)t=r;else if("undefined"!=typeof self)t=self;else try{t=Function("return this")()}catch(t){throw new Error("polyfill failed because global object is unavailable in this environment")}var e=t.Promise;if(e){var n=null;try{n=Object.prototype.toString.call(e.resolve())}catch(t){}if("[object Promise]"===n&&!e.cast)return}t.Promise=q}var F=void 0;F=Array.isArray?Array.isArray:function(t){return"[object Array]"===Object.prototype.toString.call(t)};var z=F,B=0,U=void 0,V=void 0,K=function(t,e){Y[B]=t,Y[B+1]=e,2===(B+=2)&&(V?V(c):Z())},J="undefined"!=typeof window?window:void 0,W=J||{},X=W.MutationObserver||W.WebKitMutationObserver,Q="undefined"==typeof self&&void 0!==e&&"[object process]"==={}.toString.call(e),G="undefined"!=typeof Uint8ClampedArray&&"undefined"!=typeof importScripts&&"undefined"!=typeof MessageChannel,Y=new Array(1e3),Z=void 0;Z=Q?function(){return function(){return e.nextTick(c)}}():X?function(){var t=0,e=new X(c),n=document.createTextNode("");return e.observe(n,{characterData:!0}),function(){n.data=t=++t%2}}():G?function(){var t=new MessageChannel;return t.port1.onmessage=c,function(){return t.port2.postMessage(0)}}():void 0===J?function(){try{var t=n(67);return U=t.runOnLoop||t.runOnContext,a()}catch(t){return u()}}():u();var tt=Math.random().toString(36).substring(16),et=void 0,nt=1,rt=2,it=new E,ot=new E,st=0;return j.prototype._enumerate=function(){for(var t=this.length,e=this._input,n=0;this._state===et&&n<t;n++)this._eachEntry(e[n],n)},j.prototype._eachEntry=function(t,e){var n=this._instanceConstructor,r=n.resolve;if(r===h){var i=g(t);if(i===l&&t._state!==et)this._settledAt(t._state,e,t._result);else if("function"!=typeof i)this._remaining--,this._result[e]=t;else if(n===q){var o=new n(f);b(o,t,i),this._willSettleAt(o,e)}else this._willSettleAt(new n(function(e){return e(t)}),e)}else this._willSettleAt(r(t),e)},j.prototype._settledAt=function(t,e,n){var r=this.promise;r._state===et&&(this._remaining--,t===rt?S(r,n):this._result[e]=n),0===this._remaining&&x(r,this._result)},j.prototype._willSettleAt=function(t,e){var n=this;C(t,void 0,function(t){return n._settledAt(nt,e,t)},function(t){return n._settledAt(rt,e,t)})},q.all=P,q.race=R,q.resolve=h,q.reject=D,q._setScheduler=o,q._setAsap=s,q._asap=K,q.prototype={constructor:q,then:l,catch:function(t){return this.then(null,t)}},q.polyfill=H,q.Promise=q,q})}).call(e,n(11),n(3))},function(t,e,n){(function(e){"undefined"!=typeof window?t.exports=window:void 0!==e?t.exports=e:"undefined"!=typeof self?t.exports=self:t.exports={}}).call(e,n(3))},function(t,e,n){!function(t){function e(t){"}"===t.n.substr(t.n.length-1)&&(t.n=t.n.substring(0,t.n.length-1))}function n(t){return t.trim?t.trim():t.replace(/^\s*|\s*$/g,"")}function r(t,e,n){if(e.charAt(n)!=t.charAt(0))return!1;for(var r=1,i=t.length;r<i;r++)if(e.charAt(n+r)!=t.charAt(r))return!1;return!0}function i(e,n,r,a){var u=[],c=null,l=null,h=null;for(l=r[r.length-1];e.length>0;){if(h=e.shift(),l&&"<"==l.tag&&!(h.tag in _))throw new Error("Illegal content in < super tag.");if(t.tags[h.tag]<=t.tags.$||o(h,a))r.push(h),h.nodes=i(e,h.tag,r,a);else{if("/"==h.tag){if(0===r.length)throw new Error("Closing tag without opener: /"+h.n);if(c=r.pop(),h.n!=c.n&&!s(h.n,c.n,a))throw new Error("Nesting error: "+c.n+" vs. "+h.n);return c.end=h.i,u}"\n"==h.tag&&(h.last=0==e.length||"\n"==e[0].tag)}u.push(h)}if(r.length>0)throw new Error("missing closing tag: "+r.pop().n);return u}function o(t,e){for(var n=0,r=e.length;n<r;n++)if(e[n].o==t.n)return t.tag="#",!0}function s(t,e,n){for(var r=0,i=n.length;r<i;r++)if(n[r].c==t&&n[r].o==e)return!0}function a(t){var e=[];for(var n in t)e.push('"'+c(n)+'": function(c,p,t,i) {'+t[n]+"}");return"{ "+e.join(",")+" }"}function u(t){var e=[];for(var n in t.partials)e.push('"'+c(n)+'":{name:"'+c(t.partials[n].name)+'", '+u(t.partials[n])+"}");return"partials: {"+e.join(",")+"}, subs: "+a(t.subs)}function c(t){return t.replace(y,"\\\\").replace(g,'\\"').replace(m,"\\n").replace(v,"\\r").replace(b,"\\u2028").replace(w,"\\u2029")}function l(t){return~t.indexOf(".")?"d":"f"}function h(t,e){var n="<"+(e.prefix||""),r=n+t.n+x++;return e.partials[r]={name:t.n,partials:{}},e.code+='t.b(t.rp("'+c(r)+'",c,p,"'+(t.indent||"")+'"));',r}function f(t,e){e.code+="t.b(t.t(t."+l(t.n)+'("'+c(t.n)+'",c,p,0)));'}function p(t){return"t.b("+t+");"}var d=/\S/,g=/\"/g,m=/\n/g,v=/\r/g,y=/\\/g,b=/\u2028/,w=/\u2029/;t.tags={"#":1,"^":2,"<":3,$:4,"/":5,"!":6,">":7,"=":8,_v:9,"{":10,"&":11,_t:12},t.scan=function(i,o){function s(){p.length>0&&(g.push({tag:"_t",text:new String(p)}),p="")}function a(){for(var e=!0,n=y;n<g.length;n++)if(!(e=t.tags[g[n].tag]<t.tags._v||"_t"==g[n].tag&&null===g[n].text.match(d)))return!1;return e}function u(t,e){if(s(),t&&a())for(var n,r=y;r<g.length;r++)g[r].text&&((n=g[r+1])&&">"==n.tag&&(n.indent=g[r].text.toString()),g.splice(r,1));else e||g.push({tag:"\n"});m=!1,y=g.length}var c=i.length,l=0,h=null,f=null,p="",g=[],m=!1,v=0,y=0,b="{{",w="}}";for(o&&(o=o.split(" "),b=o[0],w=o[1]),v=0;v<c;v++)0==l?r(b,i,v)?(--v,s(),l=1):"\n"==i.charAt(v)?u(m):p+=i.charAt(v):1==l?(v+=b.length-1,f=t.tags[i.charAt(v+1)],h=f?i.charAt(v+1):"_v","="==h?(v=function(t,e){var r="="+w,i=t.indexOf(r,e),o=n(t.substring(t.indexOf("=",e)+1,i)).split(" ");return b=o[0],w=o[o.length-1],i+r.length-1}(i,v),l=0):(f&&v++,l=2),m=v):r(w,i,v)?(g.push({tag:h,n:n(p),otag:b,ctag:w,i:"/"==h?m-b.length:v+w.length}),p="",v+=w.length-1,l=0,"{"==h&&("}}"==w?v++:e(g[g.length-1]))):p+=i.charAt(v);return u(m,!0),g};var _={_t:!0,"\n":!0,$:!0,"/":!0};t.stringify=function(e,n,r){return"{code: function (c,p,i) { "+t.wrapMain(e.code)+" },"+u(e)+"}"};var x=0;t.generate=function(e,n,r){x=0;var i={code:"",subs:{},partials:{}};return t.walk(e,i),r.asString?this.stringify(i,n,r):this.makeTemplate(i,n,r)},t.wrapMain=function(t){return'var t=this;t.b(i=i||"");'+t+"return t.fl();"},t.template=t.Template,t.makeTemplate=function(t,e,n){var r=this.makePartials(t);return r.code=new Function("c","p","i",this.wrapMain(t.code)),new this.template(r,e,this,n)},t.makePartials=function(t){var e,n={subs:{},partials:t.partials,name:t.name};for(e in n.partials)n.partials[e]=this.makePartials(n.partials[e]);for(e in t.subs)n.subs[e]=new Function("c","p","t","i",t.subs[e]);return n},t.codegen={"#":function(e,n){n.code+="if(t.s(t."+l(e.n)+'("'+c(e.n)+'",c,p,1),c,p,0,'+e.i+","+e.end+',"'+e.otag+" "+e.ctag+'")){t.rs(c,p,function(c,p,t){',t.walk(e.nodes,n),n.code+="});c.pop();}"},"^":function(e,n){n.code+="if(!t.s(t."+l(e.n)+'("'+c(e.n)+'",c,p,1),c,p,1,0,0,"")){',t.walk(e.nodes,n),n.code+="};"},">":h,"<":function(e,n){var r={partials:{},code:"",subs:{},inPartial:!0};t.walk(e.nodes,r);var i=n.partials[h(e,n)];i.subs=r.subs,i.partials=r.partials},$:function(e,n){var r={subs:{},code:"",partials:n.partials,prefix:e.n};t.walk(e.nodes,r),n.subs[e.n]=r.code,n.inPartial||(n.code+='t.sub("'+c(e.n)+'",c,p,i);')},"\n":function(t,e){e.code+=p('"\\n"'+(t.last?"":" + i"))},_v:function(t,e){e.code+="t.b(t.v(t."+l(t.n)+'("'+c(t.n)+'",c,p,0)));'},_t:function(t,e){e.code+=p('"'+c(t.text)+'"')},"{":f,"&":f},t.walk=function(e,n){for(var r,i=0,o=e.length;i<o;i++)(r=t.codegen[e[i].tag])&&r(e[i],n);return n},t.parse=function(t,e,n){return n=n||{},i(t,"",[],n.sectionTags||[])},t.cache={},t.cacheKey=function(t,e){return[t,!!e.asString,!!e.disableLambda,e.delimiters,!!e.modelGet].join("||")},t.compile=function(e,n){n=n||{};var r=t.cacheKey(e,n),i=this.cache[r];if(i){var o=i.partials;for(var s in o)delete o[s].instance;return i}return i=this.generate(this.parse(this.scan(e,n.delimiters),e,n),e,n),this.cache[r]=i}}(e)},function(t,e,n){var r=n(53);r.Template=n(55).Template,r.template=r.Template,t.exports=r},function(t,e,n){!function(t){function e(t,e,n){var r;return e&&"object"==typeof e&&(void 0!==e[t]?r=e[t]:n&&e.get&&"function"==typeof e.get&&(r=e.get(t))),r}function n(t,e,n,r,i,o){function s(){}function a(){}s.prototype=t,a.prototype=t.subs;var u,c=new s;c.subs=new a,c.subsText={},c.buf="",r=r||{},c.stackSubs=r,c.subsText=o;for(u in e)r[u]||(r[u]=e[u]);for(u in r)c.subs[u]=r[u];i=i||{},c.stackPartials=i;for(u in n)i[u]||(i[u]=n[u]);for(u in i)c.partials[u]=i[u];return c}function r(t){return String(null===t||void 0===t?"":t)}function i(t){return t=r(t),l.test(t)?t.replace(o,"&amp;").replace(s,"&lt;").replace(a,"&gt;").replace(u,"&#39;").replace(c,"&quot;"):t}t.Template=function(t,e,n,r){t=t||{},this.r=t.code||this.r,this.c=n,this.options=r||{},this.text=e||"",this.partials=t.partials||{},this.subs=t.subs||{},this.buf=""},t.Template.prototype={r:function(t,e,n){return""},v:i,t:r,render:function(t,e,n){return this.ri([t],e||{},n)},ri:function(t,e,n){return this.r(t,e,n)},ep:function(t,e){var r=this.partials[t],i=e[r.name];if(r.instance&&r.base==i)return r.instance;if("string"==typeof i){if(!this.c)throw new Error("No compiler available.");i=this.c.compile(i,this.options)}if(!i)return null;if(this.partials[t].base=i,r.subs){e.stackText||(e.stackText={});for(key in r.subs)e.stackText[key]||(e.stackText[key]=void 0!==this.activeSub&&e.stackText[this.activeSub]?e.stackText[this.activeSub]:this.text);i=n(i,r.subs,r.partials,this.stackSubs,this.stackPartials,e.stackText)}return this.partials[t].instance=i,i},rp:function(t,e,n,r){var i=this.ep(t,n);return i?i.ri(e,n,r):""},rs:function(t,e,n){var r=t[t.length-1];if(!h(r))return void n(t,e,this);for(var i=0;i<r.length;i++)t.push(r[i]),n(t,e,this),t.pop()},s:function(t,e,n,r,i,o,s){var a;return(!h(t)||0!==t.length)&&("function"==typeof t&&(t=this.ms(t,e,n,r,i,o,s)),a=!!t,!r&&a&&e&&e.push("object"==typeof t?t:e[e.length-1]),a)},d:function(t,n,r,i){var o,s=t.split("."),a=this.f(s[0],n,r,i),u=this.options.modelGet,c=null;if("."===t&&h(n[n.length-2]))a=n[n.length-1];else for(var l=1;l<s.length;l++)o=e(s[l],a,u),void 0!==o?(c=a,a=o):a="";return!(i&&!a)&&(i||"function"!=typeof a||(n.push(c),a=this.mv(a,n,r),n.pop()),a)},f:function(t,n,r,i){for(var o=!1,s=null,a=!1,u=this.options.modelGet,c=n.length-1;c>=0;c--)if(s=n[c],void 0!==(o=e(t,s,u))){a=!0;break}return a?(i||"function"!=typeof o||(o=this.mv(o,n,r)),o):!i&&""},ls:function(t,e,n,i,o){var s=this.options.delimiters;return this.options.delimiters=o,this.b(this.ct(r(t.call(e,i)),e,n)),this.options.delimiters=s,!1},ct:function(t,e,n){if(this.options.disableLambda)throw new Error("Lambda features disabled.");return this.c.compile(t,this.options).render(e,n)},b:function(t){this.buf+=t},fl:function(){var t=this.buf;return this.buf="",t},ms:function(t,e,n,r,i,o,s){var a,u=e[e.length-1],c=t.call(u);return"function"==typeof c?!!r||(a=this.activeSub&&this.subsText&&this.subsText[this.activeSub]?this.subsText[this.activeSub]:this.text,this.ls(c,u,n,a.substring(i,o),s)):c},mv:function(t,e,n){var i=e[e.length-1],o=t.call(i);return"function"==typeof o?this.ct(r(o.call(i)),i,n):o},sub:function(t,e,n,r){var i=this.subs[t];i&&(this.activeSub=t,i(e,n,this,r),this.activeSub=!1)}};var o=/&/g,s=/</g,a=/>/g,u=/\'/g,c=/\"/g,l=/[&<>\"\']/,h=Array.isArray||function(t){return"[object Array]"===Object.prototype.toString.call(t)}}(e)},function(t,e,n){"use strict";function r(){a&&u&&(a=!1,u.length?f=u.concat(f):h=-1,f.length&&i())}function i(){if(!a){p=!1,a=!0;for(var t=f.length,e=setTimeout(r);t;){for(u=f,f=[];u&&++h<t;)u[h].run();h=-1,t=f.length}u=null,h=-1,a=!1,clearTimeout(e)}}function o(t,e){this.fun=t,this.array=e}function s(t){var e=new Array(arguments.length-1);if(arguments.length>1)for(var n=1;n<arguments.length;n++)e[n-1]=arguments[n];f.push(new o(t,e)),p||a||(p=!0,c())}for(var a,u,c,l=[n(59),n(58),n(57),n(60),n(61)],h=-1,f=[],p=!1,d=-1,g=l.length;++d<g;)if(l[d]&&l[d].test&&l[d].test()){c=l[d].install(i);break}o.prototype.run=function(){var t=this.fun,e=this.array;switch(e.length){case 0:return t();case 1:return t(e[0]);case 2:return t(e[0],e[1]);case 3:return t(e[0],e[1],e[2]);default:return t.apply(null,e)}},t.exports=s},function(t,e,n){"use strict";(function(t){e.test=function(){return!t.setImmediate&&void 0!==t.MessageChannel},e.install=function(e){var n=new t.MessageChannel;return n.port1.onmessage=e,function(){n.port2.postMessage(0)}}}).call(e,n(3))},function(t,e,n){"use strict";(function(t){var n=t.MutationObserver||t.WebKitMutationObserver;e.test=function(){return n},e.install=function(e){var r=0,i=new n(e),o=t.document.createTextNode("");return i.observe(o,{characterData:!0}),function(){o.data=r=++r%2}}}).call(e,n(3))},function(t,e,n){"use strict";(function(t){e.test=function(){return void 0!==t&&!t.browser},e.install=function(e){return function(){t.nextTick(e)}}}).call(e,n(11))},function(t,e,n){"use strict";(function(t){e.test=function(){return"document"in t&&"onreadystatechange"in t.document.createElement("script")},e.install=function(e){return function(){var n=t.document.createElement("script");return n.onreadystatechange=function(){e(),n.onreadystatechange=null,n.parentNode.removeChild(n),n=null},t.document.documentElement.appendChild(n),e}}}).call(e,n(3))},function(t,e,n){"use strict";e.test=function(){return!0},e.install=function(t){return function(){setTimeout(t,0)}}},function(t,e){function n(t){if(t=String(t),!(t.length>1e4)){var e=/^((?:\d+)?\.?\d+) *(milliseconds?|msecs?|ms|seconds?|secs?|s|minutes?|mins?|m|hours?|hrs?|h|days?|d|years?|yrs?|y)?$/i.exec(t);if(e){var n=parseFloat(e[1]);switch((e[2]||"ms").toLowerCase()){case"years":case"year":case"yrs":case"yr":case"y":return n*l;case"days":case"day":case"d":return n*c;case"hours":case"hour":case"hrs":case"hr":case"h":return n*u;case"minutes":case"minute":case"mins":case"min":case"m":return n*a;case"seconds":case"second":case"secs":case"sec":case"s":return n*s;case"milliseconds":case"millisecond":case"msecs":case"msec":case"ms":return n;default:return}}}}function r(t){return t>=c?Math.round(t/c)+"d":t>=u?Math.round(t/u)+"h":t>=a?Math.round(t/a)+"m":t>=s?Math.round(t/s)+"s":t+"ms"}function i(t){return o(t,c,"day")||o(t,u,"hour")||o(t,a,"minute")||o(t,s,"second")||t+" ms"}function o(t,e,n){if(!(t<e))return t<1.5*e?Math.floor(t/e)+" "+n:Math.ceil(t/e)+" "+n+"s"}var s=1e3,a=60*s,u=60*a,c=24*u,l=365.25*c;t.exports=function(t,e){e=e||{};var o=typeof t;if("string"===o&&t.length>0)return n(t);if("number"===o&&!1===isNaN(t))return e.long?i(t):r(t);throw new Error("val is not a non-empty string or a valid number. val="+JSON.stringify(t))}},function(t,e,n){"use strict";var r=Object.prototype.hasOwnProperty,i=Object.prototype.toString,o=Array.prototype.slice,s=n(64),a=Object.prototype.propertyIsEnumerable,u=!a.call({toString:null},"toString"),c=a.call(function(){},"prototype"),l=["toString","toLocaleString","valueOf","hasOwnProperty","isPrototypeOf","propertyIsEnumerable","constructor"],h=function(t){var e=t.constructor;return e&&e.prototype===t},f={$console:!0,$external:!0,$frame:!0,$frameElement:!0,$frames:!0,$innerHeight:!0,$innerWidth:!0,$outerHeight:!0,$outerWidth:!0,$pageXOffset:!0,$pageYOffset:!0,$parent:!0,$scrollLeft:!0,$scrollTop:!0,$scrollX:!0,$scrollY:!0,$self:!0,$webkitIndexedDB:!0,$webkitStorageInfo:!0,$window:!0},p=function(){if("undefined"==typeof window)return!1;for(var t in window)try{if(!f["$"+t]&&r.call(window,t)&&null!==window[t]&&"object"==typeof window[t])try{h(window[t])}catch(t){return!0}}catch(t){return!0}return!1}(),d=function(t){if("undefined"==typeof window||!p)return h(t);try{return h(t)}catch(t){return!1}},g=function(t){var e=null!==t&&"object"==typeof t,n="[object Function]"===i.call(t),o=s(t),a=e&&"[object String]"===i.call(t),h=[];if(!e&&!n&&!o)throw new TypeError("Object.keys called on a non-object");var f=c&&n;if(a&&t.length>0&&!r.call(t,0))for(var p=0;p<t.length;++p)h.push(String(p));if(o&&t.length>0)for(var g=0;g<t.length;++g)h.push(String(g));else for(var m in t)f&&"prototype"===m||!r.call(t,m)||h.push(String(m));if(u)for(var v=d(t),y=0;y<l.length;++y)v&&"constructor"===l[y]||!r.call(t,l[y])||h.push(l[y]);return h};g.shim=function(){if(Object.keys){if(!function(){return 2===(Object.keys(arguments)||"").length}(1,2)){var t=Object.keys;Object.keys=function(e){return t(s(e)?o.call(e):e)}}}else Object.keys=g;return Object.keys||g},t.exports=g},function(t,e,n){"use strict";var r=Object.prototype.toString;t.exports=function(t){var e=r.call(t),n="[object Arguments]"===e;return n||(n="[object Array]"!==e&&null!==t&&"object"==typeof t&&"number"==typeof t.length&&t.length>=0&&"[object Function]"===r.call(t.callee)),n}},function(t,e,n){"use strict";function r(t,e){if(t.map)return t.map(e);for(var n=[],r=0;r<t.length;r++)n.push(e(t[r],r));return n}var i=function(t){switch(typeof t){case"string":return t;case"boolean":return t?"true":"false";case"number":return isFinite(t)?t:"";default:return""}};t.exports=function(t,e,n,a){return e=e||"&",n=n||"=",null===t&&(t=void 0),"object"==typeof t?r(s(t),function(s){var a=encodeURIComponent(i(s))+n;return o(t[s])?r(t[s],function(t){return a+encodeURIComponent(i(t))}).join(e):a+encodeURIComponent(i(t[s]))}).join(e):a?encodeURIComponent(i(a))+n+encodeURIComponent(i(t)):""};var o=Array.isArray||function(t){return"[object Array]"===Object.prototype.toString.call(t)},s=Object.keys||function(t){var e=[];for(var n in t)Object.prototype.hasOwnProperty.call(t,n)&&e.push(n);return e}},function(t,e,n){"use strict";function r(t){var e=function(){for(var e=arguments.length,n=Array(e),r=0;r<e;r++)n[r]=arguments[r];return new(i.apply(t,[null].concat(n)))};return e.__proto__=t,e.prototype=t.prototype,e}var i=Function.prototype.bind;t.exports=r},function(t,e){}])})},function(t,e){!function(e,n){var r=function(t,e){"use strict";if(e.getElementsByClassName){var n,r=e.documentElement,i=t.Date,o=t.HTMLPictureElement,s=t.addEventListener,a=t.setTimeout,u=t.requestAnimationFrame||a,c=t.requestIdleCallback,l=/^picture$/i,h=["load","error","lazyincluded","_lazyloaded"],f={},p=Array.prototype.forEach,d=function(t,e){return f[e]||(f[e]=new RegExp("(\\s|^)"+e+"(\\s|$)")),f[e].test(t.getAttribute("class")||"")&&f[e]},g=function(t,e){d(t,e)||t.setAttribute("class",(t.getAttribute("class")||"").trim()+" "+e)},m=function(t,e){var n;(n=d(t,e))&&t.setAttribute("class",(t.getAttribute("class")||"").replace(n," "))},v=function(t,e,n){var r=n?"addEventListener":"removeEventListener";n&&v(t,e),h.forEach(function(n){t[r](n,e)})},y=function(t,n,r,i,o){var s=e.createEvent("CustomEvent");return s.initCustomEvent(n,!i,!o,r||{}),t.dispatchEvent(s),s},b=function(e,r){var i;!o&&(i=t.picturefill||n.pf)?i({reevaluate:!0,elements:[e]}):r&&r.src&&(e.src=r.src)},w=function(t,e){return(getComputedStyle(t,null)||{})[e]},_=function(t,e,r){for(r=r||t.offsetWidth;r<n.minSize&&e&&!t._lazysizesWidth;)r=e.offsetWidth,e=e.parentNode;return r},x=function(){var t,n,r=[],i=[],o=r,s=function(){var e=o;for(o=r.length?i:r,t=!0,n=!1;e.length;)e.shift()();t=!1},c=function(r,i){t&&!i?r.apply(this,arguments):(o.push(r),n||(n=!0,(e.hidden?a:u)(s)))};return c._lsFlush=s,c}(),S=function(t,e){return e?function(){x(t)}:function(){var e=this,n=arguments;x(function(){t.apply(e,n)})}},C=function(t){var e,n=0,r=666,o=function(){e=!1,n=i.now(),t()},s=c?function(){c(o,{timeout:r}),666!==r&&(r=666)}:S(function(){a(o)},!0);return function(t){var o;(t=!0===t)&&(r=44),e||(e=!0,o=125-(i.now()-n),o<0&&(o=0),t||o<9&&c?s():a(s,o))}},A=function(t){var e,n,r=function(){e=null,t()},o=function(){var t=i.now()-n;t<99?a(o,99-t):(c||r)(r)};return function(){n=i.now(),e||(e=a(o,99))}},E=function(){var o,u,c,h,f,_,E,k,O,N,I,j,L,P,R,D=/^img$/i,$=/^iframe$/i,M="onscroll"in t&&!/glebot/.test(navigator.userAgent),q=0,H=0,F=-1,z=function(t){H--,t&&t.target&&v(t.target,z),(!t||H<0||!t.target)&&(H=0)},B=function(t,n){var i,o=t,s="hidden"==w(e.body,"visibility")||"hidden"!=w(t,"visibility");for(O-=n,j+=n,N-=n,I+=n;s&&(o=o.offsetParent)&&o!=e.body&&o!=r;)(s=(w(o,"opacity")||1)>0)&&"visible"!=w(o,"overflow")&&(i=o.getBoundingClientRect(),s=I>i.left&&N<i.right&&j>i.top-1&&O<i.bottom+1);return s},U=function(){var t,i,s,a,l,h,p,d,g;if((f=n.loadMode)&&H<8&&(t=o.length)){i=0,F++,null==P&&("expand"in n||(n.expand=r.clientHeight>500&&r.clientWidth>500?500:370),L=n.expand,P=L*n.expFactor),q<P&&H<1&&F>2&&f>2&&!e.hidden?(q=P,F=0):q=f>1&&F>1&&H<6?L:0;for(;i<t;i++)if(o[i]&&!o[i]._lazyRace)if(M)if((d=o[i].getAttribute("data-expand"))&&(h=1*d)||(h=q),g!==h&&(E=innerWidth+h*R,k=innerHeight+h,p=-1*h,g=h),s=o[i].getBoundingClientRect(),(j=s.bottom)>=p&&(O=s.top)<=k&&(I=s.right)>=p*R&&(N=s.left)<=E&&(j||I||N||O)&&(c&&H<3&&!d&&(f<3||F<4)||B(o[i],h))){if(Y(o[i]),l=!0,H>9)break}else!l&&c&&!a&&H<4&&F<4&&f>2&&(u[0]||n.preloadAfterLoad)&&(u[0]||!d&&(j||I||N||O||"auto"!=o[i].getAttribute(n.sizesAttr)))&&(a=u[0]||o[i]);else Y(o[i]);a&&!l&&Y(a)}},V=C(U),K=function(t){g(t.target,n.loadedClass),m(t.target,n.loadingClass),v(t.target,W)},J=S(K),W=function(t){J({target:t.target})},X=function(t,e){try{t.contentWindow.location.replace(e)}catch(n){t.src=e}},Q=function(t){var e,r,i=t.getAttribute(n.srcsetAttr);(e=n.customMedia[t.getAttribute("data-media")||t.getAttribute("media")])&&t.setAttribute("media",e),i&&t.setAttribute("srcset",i),e&&(r=t.parentNode,r.insertBefore(t.cloneNode(),t),r.removeChild(t))},G=S(function(t,e,r,i,o){var s,u,c,f,d,w;(d=y(t,"lazybeforeunveil",e)).defaultPrevented||(i&&(r?g(t,n.autosizesClass):t.setAttribute("sizes",i)),u=t.getAttribute(n.srcsetAttr),s=t.getAttribute(n.srcAttr),o&&(c=t.parentNode,f=c&&l.test(c.nodeName||"")),w=e.firesLoad||"src"in t&&(u||s||f),d={target:t},w&&(v(t,z,!0),clearTimeout(h),h=a(z,2500),g(t,n.loadingClass),v(t,W,!0)),f&&p.call(c.getElementsByTagName("source"),Q),u?t.setAttribute("srcset",u):s&&!f&&($.test(t.nodeName)?X(t,s):t.src=s),(u||f)&&b(t,{src:s})),t._lazyRace&&delete t._lazyRace,m(t,n.lazyClass),x(function(){(!w||t.complete&&t.naturalWidth>1)&&(w?z(d):H--,K(d))},!0)}),Y=function(t){var e,r=D.test(t.nodeName),i=r&&(t.getAttribute(n.sizesAttr)||t.getAttribute("sizes")),o="auto"==i;(!o&&c||!r||!t.src&&!t.srcset||t.complete||d(t,n.errorClass))&&(e=y(t,"lazyunveilread").detail,o&&T.updateElem(t,!0,t.offsetWidth),t._lazyRace=!0,H++,G(t,e,o,i,r))},Z=function(){if(!c){if(i.now()-_<999)return void a(Z,999);var t=A(function(){n.loadMode=3,V()});c=!0,n.loadMode=3,V(),s("scroll",function(){3==n.loadMode&&(n.loadMode=2),t()},!0)}};return{_:function(){_=i.now(),o=e.getElementsByClassName(n.lazyClass),u=e.getElementsByClassName(n.lazyClass+" "+n.preloadClass),R=n.hFac,s("scroll",V,!0),s("resize",V,!0),t.MutationObserver?new MutationObserver(V).observe(r,{childList:!0,subtree:!0,attributes:!0}):(r.addEventListener("DOMNodeInserted",V,!0),r.addEventListener("DOMAttrModified",V,!0),setInterval(V,999)),s("hashchange",V,!0),["focus","mouseover","click","load","transitionend","animationend","webkitAnimationEnd"].forEach(function(t){e.addEventListener(t,V,!0)}),/d$|^c/.test(e.readyState)?Z():(s("load",Z),e.addEventListener("DOMContentLoaded",V),a(Z,2e4)),o.length?(U(),x._lsFlush()):V()},checkElems:V,unveil:Y}}(),T=function(){var t,r=S(function(t,e,n,r){var i,o,s;if(t._lazysizesWidth=r,r+="px",t.setAttribute("sizes",r),l.test(e.nodeName||""))for(i=e.getElementsByTagName("source"),o=0,s=i.length;o<s;o++)i[o].setAttribute("sizes",r);n.detail.dataAttr||b(t,n.detail)}),i=function(t,e,n){var i,o=t.parentNode;o&&(n=_(t,o,n),i=y(t,"lazybeforesizes",{width:n,dataAttr:!!e}),i.defaultPrevented||(n=i.detail.width)&&n!==t._lazysizesWidth&&r(t,o,i,n))},o=function(){var e,n=t.length;if(n)for(e=0;e<n;e++)i(t[e])},a=A(o);return{_:function(){t=e.getElementsByClassName(n.autosizesClass),s("resize",a)},checkElems:a,updateElem:i}}(),k=function(){k.i||(k.i=!0,T._(),E._())};return function(){var e,r={lazyClass:"lazyload",loadedClass:"lazyloaded",loadingClass:"lazyloading",preloadClass:"lazypreload",errorClass:"lazyerror",autosizesClass:"lazyautosizes",srcAttr:"data-src",srcsetAttr:"data-srcset",sizesAttr:"data-sizes",minSize:40,customMedia:{},init:!0,expFactor:1.5,hFac:.8,loadMode:2};n=t.lazySizesConfig||t.lazysizesConfig||{};for(e in r)e in n||(n[e]=r[e]);t.lazySizesConfig=n,a(function(){n.init&&k()})}(),{cfg:n,autoSizer:T,loader:E,init:k,uP:b,aC:g,rC:m,hC:d,fire:y,gW:_,rAF:x}}}(e,e.document);e.lazySizes=r,"object"==typeof t&&t.exports&&(t.exports=r)}(window)},function(t,e){!function(t,e){"use strict";function n(t,n){if(!o[t]){var r=e.createElement(n?"link":"script"),i=e.getElementsByTagName("script")[0];n?(r.rel="stylesheet",r.href=t):r.src=t,o[t]=!0,o[r.src||r.href]=!0,i.parentNode.insertBefore(r,i)}}var r,i,o={};e.addEventListener&&(i=/\(|\)|\s|'/,r=function(t,n){var r=e.createElement("img");r.onload=function(){r.onload=null,r.onerror=null,r=null,n()},r.onerror=r.onload,r.src=t,r&&r.complete&&r.onload&&r.onload()},addEventListener("lazybeforeunveil",function(t){var e,o,s,a;t.defaultPrevented||("none"==t.target.preload&&(t.target.preload="auto"),e=t.target.getAttribute("data-link"),e&&n(e,!0),e=t.target.getAttribute("data-script"),e&&n(e),e=t.target.getAttribute("data-require"),e&&(lazySizes.cfg.requireJs?lazySizes.cfg.requireJs([e]):n(e)),s=t.target.getAttribute("data-bg"),s&&(t.detail.firesLoad=!0,o=function(){t.target.style.backgroundImage="url("+(i.test(s)?JSON.stringify(s):s)+")",t.detail.firesLoad=!1,lazySizes.fire(t.target,"_lazyloaded",{},!0,!0)},r(s,o)),(a=t.target.getAttribute("data-poster"))&&(t.detail.firesLoad=!0,o=function(){t.target.poster=a,t.detail.firesLoad=!1,lazySizes.fire(t.target,"_lazyloaded",{},!0,!0)},r(a,o)))},!1))}(window,document)},function(t,e,n){/**
++
++(function (global, factory) {
++     true ? module.exports = factory() :
++    typeof define === 'function' && define.amd ? define(factory) :
++    (global.ES6Promise = factory());
++}(this, (function () { 'use strict';
++
++function objectOrFunction(x) {
++  return typeof x === 'function' || typeof x === 'object' && x !== null;
++}
++
++function isFunction(x) {
++  return typeof x === 'function';
++}
++
++var _isArray = undefined;
++if (!Array.isArray) {
++  _isArray = function (x) {
++    return Object.prototype.toString.call(x) === '[object Array]';
++  };
++} else {
++  _isArray = Array.isArray;
++}
++
++var isArray = _isArray;
++
++var len = 0;
++var vertxNext = undefined;
++var customSchedulerFn = undefined;
++
++var asap = function asap(callback, arg) {
++  queue[len] = callback;
++  queue[len + 1] = arg;
++  len += 2;
++  if (len === 2) {
++    // If len is 2, that means that we need to schedule an async flush.
++    // If additional callbacks are queued before the queue is flushed, they
++    // will be processed by this flush that we are scheduling.
++    if (customSchedulerFn) {
++      customSchedulerFn(flush);
++    } else {
++      scheduleFlush();
++    }
++  }
++};
++
++function setScheduler(scheduleFn) {
++  customSchedulerFn = scheduleFn;
++}
++
++function setAsap(asapFn) {
++  asap = asapFn;
++}
++
++var browserWindow = typeof window !== 'undefined' ? window : undefined;
++var browserGlobal = browserWindow || {};
++var BrowserMutationObserver = browserGlobal.MutationObserver || browserGlobal.WebKitMutationObserver;
++var isNode = typeof self === 'undefined' && typeof process !== 'undefined' && ({}).toString.call(process) === '[object process]';
++
++// test for web worker but not in IE10
++var isWorker = typeof Uint8ClampedArray !== 'undefined' && typeof importScripts !== 'undefined' && typeof MessageChannel !== 'undefined';
++
++// node
++function useNextTick() {
++  // node version 0.10.x displays a deprecation warning when nextTick is used recursively
++  // see https://github.com/cujojs/when/issues/410 for details
++  return function () {
++    return process.nextTick(flush);
++  };
++}
++
++// vertx
++function useVertxTimer() {
++  if (typeof vertxNext !== 'undefined') {
++    return function () {
++      vertxNext(flush);
++    };
++  }
++
++  return useSetTimeout();
++}
++
++function useMutationObserver() {
++  var iterations = 0;
++  var observer = new BrowserMutationObserver(flush);
++  var node = document.createTextNode('');
++  observer.observe(node, { characterData: true });
++
++  return function () {
++    node.data = iterations = ++iterations % 2;
++  };
++}
++
++// web worker
++function useMessageChannel() {
++  var channel = new MessageChannel();
++  channel.port1.onmessage = flush;
++  return function () {
++    return channel.port2.postMessage(0);
++  };
++}
++
++function useSetTimeout() {
++  // Store setTimeout reference so es6-promise will be unaffected by
++  // other code modifying setTimeout (like sinon.useFakeTimers())
++  var globalSetTimeout = setTimeout;
++  return function () {
++    return globalSetTimeout(flush, 1);
++  };
++}
++
++var queue = new Array(1000);
++function flush() {
++  for (var i = 0; i < len; i += 2) {
++    var callback = queue[i];
++    var arg = queue[i + 1];
++
++    callback(arg);
++
++    queue[i] = undefined;
++    queue[i + 1] = undefined;
++  }
++
++  len = 0;
++}
++
++function attemptVertx() {
++  try {
++    var r = require;
++    var vertx = __webpack_require__(67);
++    vertxNext = vertx.runOnLoop || vertx.runOnContext;
++    return useVertxTimer();
++  } catch (e) {
++    return useSetTimeout();
++  }
++}
++
++var scheduleFlush = undefined;
++// Decide what async method to use to triggering processing of queued callbacks:
++if (isNode) {
++  scheduleFlush = useNextTick();
++} else if (BrowserMutationObserver) {
++  scheduleFlush = useMutationObserver();
++} else if (isWorker) {
++  scheduleFlush = useMessageChannel();
++} else if (browserWindow === undefined && "function" === 'function') {
++  scheduleFlush = attemptVertx();
++} else {
++  scheduleFlush = useSetTimeout();
++}
++
++function then(onFulfillment, onRejection) {
++  var _arguments = arguments;
++
++  var parent = this;
++
++  var child = new this.constructor(noop);
++
++  if (child[PROMISE_ID] === undefined) {
++    makePromise(child);
++  }
++
++  var _state = parent._state;
++
++  if (_state) {
++    (function () {
++      var callback = _arguments[_state - 1];
++      asap(function () {
++        return invokeCallback(_state, child, callback, parent._result);
++      });
++    })();
++  } else {
++    subscribe(parent, child, onFulfillment, onRejection);
++  }
++
++  return child;
++}
++
++/**
++  `Promise.resolve` returns a promise that will become resolved with the
++  passed `value`. It is shorthand for the following:
++
++  ```javascript
++  let promise = new Promise(function(resolve, reject){
++    resolve(1);
++  });
++
++  promise.then(function(value){
++    // value === 1
++  });
++  ```
++
++  Instead of writing the above, your code now simply becomes the following:
++
++  ```javascript
++  let promise = Promise.resolve(1);
++
++  promise.then(function(value){
++    // value === 1
++  });
++  ```
++
++  @method resolve
++  @static
++  @param {Any} value value that the returned promise will be resolved with
++  Useful for tooling.
++  @return {Promise} a promise that will become fulfilled with the given
++  `value`
++*/
++function resolve(object) {
++  /*jshint validthis:true */
++  var Constructor = this;
++
++  if (object && typeof object === 'object' && object.constructor === Constructor) {
++    return object;
++  }
++
++  var promise = new Constructor(noop);
++  _resolve(promise, object);
++  return promise;
++}
++
++var PROMISE_ID = Math.random().toString(36).substring(16);
++
++function noop() {}
++
++var PENDING = void 0;
++var FULFILLED = 1;
++var REJECTED = 2;
++
++var GET_THEN_ERROR = new ErrorObject();
++
++function selfFulfillment() {
++  return new TypeError("You cannot resolve a promise with itself");
++}
++
++function cannotReturnOwn() {
++  return new TypeError('A promises callback cannot return that same promise.');
++}
++
++function getThen(promise) {
++  try {
++    return promise.then;
++  } catch (error) {
++    GET_THEN_ERROR.error = error;
++    return GET_THEN_ERROR;
++  }
++}
++
++function tryThen(then, value, fulfillmentHandler, rejectionHandler) {
++  try {
++    then.call(value, fulfillmentHandler, rejectionHandler);
++  } catch (e) {
++    return e;
++  }
++}
++
++function handleForeignThenable(promise, thenable, then) {
++  asap(function (promise) {
++    var sealed = false;
++    var error = tryThen(then, thenable, function (value) {
++      if (sealed) {
++        return;
++      }
++      sealed = true;
++      if (thenable !== value) {
++        _resolve(promise, value);
++      } else {
++        fulfill(promise, value);
++      }
++    }, function (reason) {
++      if (sealed) {
++        return;
++      }
++      sealed = true;
++
++      _reject(promise, reason);
++    }, 'Settle: ' + (promise._label || ' unknown promise'));
++
++    if (!sealed && error) {
++      sealed = true;
++      _reject(promise, error);
++    }
++  }, promise);
++}
++
++function handleOwnThenable(promise, thenable) {
++  if (thenable._state === FULFILLED) {
++    fulfill(promise, thenable._result);
++  } else if (thenable._state === REJECTED) {
++    _reject(promise, thenable._result);
++  } else {
++    subscribe(thenable, undefined, function (value) {
++      return _resolve(promise, value);
++    }, function (reason) {
++      return _reject(promise, reason);
++    });
++  }
++}
++
++function handleMaybeThenable(promise, maybeThenable, then$$) {
++  if (maybeThenable.constructor === promise.constructor && then$$ === then && maybeThenable.constructor.resolve === resolve) {
++    handleOwnThenable(promise, maybeThenable);
++  } else {
++    if (then$$ === GET_THEN_ERROR) {
++      _reject(promise, GET_THEN_ERROR.error);
++    } else if (then$$ === undefined) {
++      fulfill(promise, maybeThenable);
++    } else if (isFunction(then$$)) {
++      handleForeignThenable(promise, maybeThenable, then$$);
++    } else {
++      fulfill(promise, maybeThenable);
++    }
++  }
++}
++
++function _resolve(promise, value) {
++  if (promise === value) {
++    _reject(promise, selfFulfillment());
++  } else if (objectOrFunction(value)) {
++    handleMaybeThenable(promise, value, getThen(value));
++  } else {
++    fulfill(promise, value);
++  }
++}
++
++function publishRejection(promise) {
++  if (promise._onerror) {
++    promise._onerror(promise._result);
++  }
++
++  publish(promise);
++}
++
++function fulfill(promise, value) {
++  if (promise._state !== PENDING) {
++    return;
++  }
++
++  promise._result = value;
++  promise._state = FULFILLED;
++
++  if (promise._subscribers.length !== 0) {
++    asap(publish, promise);
++  }
++}
++
++function _reject(promise, reason) {
++  if (promise._state !== PENDING) {
++    return;
++  }
++  promise._state = REJECTED;
++  promise._result = reason;
++
++  asap(publishRejection, promise);
++}
++
++function subscribe(parent, child, onFulfillment, onRejection) {
++  var _subscribers = parent._subscribers;
++  var length = _subscribers.length;
++
++  parent._onerror = null;
++
++  _subscribers[length] = child;
++  _subscribers[length + FULFILLED] = onFulfillment;
++  _subscribers[length + REJECTED] = onRejection;
++
++  if (length === 0 && parent._state) {
++    asap(publish, parent);
++  }
++}
++
++function publish(promise) {
++  var subscribers = promise._subscribers;
++  var settled = promise._state;
++
++  if (subscribers.length === 0) {
++    return;
++  }
++
++  var child = undefined,
++      callback = undefined,
++      detail = promise._result;
++
++  for (var i = 0; i < subscribers.length; i += 3) {
++    child = subscribers[i];
++    callback = subscribers[i + settled];
++
++    if (child) {
++      invokeCallback(settled, child, callback, detail);
++    } else {
++      callback(detail);
++    }
++  }
++
++  promise._subscribers.length = 0;
++}
++
++function ErrorObject() {
++  this.error = null;
++}
++
++var TRY_CATCH_ERROR = new ErrorObject();
++
++function tryCatch(callback, detail) {
++  try {
++    return callback(detail);
++  } catch (e) {
++    TRY_CATCH_ERROR.error = e;
++    return TRY_CATCH_ERROR;
++  }
++}
++
++function invokeCallback(settled, promise, callback, detail) {
++  var hasCallback = isFunction(callback),
++      value = undefined,
++      error = undefined,
++      succeeded = undefined,
++      failed = undefined;
++
++  if (hasCallback) {
++    value = tryCatch(callback, detail);
++
++    if (value === TRY_CATCH_ERROR) {
++      failed = true;
++      error = value.error;
++      value = null;
++    } else {
++      succeeded = true;
++    }
++
++    if (promise === value) {
++      _reject(promise, cannotReturnOwn());
++      return;
++    }
++  } else {
++    value = detail;
++    succeeded = true;
++  }
++
++  if (promise._state !== PENDING) {
++    // noop
++  } else if (hasCallback && succeeded) {
++      _resolve(promise, value);
++    } else if (failed) {
++      _reject(promise, error);
++    } else if (settled === FULFILLED) {
++      fulfill(promise, value);
++    } else if (settled === REJECTED) {
++      _reject(promise, value);
++    }
++}
++
++function initializePromise(promise, resolver) {
++  try {
++    resolver(function resolvePromise(value) {
++      _resolve(promise, value);
++    }, function rejectPromise(reason) {
++      _reject(promise, reason);
++    });
++  } catch (e) {
++    _reject(promise, e);
++  }
++}
++
++var id = 0;
++function nextId() {
++  return id++;
++}
++
++function makePromise(promise) {
++  promise[PROMISE_ID] = id++;
++  promise._state = undefined;
++  promise._result = undefined;
++  promise._subscribers = [];
++}
++
++function Enumerator(Constructor, input) {
++  this._instanceConstructor = Constructor;
++  this.promise = new Constructor(noop);
++
++  if (!this.promise[PROMISE_ID]) {
++    makePromise(this.promise);
++  }
++
++  if (isArray(input)) {
++    this._input = input;
++    this.length = input.length;
++    this._remaining = input.length;
++
++    this._result = new Array(this.length);
++
++    if (this.length === 0) {
++      fulfill(this.promise, this._result);
++    } else {
++      this.length = this.length || 0;
++      this._enumerate();
++      if (this._remaining === 0) {
++        fulfill(this.promise, this._result);
++      }
++    }
++  } else {
++    _reject(this.promise, validationError());
++  }
++}
++
++function validationError() {
++  return new Error('Array Methods must be provided an Array');
++};
++
++Enumerator.prototype._enumerate = function () {
++  var length = this.length;
++  var _input = this._input;
++
++  for (var i = 0; this._state === PENDING && i < length; i++) {
++    this._eachEntry(_input[i], i);
++  }
++};
++
++Enumerator.prototype._eachEntry = function (entry, i) {
++  var c = this._instanceConstructor;
++  var resolve$$ = c.resolve;
++
++  if (resolve$$ === resolve) {
++    var _then = getThen(entry);
++
++    if (_then === then && entry._state !== PENDING) {
++      this._settledAt(entry._state, i, entry._result);
++    } else if (typeof _then !== 'function') {
++      this._remaining--;
++      this._result[i] = entry;
++    } else if (c === Promise) {
++      var promise = new c(noop);
++      handleMaybeThenable(promise, entry, _then);
++      this._willSettleAt(promise, i);
++    } else {
++      this._willSettleAt(new c(function (resolve$$) {
++        return resolve$$(entry);
++      }), i);
++    }
++  } else {
++    this._willSettleAt(resolve$$(entry), i);
++  }
++};
++
++Enumerator.prototype._settledAt = function (state, i, value) {
++  var promise = this.promise;
++
++  if (promise._state === PENDING) {
++    this._remaining--;
++
++    if (state === REJECTED) {
++      _reject(promise, value);
++    } else {
++      this._result[i] = value;
++    }
++  }
++
++  if (this._remaining === 0) {
++    fulfill(promise, this._result);
++  }
++};
++
++Enumerator.prototype._willSettleAt = function (promise, i) {
++  var enumerator = this;
++
++  subscribe(promise, undefined, function (value) {
++    return enumerator._settledAt(FULFILLED, i, value);
++  }, function (reason) {
++    return enumerator._settledAt(REJECTED, i, reason);
++  });
++};
++
++/**
++  `Promise.all` accepts an array of promises, and returns a new promise which
++  is fulfilled with an array of fulfillment values for the passed promises, or
++  rejected with the reason of the first passed promise to be rejected. It casts all
++  elements of the passed iterable to promises as it runs this algorithm.
++
++  Example:
++
++  ```javascript
++  let promise1 = resolve(1);
++  let promise2 = resolve(2);
++  let promise3 = resolve(3);
++  let promises = [ promise1, promise2, promise3 ];
++
++  Promise.all(promises).then(function(array){
++    // The array here would be [ 1, 2, 3 ];
++  });
++  ```
++
++  If any of the `promises` given to `all` are rejected, the first promise
++  that is rejected will be given as an argument to the returned promises's
++  rejection handler. For example:
++
++  Example:
++
++  ```javascript
++  let promise1 = resolve(1);
++  let promise2 = reject(new Error("2"));
++  let promise3 = reject(new Error("3"));
++  let promises = [ promise1, promise2, promise3 ];
++
++  Promise.all(promises).then(function(array){
++    // Code here never runs because there are rejected promises!
++  }, function(error) {
++    // error.message === "2"
++  });
++  ```
++
++  @method all
++  @static
++  @param {Array} entries array of promises
++  @param {String} label optional string for labeling the promise.
++  Useful for tooling.
++  @return {Promise} promise that is fulfilled when all `promises` have been
++  fulfilled, or rejected if any of them become rejected.
++  @static
++*/
++function all(entries) {
++  return new Enumerator(this, entries).promise;
++}
++
++/**
++  `Promise.race` returns a new promise which is settled in the same way as the
++  first passed promise to settle.
++
++  Example:
++
++  ```javascript
++  let promise1 = new Promise(function(resolve, reject){
++    setTimeout(function(){
++      resolve('promise 1');
++    }, 200);
++  });
++
++  let promise2 = new Promise(function(resolve, reject){
++    setTimeout(function(){
++      resolve('promise 2');
++    }, 100);
++  });
++
++  Promise.race([promise1, promise2]).then(function(result){
++    // result === 'promise 2' because it was resolved before promise1
++    // was resolved.
++  });
++  ```
++
++  `Promise.race` is deterministic in that only the state of the first
++  settled promise matters. For example, even if other promises given to the
++  `promises` array argument are resolved, but the first settled promise has
++  become rejected before the other promises became fulfilled, the returned
++  promise will become rejected:
++
++  ```javascript
++  let promise1 = new Promise(function(resolve, reject){
++    setTimeout(function(){
++      resolve('promise 1');
++    }, 200);
++  });
++
++  let promise2 = new Promise(function(resolve, reject){
++    setTimeout(function(){
++      reject(new Error('promise 2'));
++    }, 100);
++  });
++
++  Promise.race([promise1, promise2]).then(function(result){
++    // Code here never runs
++  }, function(reason){
++    // reason.message === 'promise 2' because promise 2 became rejected before
++    // promise 1 became fulfilled
++  });
++  ```
++
++  An example real-world use case is implementing timeouts:
++
++  ```javascript
++  Promise.race([ajax('foo.json'), timeout(5000)])
++  ```
++
++  @method race
++  @static
++  @param {Array} promises array of promises to observe
++  Useful for tooling.
++  @return {Promise} a promise which settles in the same way as the first passed
++  promise to settle.
++*/
++function race(entries) {
++  /*jshint validthis:true */
++  var Constructor = this;
++
++  if (!isArray(entries)) {
++    return new Constructor(function (_, reject) {
++      return reject(new TypeError('You must pass an array to race.'));
++    });
++  } else {
++    return new Constructor(function (resolve, reject) {
++      var length = entries.length;
++      for (var i = 0; i < length; i++) {
++        Constructor.resolve(entries[i]).then(resolve, reject);
++      }
++    });
++  }
++}
++
++/**
++  `Promise.reject` returns a promise rejected with the passed `reason`.
++  It is shorthand for the following:
++
++  ```javascript
++  let promise = new Promise(function(resolve, reject){
++    reject(new Error('WHOOPS'));
++  });
++
++  promise.then(function(value){
++    // Code here doesn't run because the promise is rejected!
++  }, function(reason){
++    // reason.message === 'WHOOPS'
++  });
++  ```
++
++  Instead of writing the above, your code now simply becomes the following:
++
++  ```javascript
++  let promise = Promise.reject(new Error('WHOOPS'));
++
++  promise.then(function(value){
++    // Code here doesn't run because the promise is rejected!
++  }, function(reason){
++    // reason.message === 'WHOOPS'
++  });
++  ```
++
++  @method reject
++  @static
++  @param {Any} reason value that the returned promise will be rejected with.
++  Useful for tooling.
++  @return {Promise} a promise rejected with the given `reason`.
++*/
++function reject(reason) {
++  /*jshint validthis:true */
++  var Constructor = this;
++  var promise = new Constructor(noop);
++  _reject(promise, reason);
++  return promise;
++}
++
++function needsResolver() {
++  throw new TypeError('You must pass a resolver function as the first argument to the promise constructor');
++}
++
++function needsNew() {
++  throw new TypeError("Failed to construct 'Promise': Please use the 'new' operator, this object constructor cannot be called as a function.");
++}
++
++/**
++  Promise objects represent the eventual result of an asynchronous operation. The
++  primary way of interacting with a promise is through its `then` method, which
++  registers callbacks to receive either a promise's eventual value or the reason
++  why the promise cannot be fulfilled.
++
++  Terminology
++  -----------
++
++  - `promise` is an object or function with a `then` method whose behavior conforms to this specification.
++  - `thenable` is an object or function that defines a `then` method.
++  - `value` is any legal JavaScript value (including undefined, a thenable, or a promise).
++  - `exception` is a value that is thrown using the throw statement.
++  - `reason` is a value that indicates why a promise was rejected.
++  - `settled` the final resting state of a promise, fulfilled or rejected.
++
++  A promise can be in one of three states: pending, fulfilled, or rejected.
++
++  Promises that are fulfilled have a fulfillment value and are in the fulfilled
++  state.  Promises that are rejected have a rejection reason and are in the
++  rejected state.  A fulfillment value is never a thenable.
++
++  Promises can also be said to *resolve* a value.  If this value is also a
++  promise, then the original promise's settled state will match the value's
++  settled state.  So a promise that *resolves* a promise that rejects will
++  itself reject, and a promise that *resolves* a promise that fulfills will
++  itself fulfill.
++
++
++  Basic Usage:
++  ------------
++
++  ```js
++  let promise = new Promise(function(resolve, reject) {
++    // on success
++    resolve(value);
++
++    // on failure
++    reject(reason);
++  });
++
++  promise.then(function(value) {
++    // on fulfillment
++  }, function(reason) {
++    // on rejection
++  });
++  ```
++
++  Advanced Usage:
++  ---------------
++
++  Promises shine when abstracting away asynchronous interactions such as
++  `XMLHttpRequest`s.
++
++  ```js
++  function getJSON(url) {
++    return new Promise(function(resolve, reject){
++      let xhr = new XMLHttpRequest();
++
++      xhr.open('GET', url);
++      xhr.onreadystatechange = handler;
++      xhr.responseType = 'json';
++      xhr.setRequestHeader('Accept', 'application/json');
++      xhr.send();
++
++      function handler() {
++        if (this.readyState === this.DONE) {
++          if (this.status === 200) {
++            resolve(this.response);
++          } else {
++            reject(new Error('getJSON: `' + url + '` failed with status: [' + this.status + ']'));
++          }
++        }
++      };
++    });
++  }
++
++  getJSON('/posts.json').then(function(json) {
++    // on fulfillment
++  }, function(reason) {
++    // on rejection
++  });
++  ```
++
++  Unlike callbacks, promises are great composable primitives.
++
++  ```js
++  Promise.all([
++    getJSON('/posts'),
++    getJSON('/comments')
++  ]).then(function(values){
++    values[0] // => postsJSON
++    values[1] // => commentsJSON
++
++    return values;
++  });
++  ```
++
++  @class Promise
++  @param {function} resolver
++  Useful for tooling.
++  @constructor
++*/
++function Promise(resolver) {
++  this[PROMISE_ID] = nextId();
++  this._result = this._state = undefined;
++  this._subscribers = [];
++
++  if (noop !== resolver) {
++    typeof resolver !== 'function' && needsResolver();
++    this instanceof Promise ? initializePromise(this, resolver) : needsNew();
++  }
++}
++
++Promise.all = all;
++Promise.race = race;
++Promise.resolve = resolve;
++Promise.reject = reject;
++Promise._setScheduler = setScheduler;
++Promise._setAsap = setAsap;
++Promise._asap = asap;
++
++Promise.prototype = {
++  constructor: Promise,
++
++  /**
++    The primary way of interacting with a promise is through its `then` method,
++    which registers callbacks to receive either a promise's eventual value or the
++    reason why the promise cannot be fulfilled.
++  
++    ```js
++    findUser().then(function(user){
++      // user is available
++    }, function(reason){
++      // user is unavailable, and you are given the reason why
++    });
++    ```
++  
++    Chaining
++    --------
++  
++    The return value of `then` is itself a promise.  This second, 'downstream'
++    promise is resolved with the return value of the first promise's fulfillment
++    or rejection handler, or rejected if the handler throws an exception.
++  
++    ```js
++    findUser().then(function (user) {
++      return user.name;
++    }, function (reason) {
++      return 'default name';
++    }).then(function (userName) {
++      // If `findUser` fulfilled, `userName` will be the user's name, otherwise it
++      // will be `'default name'`
++    });
++  
++    findUser().then(function (user) {
++      throw new Error('Found user, but still unhappy');
++    }, function (reason) {
++      throw new Error('`findUser` rejected and we're unhappy');
++    }).then(function (value) {
++      // never reached
++    }, function (reason) {
++      // if `findUser` fulfilled, `reason` will be 'Found user, but still unhappy'.
++      // If `findUser` rejected, `reason` will be '`findUser` rejected and we're unhappy'.
++    });
++    ```
++    If the downstream promise does not specify a rejection handler, rejection reasons will be propagated further downstream.
++  
++    ```js
++    findUser().then(function (user) {
++      throw new PedagogicalException('Upstream error');
++    }).then(function (value) {
++      // never reached
++    }).then(function (value) {
++      // never reached
++    }, function (reason) {
++      // The `PedgagocialException` is propagated all the way down to here
++    });
++    ```
++  
++    Assimilation
++    ------------
++  
++    Sometimes the value you want to propagate to a downstream promise can only be
++    retrieved asynchronously. This can be achieved by returning a promise in the
++    fulfillment or rejection handler. The downstream promise will then be pending
++    until the returned promise is settled. This is called *assimilation*.
++  
++    ```js
++    findUser().then(function (user) {
++      return findCommentsByAuthor(user);
++    }).then(function (comments) {
++      // The user's comments are now available
++    });
++    ```
++  
++    If the assimliated promise rejects, then the downstream promise will also reject.
++  
++    ```js
++    findUser().then(function (user) {
++      return findCommentsByAuthor(user);
++    }).then(function (comments) {
++      // If `findCommentsByAuthor` fulfills, we'll have the value here
++    }, function (reason) {
++      // If `findCommentsByAuthor` rejects, we'll have the reason here
++    });
++    ```
++  
++    Simple Example
++    --------------
++  
++    Synchronous Example
++  
++    ```javascript
++    let result;
++  
++    try {
++      result = findResult();
++      // success
++    } catch(reason) {
++      // failure
++    }
++    ```
++  
++    Errback Example
++  
++    ```js
++    findResult(function(result, err){
++      if (err) {
++        // failure
++      } else {
++        // success
++      }
++    });
++    ```
++  
++    Promise Example;
++  
++    ```javascript
++    findResult().then(function(result){
++      // success
++    }, function(reason){
++      // failure
++    });
++    ```
++  
++    Advanced Example
++    --------------
++  
++    Synchronous Example
++  
++    ```javascript
++    let author, books;
++  
++    try {
++      author = findAuthor();
++      books  = findBooksByAuthor(author);
++      // success
++    } catch(reason) {
++      // failure
++    }
++    ```
++  
++    Errback Example
++  
++    ```js
++  
++    function foundBooks(books) {
++  
++    }
++  
++    function failure(reason) {
++  
++    }
++  
++    findAuthor(function(author, err){
++      if (err) {
++        failure(err);
++        // failure
++      } else {
++        try {
++          findBoooksByAuthor(author, function(books, err) {
++            if (err) {
++              failure(err);
++            } else {
++              try {
++                foundBooks(books);
++              } catch(reason) {
++                failure(reason);
++              }
++            }
++          });
++        } catch(error) {
++          failure(err);
++        }
++        // success
++      }
++    });
++    ```
++  
++    Promise Example;
++  
++    ```javascript
++    findAuthor().
++      then(findBooksByAuthor).
++      then(function(books){
++        // found books
++    }).catch(function(reason){
++      // something went wrong
++    });
++    ```
++  
++    @method then
++    @param {Function} onFulfilled
++    @param {Function} onRejected
++    Useful for tooling.
++    @return {Promise}
++  */
++  then: then,
++
++  /**
++    `catch` is simply sugar for `then(undefined, onRejection)` which makes it the same
++    as the catch block of a try/catch statement.
++  
++    ```js
++    function findAuthor(){
++      throw new Error('couldn't find that author');
++    }
++  
++    // synchronous
++    try {
++      findAuthor();
++    } catch(reason) {
++      // something went wrong
++    }
++  
++    // async with promises
++    findAuthor().catch(function(reason){
++      // something went wrong
++    });
++    ```
++  
++    @method catch
++    @param {Function} onRejection
++    Useful for tooling.
++    @return {Promise}
++  */
++  'catch': function _catch(onRejection) {
++    return this.then(null, onRejection);
++  }
++};
++
++function polyfill() {
++    var local = undefined;
++
++    if (typeof global !== 'undefined') {
++        local = global;
++    } else if (typeof self !== 'undefined') {
++        local = self;
++    } else {
++        try {
++            local = Function('return this')();
++        } catch (e) {
++            throw new Error('polyfill failed because global object is unavailable in this environment');
++        }
++    }
++
++    var P = local.Promise;
++
++    if (P) {
++        var promiseToString = null;
++        try {
++            promiseToString = Object.prototype.toString.call(P.resolve());
++        } catch (e) {
++            // silently ignored
++        }
++
++        if (promiseToString === '[object Promise]' && !P.cast) {
++            return;
++        }
++    }
++
++    local.Promise = Promise;
++}
++
++// Strange compat..
++Promise.polyfill = polyfill;
++Promise.Promise = Promise;
++
++return Promise;
++
++})));
++//# sourceMappingURL=es6-promise.map
++/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(11), __webpack_require__(3)))
++
++/***/ }),
++/* 52 */
++/***/ (function(module, exports, __webpack_require__) {
++
++/* WEBPACK VAR INJECTION */(function(global) {if (typeof window !== "undefined") {
++    module.exports = window;
++} else if (typeof global !== "undefined") {
++    module.exports = global;
++} else if (typeof self !== "undefined"){
++    module.exports = self;
++} else {
++    module.exports = {};
++}
++
++/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(3)))
++
++/***/ }),
++/* 53 */
++/***/ (function(module, exports, __webpack_require__) {
++
++/*
++ *  Copyright 2011 Twitter, Inc.
++ *  Licensed under the Apache License, Version 2.0 (the "License");
++ *  you may not use this file except in compliance with the License.
++ *  You may obtain a copy of the License at
++ *
++ *  http://www.apache.org/licenses/LICENSE-2.0
++ *
++ *  Unless required by applicable law or agreed to in writing, software
++ *  distributed under the License is distributed on an "AS IS" BASIS,
++ *  WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
++ *  See the License for the specific language governing permissions and
++ *  limitations under the License.
++ */
++
++(function (Hogan) {
++  // Setup regex  assignments
++  // remove whitespace according to Mustache spec
++  var rIsWhitespace = /\S/,
++      rQuot = /\"/g,
++      rNewline =  /\n/g,
++      rCr = /\r/g,
++      rSlash = /\\/g,
++      rLineSep = /\u2028/,
++      rParagraphSep = /\u2029/;
++
++  Hogan.tags = {
++    '#': 1, '^': 2, '<': 3, '$': 4,
++    '/': 5, '!': 6, '>': 7, '=': 8, '_v': 9,
++    '{': 10, '&': 11, '_t': 12
++  };
++
++  Hogan.scan = function scan(text, delimiters) {
++    var len = text.length,
++        IN_TEXT = 0,
++        IN_TAG_TYPE = 1,
++        IN_TAG = 2,
++        state = IN_TEXT,
++        tagType = null,
++        tag = null,
++        buf = '',
++        tokens = [],
++        seenTag = false,
++        i = 0,
++        lineStart = 0,
++        otag = '{{',
++        ctag = '}}';
++
++    function addBuf() {
++      if (buf.length > 0) {
++        tokens.push({tag: '_t', text: new String(buf)});
++        buf = '';
++      }
++    }
++
++    function lineIsWhitespace() {
++      var isAllWhitespace = true;
++      for (var j = lineStart; j < tokens.length; j++) {
++        isAllWhitespace =
++          (Hogan.tags[tokens[j].tag] < Hogan.tags['_v']) ||
++          (tokens[j].tag == '_t' && tokens[j].text.match(rIsWhitespace) === null);
++        if (!isAllWhitespace) {
++          return false;
++        }
++      }
++
++      return isAllWhitespace;
++    }
++
++    function filterLine(haveSeenTag, noNewLine) {
++      addBuf();
++
++      if (haveSeenTag && lineIsWhitespace()) {
++        for (var j = lineStart, next; j < tokens.length; j++) {
++          if (tokens[j].text) {
++            if ((next = tokens[j+1]) && next.tag == '>') {
++              // set indent to token value
++              next.indent = tokens[j].text.toString()
++            }
++            tokens.splice(j, 1);
++          }
++        }
++      } else if (!noNewLine) {
++        tokens.push({tag:'\n'});
++      }
++
++      seenTag = false;
++      lineStart = tokens.length;
++    }
++
++    function changeDelimiters(text, index) {
++      var close = '=' + ctag,
++          closeIndex = text.indexOf(close, index),
++          delimiters = trim(
++            text.substring(text.indexOf('=', index) + 1, closeIndex)
++          ).split(' ');
++
++      otag = delimiters[0];
++      ctag = delimiters[delimiters.length - 1];
++
++      return closeIndex + close.length - 1;
++    }
++
++    if (delimiters) {
++      delimiters = delimiters.split(' ');
++      otag = delimiters[0];
++      ctag = delimiters[1];
++    }
++
++    for (i = 0; i < len; i++) {
++      if (state == IN_TEXT) {
++        if (tagChange(otag, text, i)) {
++          --i;
++          addBuf();
++          state = IN_TAG_TYPE;
++        } else {
++          if (text.charAt(i) == '\n') {
++            filterLine(seenTag);
++          } else {
++            buf += text.charAt(i);
++          }
++        }
++      } else if (state == IN_TAG_TYPE) {
++        i += otag.length - 1;
++        tag = Hogan.tags[text.charAt(i + 1)];
++        tagType = tag ? text.charAt(i + 1) : '_v';
++        if (tagType == '=') {
++          i = changeDelimiters(text, i);
++          state = IN_TEXT;
++        } else {
++          if (tag) {
++            i++;
++          }
++          state = IN_TAG;
++        }
++        seenTag = i;
++      } else {
++        if (tagChange(ctag, text, i)) {
++          tokens.push({tag: tagType, n: trim(buf), otag: otag, ctag: ctag,
++                       i: (tagType == '/') ? seenTag - otag.length : i + ctag.length});
++          buf = '';
++          i += ctag.length - 1;
++          state = IN_TEXT;
++          if (tagType == '{') {
++            if (ctag == '}}') {
++              i++;
++            } else {
++              cleanTripleStache(tokens[tokens.length - 1]);
++            }
++          }
++        } else {
++          buf += text.charAt(i);
++        }
++      }
++    }
++
++    filterLine(seenTag, true);
++
++    return tokens;
++  }
++
++  function cleanTripleStache(token) {
++    if (token.n.substr(token.n.length - 1) === '}') {
++      token.n = token.n.substring(0, token.n.length - 1);
++    }
++  }
++
++  function trim(s) {
++    if (s.trim) {
++      return s.trim();
++    }
++
++    return s.replace(/^\s*|\s*$/g, '');
++  }
++
++  function tagChange(tag, text, index) {
++    if (text.charAt(index) != tag.charAt(0)) {
++      return false;
++    }
++
++    for (var i = 1, l = tag.length; i < l; i++) {
++      if (text.charAt(index + i) != tag.charAt(i)) {
++        return false;
++      }
++    }
++
++    return true;
++  }
++
++  // the tags allowed inside super templates
++  var allowedInSuper = {'_t': true, '\n': true, '$': true, '/': true};
++
++  function buildTree(tokens, kind, stack, customTags) {
++    var instructions = [],
++        opener = null,
++        tail = null,
++        token = null;
++
++    tail = stack[stack.length - 1];
++
++    while (tokens.length > 0) {
++      token = tokens.shift();
++
++      if (tail && tail.tag == '<' && !(token.tag in allowedInSuper)) {
++        throw new Error('Illegal content in < super tag.');
++      }
++
++      if (Hogan.tags[token.tag] <= Hogan.tags['$'] || isOpener(token, customTags)) {
++        stack.push(token);
++        token.nodes = buildTree(tokens, token.tag, stack, customTags);
++      } else if (token.tag == '/') {
++        if (stack.length === 0) {
++          throw new Error('Closing tag without opener: /' + token.n);
++        }
++        opener = stack.pop();
++        if (token.n != opener.n && !isCloser(token.n, opener.n, customTags)) {
++          throw new Error('Nesting error: ' + opener.n + ' vs. ' + token.n);
++        }
++        opener.end = token.i;
++        return instructions;
++      } else if (token.tag == '\n') {
++        token.last = (tokens.length == 0) || (tokens[0].tag == '\n');
++      }
++
++      instructions.push(token);
++    }
++
++    if (stack.length > 0) {
++      throw new Error('missing closing tag: ' + stack.pop().n);
++    }
++
++    return instructions;
++  }
++
++  function isOpener(token, tags) {
++    for (var i = 0, l = tags.length; i < l; i++) {
++      if (tags[i].o == token.n) {
++        token.tag = '#';
++        return true;
++      }
++    }
++  }
++
++  function isCloser(close, open, tags) {
++    for (var i = 0, l = tags.length; i < l; i++) {
++      if (tags[i].c == close && tags[i].o == open) {
++        return true;
++      }
++    }
++  }
++
++  function stringifySubstitutions(obj) {
++    var items = [];
++    for (var key in obj) {
++      items.push('"' + esc(key) + '": function(c,p,t,i) {' + obj[key] + '}');
++    }
++    return "{ " + items.join(",") + " }";
++  }
++
++  function stringifyPartials(codeObj) {
++    var partials = [];
++    for (var key in codeObj.partials) {
++      partials.push('"' + esc(key) + '":{name:"' + esc(codeObj.partials[key].name) + '", ' + stringifyPartials(codeObj.partials[key]) + "}");
++    }
++    return "partials: {" + partials.join(",") + "}, subs: " + stringifySubstitutions(codeObj.subs);
++  }
++
++  Hogan.stringify = function(codeObj, text, options) {
++    return "{code: function (c,p,i) { " + Hogan.wrapMain(codeObj.code) + " }," + stringifyPartials(codeObj) +  "}";
++  }
++
++  var serialNo = 0;
++  Hogan.generate = function(tree, text, options) {
++    serialNo = 0;
++    var context = { code: '', subs: {}, partials: {} };
++    Hogan.walk(tree, context);
++
++    if (options.asString) {
++      return this.stringify(context, text, options);
++    }
++
++    return this.makeTemplate(context, text, options);
++  }
++
++  Hogan.wrapMain = function(code) {
++    return 'var t=this;t.b(i=i||"");' + code + 'return t.fl();';
++  }
++
++  Hogan.template = Hogan.Template;
++
++  Hogan.makeTemplate = function(codeObj, text, options) {
++    var template = this.makePartials(codeObj);
++    template.code = new Function('c', 'p', 'i', this.wrapMain(codeObj.code));
++    return new this.template(template, text, this, options);
++  }
++
++  Hogan.makePartials = function(codeObj) {
++    var key, template = {subs: {}, partials: codeObj.partials, name: codeObj.name};
++    for (key in template.partials) {
++      template.partials[key] = this.makePartials(template.partials[key]);
++    }
++    for (key in codeObj.subs) {
++      template.subs[key] = new Function('c', 'p', 't', 'i', codeObj.subs[key]);
++    }
++    return template;
++  }
++
++  function esc(s) {
++    return s.replace(rSlash, '\\\\')
++            .replace(rQuot, '\\\"')
++            .replace(rNewline, '\\n')
++            .replace(rCr, '\\r')
++            .replace(rLineSep, '\\u2028')
++            .replace(rParagraphSep, '\\u2029');
++  }
++
++  function chooseMethod(s) {
++    return (~s.indexOf('.')) ? 'd' : 'f';
++  }
++
++  function createPartial(node, context) {
++    var prefix = "<" + (context.prefix || "");
++    var sym = prefix + node.n + serialNo++;
++    context.partials[sym] = {name: node.n, partials: {}};
++    context.code += 't.b(t.rp("' +  esc(sym) + '",c,p,"' + (node.indent || '') + '"));';
++    return sym;
++  }
++
++  Hogan.codegen = {
++    '#': function(node, context) {
++      context.code += 'if(t.s(t.' + chooseMethod(node.n) + '("' + esc(node.n) + '",c,p,1),' +
++                      'c,p,0,' + node.i + ',' + node.end + ',"' + node.otag + " " + node.ctag + '")){' +
++                      't.rs(c,p,' + 'function(c,p,t){';
++      Hogan.walk(node.nodes, context);
++      context.code += '});c.pop();}';
++    },
++
++    '^': function(node, context) {
++      context.code += 'if(!t.s(t.' + chooseMethod(node.n) + '("' + esc(node.n) + '",c,p,1),c,p,1,0,0,"")){';
++      Hogan.walk(node.nodes, context);
++      context.code += '};';
++    },
++
++    '>': createPartial,
++    '<': function(node, context) {
++      var ctx = {partials: {}, code: '', subs: {}, inPartial: true};
++      Hogan.walk(node.nodes, ctx);
++      var template = context.partials[createPartial(node, context)];
++      template.subs = ctx.subs;
++      template.partials = ctx.partials;
++    },
++
++    '$': function(node, context) {
++      var ctx = {subs: {}, code: '', partials: context.partials, prefix: node.n};
++      Hogan.walk(node.nodes, ctx);
++      context.subs[node.n] = ctx.code;
++      if (!context.inPartial) {
++        context.code += 't.sub("' + esc(node.n) + '",c,p,i);';
++      }
++    },
++
++    '\n': function(node, context) {
++      context.code += write('"\\n"' + (node.last ? '' : ' + i'));
++    },
++
++    '_v': function(node, context) {
++      context.code += 't.b(t.v(t.' + chooseMethod(node.n) + '("' + esc(node.n) + '",c,p,0)));';
++    },
++
++    '_t': function(node, context) {
++      context.code += write('"' + esc(node.text) + '"');
++    },
++
++    '{': tripleStache,
++
++    '&': tripleStache
++  }
++
++  function tripleStache(node, context) {
++    context.code += 't.b(t.t(t.' + chooseMethod(node.n) + '("' + esc(node.n) + '",c,p,0)));';
++  }
++
++  function write(s) {
++    return 't.b(' + s + ');';
++  }
++
++  Hogan.walk = function(nodelist, context) {
++    var func;
++    for (var i = 0, l = nodelist.length; i < l; i++) {
++      func = Hogan.codegen[nodelist[i].tag];
++      func && func(nodelist[i], context);
++    }
++    return context;
++  }
++
++  Hogan.parse = function(tokens, text, options) {
++    options = options || {};
++    return buildTree(tokens, '', [], options.sectionTags || []);
++  }
++
++  Hogan.cache = {};
++
++  Hogan.cacheKey = function(text, options) {
++    return [text, !!options.asString, !!options.disableLambda, options.delimiters, !!options.modelGet].join('||');
++  }
++
++  Hogan.compile = function(text, options) {
++    options = options || {};
++    var key = Hogan.cacheKey(text, options);
++    var template = this.cache[key];
++
++    if (template) {
++      var partials = template.partials;
++      for (var name in partials) {
++        delete partials[name].instance;
++      }
++      return template;
++    }
++
++    template = this.generate(this.parse(this.scan(text, options.delimiters), text, options), text, options);
++    return this.cache[key] = template;
++  }
++})( true ? exports : Hogan);
++
++
++/***/ }),
++/* 54 */
++/***/ (function(module, exports, __webpack_require__) {
++
++/*
++ *  Copyright 2011 Twitter, Inc.
++ *  Licensed under the Apache License, Version 2.0 (the "License");
++ *  you may not use this file except in compliance with the License.
++ *  You may obtain a copy of the License at
++ *
++ *  http://www.apache.org/licenses/LICENSE-2.0
++ *
++ *  Unless required by applicable law or agreed to in writing, software
++ *  distributed under the License is distributed on an "AS IS" BASIS,
++ *  WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
++ *  See the License for the specific language governing permissions and
++ *  limitations under the License.
++ */
++
++// This file is for use with Node.js. See dist/ for browser files.
++
++var Hogan = __webpack_require__(53);
++Hogan.Template = __webpack_require__(55).Template;
++Hogan.template = Hogan.Template;
++module.exports = Hogan;
++
++
++/***/ }),
++/* 55 */
++/***/ (function(module, exports, __webpack_require__) {
++
++/*
++ *  Copyright 2011 Twitter, Inc.
++ *  Licensed under the Apache License, Version 2.0 (the "License");
++ *  you may not use this file except in compliance with the License.
++ *  You may obtain a copy of the License at
++ *
++ *  http://www.apache.org/licenses/LICENSE-2.0
++ *
++ *  Unless required by applicable law or agreed to in writing, software
++ *  distributed under the License is distributed on an "AS IS" BASIS,
++ *  WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
++ *  See the License for the specific language governing permissions and
++ *  limitations under the License.
++ */
++
++var Hogan = {};
++
++(function (Hogan) {
++  Hogan.Template = function (codeObj, text, compiler, options) {
++    codeObj = codeObj || {};
++    this.r = codeObj.code || this.r;
++    this.c = compiler;
++    this.options = options || {};
++    this.text = text || '';
++    this.partials = codeObj.partials || {};
++    this.subs = codeObj.subs || {};
++    this.buf = '';
++  }
++
++  Hogan.Template.prototype = {
++    // render: replaced by generated code.
++    r: function (context, partials, indent) { return ''; },
++
++    // variable escaping
++    v: hoganEscape,
++
++    // triple stache
++    t: coerceToString,
++
++    render: function render(context, partials, indent) {
++      return this.ri([context], partials || {}, indent);
++    },
++
++    // render internal -- a hook for overrides that catches partials too
++    ri: function (context, partials, indent) {
++      return this.r(context, partials, indent);
++    },
++
++    // ensurePartial
++    ep: function(symbol, partials) {
++      var partial = this.partials[symbol];
++
++      // check to see that if we've instantiated this partial before
++      var template = partials[partial.name];
++      if (partial.instance && partial.base == template) {
++        return partial.instance;
++      }
++
++      if (typeof template == 'string') {
++        if (!this.c) {
++          throw new Error("No compiler available.");
++        }
++        template = this.c.compile(template, this.options);
++      }
++
++      if (!template) {
++        return null;
++      }
++
++      // We use this to check whether the partials dictionary has changed
++      this.partials[symbol].base = template;
++
++      if (partial.subs) {
++        // Make sure we consider parent template now
++        if (!partials.stackText) partials.stackText = {};
++        for (key in partial.subs) {
++          if (!partials.stackText[key]) {
++            partials.stackText[key] = (this.activeSub !== undefined && partials.stackText[this.activeSub]) ? partials.stackText[this.activeSub] : this.text;
++          }
++        }
++        template = createSpecializedPartial(template, partial.subs, partial.partials,
++          this.stackSubs, this.stackPartials, partials.stackText);
++      }
++      this.partials[symbol].instance = template;
++
++      return template;
++    },
++
++    // tries to find a partial in the current scope and render it
++    rp: function(symbol, context, partials, indent) {
++      var partial = this.ep(symbol, partials);
++      if (!partial) {
++        return '';
++      }
++
++      return partial.ri(context, partials, indent);
++    },
++
++    // render a section
++    rs: function(context, partials, section) {
++      var tail = context[context.length - 1];
++
++      if (!isArray(tail)) {
++        section(context, partials, this);
++        return;
++      }
++
++      for (var i = 0; i < tail.length; i++) {
++        context.push(tail[i]);
++        section(context, partials, this);
++        context.pop();
++      }
++    },
++
++    // maybe start a section
++    s: function(val, ctx, partials, inverted, start, end, tags) {
++      var pass;
++
++      if (isArray(val) && val.length === 0) {
++        return false;
++      }
++
++      if (typeof val == 'function') {
++        val = this.ms(val, ctx, partials, inverted, start, end, tags);
++      }
++
++      pass = !!val;
++
++      if (!inverted && pass && ctx) {
++        ctx.push((typeof val == 'object') ? val : ctx[ctx.length - 1]);
++      }
++
++      return pass;
++    },
++
++    // find values with dotted names
++    d: function(key, ctx, partials, returnFound) {
++      var found,
++          names = key.split('.'),
++          val = this.f(names[0], ctx, partials, returnFound),
++          doModelGet = this.options.modelGet,
++          cx = null;
++
++      if (key === '.' && isArray(ctx[ctx.length - 2])) {
++        val = ctx[ctx.length - 1];
++      } else {
++        for (var i = 1; i < names.length; i++) {
++          found = findInScope(names[i], val, doModelGet);
++          if (found !== undefined) {
++            cx = val;
++            val = found;
++          } else {
++            val = '';
++          }
++        }
++      }
++
++      if (returnFound && !val) {
++        return false;
++      }
++
++      if (!returnFound && typeof val == 'function') {
++        ctx.push(cx);
++        val = this.mv(val, ctx, partials);
++        ctx.pop();
++      }
++
++      return val;
++    },
++
++    // find values with normal names
++    f: function(key, ctx, partials, returnFound) {
++      var val = false,
++          v = null,
++          found = false,
++          doModelGet = this.options.modelGet;
++
++      for (var i = ctx.length - 1; i >= 0; i--) {
++        v = ctx[i];
++        val = findInScope(key, v, doModelGet);
++        if (val !== undefined) {
++          found = true;
++          break;
++        }
++      }
++
++      if (!found) {
++        return (returnFound) ? false : "";
++      }
++
++      if (!returnFound && typeof val == 'function') {
++        val = this.mv(val, ctx, partials);
++      }
++
++      return val;
++    },
++
++    // higher order templates
++    ls: function(func, cx, partials, text, tags) {
++      var oldTags = this.options.delimiters;
++
++      this.options.delimiters = tags;
++      this.b(this.ct(coerceToString(func.call(cx, text)), cx, partials));
++      this.options.delimiters = oldTags;
++
++      return false;
++    },
++
++    // compile text
++    ct: function(text, cx, partials) {
++      if (this.options.disableLambda) {
++        throw new Error('Lambda features disabled.');
++      }
++      return this.c.compile(text, this.options).render(cx, partials);
++    },
++
++    // template result buffering
++    b: function(s) { this.buf += s; },
++
++    fl: function() { var r = this.buf; this.buf = ''; return r; },
++
++    // method replace section
++    ms: function(func, ctx, partials, inverted, start, end, tags) {
++      var textSource,
++          cx = ctx[ctx.length - 1],
++          result = func.call(cx);
++
++      if (typeof result == 'function') {
++        if (inverted) {
++          return true;
++        } else {
++          textSource = (this.activeSub && this.subsText && this.subsText[this.activeSub]) ? this.subsText[this.activeSub] : this.text;
++          return this.ls(result, cx, partials, textSource.substring(start, end), tags);
++        }
++      }
++
++      return result;
++    },
++
++    // method replace variable
++    mv: function(func, ctx, partials) {
++      var cx = ctx[ctx.length - 1];
++      var result = func.call(cx);
++
++      if (typeof result == 'function') {
++        return this.ct(coerceToString(result.call(cx)), cx, partials);
++      }
++
++      return result;
++    },
++
++    sub: function(name, context, partials, indent) {
++      var f = this.subs[name];
++      if (f) {
++        this.activeSub = name;
++        f(context, partials, this, indent);
++        this.activeSub = false;
++      }
++    }
++
++  };
++
++  //Find a key in an object
++  function findInScope(key, scope, doModelGet) {
++    var val;
++
++    if (scope && typeof scope == 'object') {
++
++      if (scope[key] !== undefined) {
++        val = scope[key];
++
++      // try lookup with get for backbone or similar model data
++      } else if (doModelGet && scope.get && typeof scope.get == 'function') {
++        val = scope.get(key);
++      }
++    }
++
++    return val;
++  }
++
++  function createSpecializedPartial(instance, subs, partials, stackSubs, stackPartials, stackText) {
++    function PartialTemplate() {};
++    PartialTemplate.prototype = instance;
++    function Substitutions() {};
++    Substitutions.prototype = instance.subs;
++    var key;
++    var partial = new PartialTemplate();
++    partial.subs = new Substitutions();
++    partial.subsText = {};  //hehe. substext.
++    partial.buf = '';
++
++    stackSubs = stackSubs || {};
++    partial.stackSubs = stackSubs;
++    partial.subsText = stackText;
++    for (key in subs) {
++      if (!stackSubs[key]) stackSubs[key] = subs[key];
++    }
++    for (key in stackSubs) {
++      partial.subs[key] = stackSubs[key];
++    }
++
++    stackPartials = stackPartials || {};
++    partial.stackPartials = stackPartials;
++    for (key in partials) {
++      if (!stackPartials[key]) stackPartials[key] = partials[key];
++    }
++    for (key in stackPartials) {
++      partial.partials[key] = stackPartials[key];
++    }
++
++    return partial;
++  }
++
++  var rAmp = /&/g,
++      rLt = /</g,
++      rGt = />/g,
++      rApos = /\'/g,
++      rQuot = /\"/g,
++      hChars = /[&<>\"\']/;
++
++  function coerceToString(val) {
++    return String((val === null || val === undefined) ? '' : val);
++  }
++
++  function hoganEscape(str) {
++    str = coerceToString(str);
++    return hChars.test(str) ?
++      str
++        .replace(rAmp, '&amp;')
++        .replace(rLt, '&lt;')
++        .replace(rGt, '&gt;')
++        .replace(rApos, '&#39;')
++        .replace(rQuot, '&quot;') :
++      str;
++  }
++
++  var isArray = Array.isArray || function(a) {
++    return Object.prototype.toString.call(a) === '[object Array]';
++  };
++
++})( true ? exports : Hogan);
++
++
++/***/ }),
++/* 56 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++var types = [
++  __webpack_require__(59),
++  __webpack_require__(58),
++  __webpack_require__(57),
++  __webpack_require__(60),
++  __webpack_require__(61)
++];
++var draining;
++var currentQueue;
++var queueIndex = -1;
++var queue = [];
++var scheduled = false;
++function cleanUpNextTick() {
++  if (!draining || !currentQueue) {
++    return;
++  }
++  draining = false;
++  if (currentQueue.length) {
++    queue = currentQueue.concat(queue);
++  } else {
++    queueIndex = -1;
++  }
++  if (queue.length) {
++    nextTick();
++  }
++}
++
++//named nextTick for less confusing stack traces
++function nextTick() {
++  if (draining) {
++    return;
++  }
++  scheduled = false;
++  draining = true;
++  var len = queue.length;
++  var timeout = setTimeout(cleanUpNextTick);
++  while (len) {
++    currentQueue = queue;
++    queue = [];
++    while (currentQueue && ++queueIndex < len) {
++      currentQueue[queueIndex].run();
++    }
++    queueIndex = -1;
++    len = queue.length;
++  }
++  currentQueue = null;
++  queueIndex = -1;
++  draining = false;
++  clearTimeout(timeout);
++}
++var scheduleDrain;
++var i = -1;
++var len = types.length;
++while (++i < len) {
++  if (types[i] && types[i].test && types[i].test()) {
++    scheduleDrain = types[i].install(nextTick);
++    break;
++  }
++}
++// v8 likes predictible objects
++function Item(fun, array) {
++  this.fun = fun;
++  this.array = array;
++}
++Item.prototype.run = function () {
++  var fun = this.fun;
++  var array = this.array;
++  switch (array.length) {
++  case 0:
++    return fun();
++  case 1:
++    return fun(array[0]);
++  case 2:
++    return fun(array[0], array[1]);
++  case 3:
++    return fun(array[0], array[1], array[2]);
++  default:
++    return fun.apply(null, array);
++  }
++
++};
++module.exports = immediate;
++function immediate(task) {
++  var args = new Array(arguments.length - 1);
++  if (arguments.length > 1) {
++    for (var i = 1; i < arguments.length; i++) {
++      args[i - 1] = arguments[i];
++    }
++  }
++  queue.push(new Item(task, args));
++  if (!scheduled && !draining) {
++    scheduled = true;
++    scheduleDrain();
++  }
++}
++
++
++/***/ }),
++/* 57 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++/* WEBPACK VAR INJECTION */(function(global) {
++
++exports.test = function () {
++  if (global.setImmediate) {
++    // we can only get here in IE10
++    // which doesn't handel postMessage well
++    return false;
++  }
++  return typeof global.MessageChannel !== 'undefined';
++};
++
++exports.install = function (func) {
++  var channel = new global.MessageChannel();
++  channel.port1.onmessage = func;
++  return function () {
++    channel.port2.postMessage(0);
++  };
++};
++/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(3)))
++
++/***/ }),
++/* 58 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++/* WEBPACK VAR INJECTION */(function(global) {
++//based off rsvp https://github.com/tildeio/rsvp.js
++//license https://github.com/tildeio/rsvp.js/blob/master/LICENSE
++//https://github.com/tildeio/rsvp.js/blob/master/lib/rsvp/asap.js
++
++var Mutation = global.MutationObserver || global.WebKitMutationObserver;
++
++exports.test = function () {
++  return Mutation;
++};
++
++exports.install = function (handle) {
++  var called = 0;
++  var observer = new Mutation(handle);
++  var element = global.document.createTextNode('');
++  observer.observe(element, {
++    characterData: true
++  });
++  return function () {
++    element.data = (called = ++called % 2);
++  };
++};
++/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(3)))
++
++/***/ }),
++/* 59 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++/* WEBPACK VAR INJECTION */(function(process) {
++exports.test = function () {
++  // Don't get fooled by e.g. browserify environments.
++  return (typeof process !== 'undefined') && !process.browser;
++};
++
++exports.install = function (func) {
++  return function () {
++    process.nextTick(func);
++  };
++};
++
++/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(11)))
++
++/***/ }),
++/* 60 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++/* WEBPACK VAR INJECTION */(function(global) {
++
++exports.test = function () {
++  return 'document' in global && 'onreadystatechange' in global.document.createElement('script');
++};
++
++exports.install = function (handle) {
++  return function () {
++
++    // Create a <script> element; its readystatechange event will be fired asynchronously once it is inserted
++    // into the document. Do so, thus queuing up the task. Remember to clean up once it's been called.
++    var scriptEl = global.document.createElement('script');
++    scriptEl.onreadystatechange = function () {
++      handle();
++
++      scriptEl.onreadystatechange = null;
++      scriptEl.parentNode.removeChild(scriptEl);
++      scriptEl = null;
++    };
++    global.document.documentElement.appendChild(scriptEl);
++
++    return handle;
++  };
++};
++/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(3)))
++
++/***/ }),
++/* 61 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++exports.test = function () {
++  return true;
++};
++
++exports.install = function (t) {
++  return function () {
++    setTimeout(t, 0);
++  };
++};
++
++/***/ }),
++/* 62 */
++/***/ (function(module, exports) {
++
++/**
++ * Helpers.
++ */
++
++var s = 1000
++var m = s * 60
++var h = m * 60
++var d = h * 24
++var y = d * 365.25
++
++/**
++ * Parse or format the given `val`.
++ *
++ * Options:
++ *
++ *  - `long` verbose formatting [false]
++ *
++ * @param {String|Number} val
++ * @param {Object} options
++ * @throws {Error} throw an error if val is not a non-empty string or a number
++ * @return {String|Number}
++ * @api public
++ */
++
++module.exports = function (val, options) {
++  options = options || {}
++  var type = typeof val
++  if (type === 'string' && val.length > 0) {
++    return parse(val)
++  } else if (type === 'number' && isNaN(val) === false) {
++    return options.long ?
++                      fmtLong(val) :
++                      fmtShort(val)
++  }
++  throw new Error('val is not a non-empty string or a valid number. val=' + JSON.stringify(val))
++}
++
++/**
++ * Parse the given `str` and return milliseconds.
++ *
++ * @param {String} str
++ * @return {Number}
++ * @api private
++ */
++
++function parse(str) {
++  str = String(str)
++  if (str.length > 10000) {
++    return
++  }
++  var match = /^((?:\d+)?\.?\d+) *(milliseconds?|msecs?|ms|seconds?|secs?|s|minutes?|mins?|m|hours?|hrs?|h|days?|d|years?|yrs?|y)?$/i.exec(str)
++  if (!match) {
++    return
++  }
++  var n = parseFloat(match[1])
++  var type = (match[2] || 'ms').toLowerCase()
++  switch (type) {
++    case 'years':
++    case 'year':
++    case 'yrs':
++    case 'yr':
++    case 'y':
++      return n * y
++    case 'days':
++    case 'day':
++    case 'd':
++      return n * d
++    case 'hours':
++    case 'hour':
++    case 'hrs':
++    case 'hr':
++    case 'h':
++      return n * h
++    case 'minutes':
++    case 'minute':
++    case 'mins':
++    case 'min':
++    case 'm':
++      return n * m
++    case 'seconds':
++    case 'second':
++    case 'secs':
++    case 'sec':
++    case 's':
++      return n * s
++    case 'milliseconds':
++    case 'millisecond':
++    case 'msecs':
++    case 'msec':
++    case 'ms':
++      return n
++    default:
++      return undefined
++  }
++}
++
++/**
++ * Short format for `ms`.
++ *
++ * @param {Number} ms
++ * @return {String}
++ * @api private
++ */
++
++function fmtShort(ms) {
++  if (ms >= d) {
++    return Math.round(ms / d) + 'd'
++  }
++  if (ms >= h) {
++    return Math.round(ms / h) + 'h'
++  }
++  if (ms >= m) {
++    return Math.round(ms / m) + 'm'
++  }
++  if (ms >= s) {
++    return Math.round(ms / s) + 's'
++  }
++  return ms + 'ms'
++}
++
++/**
++ * Long format for `ms`.
++ *
++ * @param {Number} ms
++ * @return {String}
++ * @api private
++ */
++
++function fmtLong(ms) {
++  return plural(ms, d, 'day') ||
++    plural(ms, h, 'hour') ||
++    plural(ms, m, 'minute') ||
++    plural(ms, s, 'second') ||
++    ms + ' ms'
++}
++
++/**
++ * Pluralization helper.
++ */
++
++function plural(ms, n, name) {
++  if (ms < n) {
++    return
++  }
++  if (ms < n * 1.5) {
++    return Math.floor(ms / n) + ' ' + name
++  }
++  return Math.ceil(ms / n) + ' ' + name + 's'
++}
++
++
++/***/ }),
++/* 63 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++// modified from https://github.com/es-shims/es5-shim
++var has = Object.prototype.hasOwnProperty;
++var toStr = Object.prototype.toString;
++var slice = Array.prototype.slice;
++var isArgs = __webpack_require__(64);
++var isEnumerable = Object.prototype.propertyIsEnumerable;
++var hasDontEnumBug = !isEnumerable.call({ toString: null }, 'toString');
++var hasProtoEnumBug = isEnumerable.call(function () {}, 'prototype');
++var dontEnums = [
++      'toString',
++      'toLocaleString',
++      'valueOf',
++      'hasOwnProperty',
++      'isPrototypeOf',
++      'propertyIsEnumerable',
++      'constructor'
++];
++var equalsConstructorPrototype = function (o) {
++      var ctor = o.constructor;
++      return ctor && ctor.prototype === o;
++};
++var excludedKeys = {
++      $console: true,
++      $external: true,
++      $frame: true,
++      $frameElement: true,
++      $frames: true,
++      $innerHeight: true,
++      $innerWidth: true,
++      $outerHeight: true,
++      $outerWidth: true,
++      $pageXOffset: true,
++      $pageYOffset: true,
++      $parent: true,
++      $scrollLeft: true,
++      $scrollTop: true,
++      $scrollX: true,
++      $scrollY: true,
++      $self: true,
++      $webkitIndexedDB: true,
++      $webkitStorageInfo: true,
++      $window: true
++};
++var hasAutomationEqualityBug = (function () {
++      /* global window */
++      if (typeof window === 'undefined') { return false; }
++      for (var k in window) {
++              try {
++                      if (!excludedKeys['$' + k] && has.call(window, k) && window[k] !== null && typeof window[k] === 'object') {
++                              try {
++                                      equalsConstructorPrototype(window[k]);
++                              } catch (e) {
++                                      return true;
++                              }
++                      }
++              } catch (e) {
++                      return true;
++              }
++      }
++      return false;
++}());
++var equalsConstructorPrototypeIfNotBuggy = function (o) {
++      /* global window */
++      if (typeof window === 'undefined' || !hasAutomationEqualityBug) {
++              return equalsConstructorPrototype(o);
++      }
++      try {
++              return equalsConstructorPrototype(o);
++      } catch (e) {
++              return false;
++      }
++};
++
++var keysShim = function keys(object) {
++      var isObject = object !== null && typeof object === 'object';
++      var isFunction = toStr.call(object) === '[object Function]';
++      var isArguments = isArgs(object);
++      var isString = isObject && toStr.call(object) === '[object String]';
++      var theKeys = [];
++
++      if (!isObject && !isFunction && !isArguments) {
++              throw new TypeError('Object.keys called on a non-object');
++      }
++
++      var skipProto = hasProtoEnumBug && isFunction;
++      if (isString && object.length > 0 && !has.call(object, 0)) {
++              for (var i = 0; i < object.length; ++i) {
++                      theKeys.push(String(i));
++              }
++      }
++
++      if (isArguments && object.length > 0) {
++              for (var j = 0; j < object.length; ++j) {
++                      theKeys.push(String(j));
++              }
++      } else {
++              for (var name in object) {
++                      if (!(skipProto && name === 'prototype') && has.call(object, name)) {
++                              theKeys.push(String(name));
++                      }
++              }
++      }
++
++      if (hasDontEnumBug) {
++              var skipConstructor = equalsConstructorPrototypeIfNotBuggy(object);
++
++              for (var k = 0; k < dontEnums.length; ++k) {
++                      if (!(skipConstructor && dontEnums[k] === 'constructor') && has.call(object, dontEnums[k])) {
++                              theKeys.push(dontEnums[k]);
++                      }
++              }
++      }
++      return theKeys;
++};
++
++keysShim.shim = function shimObjectKeys() {
++      if (Object.keys) {
++              var keysWorksWithArguments = (function () {
++                      // Safari 5.0 bug
++                      return (Object.keys(arguments) || '').length === 2;
++              }(1, 2));
++              if (!keysWorksWithArguments) {
++                      var originalKeys = Object.keys;
++                      Object.keys = function keys(object) {
++                              if (isArgs(object)) {
++                                      return originalKeys(slice.call(object));
++                              } else {
++                                      return originalKeys(object);
++                              }
++                      };
++              }
++      } else {
++              Object.keys = keysShim;
++      }
++      return Object.keys || keysShim;
++};
++
++module.exports = keysShim;
++
++
++/***/ }),
++/* 64 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var toStr = Object.prototype.toString;
++
++module.exports = function isArguments(value) {
++      var str = toStr.call(value);
++      var isArgs = str === '[object Arguments]';
++      if (!isArgs) {
++              isArgs = str !== '[object Array]' &&
++                      value !== null &&
++                      typeof value === 'object' &&
++                      typeof value.length === 'number' &&
++                      value.length >= 0 &&
++                      toStr.call(value.callee) === '[object Function]';
++      }
++      return isArgs;
++};
++
++
++/***/ }),
++/* 65 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++// Copyright Joyent, Inc. and other Node contributors.
++//
++// Permission is hereby granted, free of charge, to any person obtaining a
++// copy of this software and associated documentation files (the
++// "Software"), to deal in the Software without restriction, including
++// without limitation the rights to use, copy, modify, merge, publish,
++// distribute, sublicense, and/or sell copies of the Software, and to permit
++// persons to whom the Software is furnished to do so, subject to the
++// following conditions:
++//
++// The above copyright notice and this permission notice shall be included
++// in all copies or substantial portions of the Software.
++//
++// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
++// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
++// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
++// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
++// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
++// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
++// USE OR OTHER DEALINGS IN THE SOFTWARE.
++
++
++
++var stringifyPrimitive = function(v) {
++  switch (typeof v) {
++    case 'string':
++      return v;
++
++    case 'boolean':
++      return v ? 'true' : 'false';
++
++    case 'number':
++      return isFinite(v) ? v : '';
++
++    default:
++      return '';
++  }
++};
++
++module.exports = function(obj, sep, eq, name) {
++  sep = sep || '&';
++  eq = eq || '=';
++  if (obj === null) {
++    obj = undefined;
++  }
++
++  if (typeof obj === 'object') {
++    return map(objectKeys(obj), function(k) {
++      var ks = encodeURIComponent(stringifyPrimitive(k)) + eq;
++      if (isArray(obj[k])) {
++        return map(obj[k], function(v) {
++          return ks + encodeURIComponent(stringifyPrimitive(v));
++        }).join(sep);
++      } else {
++        return ks + encodeURIComponent(stringifyPrimitive(obj[k]));
++      }
++    }).join(sep);
++
++  }
++
++  if (!name) return '';
++  return encodeURIComponent(stringifyPrimitive(name)) + eq +
++         encodeURIComponent(stringifyPrimitive(obj));
++};
++
++var isArray = Array.isArray || function (xs) {
++  return Object.prototype.toString.call(xs) === '[object Array]';
++};
++
++function map (xs, f) {
++  if (xs.map) return xs.map(f);
++  var res = [];
++  for (var i = 0; i < xs.length; i++) {
++    res.push(f(xs[i], i));
++  }
++  return res;
++}
++
++var objectKeys = Object.keys || function (obj) {
++  var res = [];
++  for (var key in obj) {
++    if (Object.prototype.hasOwnProperty.call(obj, key)) res.push(key);
++  }
++  return res;
++};
++
++
++/***/ }),
++/* 66 */
++/***/ (function(module, exports, __webpack_require__) {
++
++"use strict";
++
++
++var _bind = Function.prototype.bind;
++function toFactory(Class) {
++  var Factory = function Factory() {
++    for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {
++      args[_key] = arguments[_key];
++    }
++
++    return new (_bind.apply(Class, [null].concat(args)))();
++  };
++  Factory.__proto__ = Class;
++  Factory.prototype = Class.prototype;
++  return Factory;
++}
++
++module.exports = toFactory;
++
++
++
++/***/ }),
++/* 67 */
++/***/ (function(module, exports) {
++
++/* (ignored) */
++
++/***/ })
++/******/ ]);
++});
++//# sourceMappingURL=docsearch.js.map
++
++/***/ }),
++/* 14 */
++/***/ (function(module, exports) {
++
++(function(window, factory) {
++      var lazySizes = factory(window, window.document);
++      window.lazySizes = lazySizes;
++      if(typeof module == 'object' && module.exports){
++              module.exports = lazySizes;
++      }
++}(window, function l(window, document) {
++      'use strict';
++      /*jshint eqnull:true */
++      if(!document.getElementsByClassName){return;}
++
++      var lazySizesConfig;
++
++      var docElem = document.documentElement;
++
++      var Date = window.Date;
++
++      var supportPicture = window.HTMLPictureElement;
++
++      var _addEventListener = 'addEventListener';
++
++      var _getAttribute = 'getAttribute';
++
++      var addEventListener = window[_addEventListener];
++
++      var setTimeout = window.setTimeout;
++
++      var requestAnimationFrame = window.requestAnimationFrame || setTimeout;
++
++      var requestIdleCallback = window.requestIdleCallback;
++
++      var regPicture = /^picture$/i;
++
++      var loadEvents = ['load', 'error', 'lazyincluded', '_lazyloaded'];
++
++      var regClassCache = {};
++
++      var forEach = Array.prototype.forEach;
++
++      var hasClass = function(ele, cls) {
++              if(!regClassCache[cls]){
++                      regClassCache[cls] = new RegExp('(\\s|^)'+cls+'(\\s|$)');
++              }
++              return regClassCache[cls].test(ele[_getAttribute]('class') || '') && regClassCache[cls];
++      };
++
++      var addClass = function(ele, cls) {
++              if (!hasClass(ele, cls)){
++                      ele.setAttribute('class', (ele[_getAttribute]('class') || '').trim() + ' ' + cls);
++              }
++      };
++
++      var removeClass = function(ele, cls) {
++              var reg;
++              if ((reg = hasClass(ele,cls))) {
++                      ele.setAttribute('class', (ele[_getAttribute]('class') || '').replace(reg, ' '));
++              }
++      };
++
++      var addRemoveLoadEvents = function(dom, fn, add){
++              var action = add ? _addEventListener : 'removeEventListener';
++              if(add){
++                      addRemoveLoadEvents(dom, fn);
++              }
++              loadEvents.forEach(function(evt){
++                      dom[action](evt, fn);
++              });
++      };
++
++      var triggerEvent = function(elem, name, detail, noBubbles, noCancelable){
++              var event = document.createEvent('CustomEvent');
++
++              event.initCustomEvent(name, !noBubbles, !noCancelable, detail || {});
++
++              elem.dispatchEvent(event);
++              return event;
++      };
++
++      var updatePolyfill = function (el, full){
++              var polyfill;
++              if( !supportPicture && ( polyfill = (window.picturefill || lazySizesConfig.pf) ) ){
++                      polyfill({reevaluate: true, elements: [el]});
++              } else if(full && full.src){
++                      el.src = full.src;
++              }
++      };
++
++      var getCSS = function (elem, style){
++              return (getComputedStyle(elem, null) || {})[style];
++      };
++
++      var getWidth = function(elem, parent, width){
++              width = width || elem.offsetWidth;
++
++              while(width < lazySizesConfig.minSize && parent && !elem._lazysizesWidth){
++                      width =  parent.offsetWidth;
++                      parent = parent.parentNode;
++              }
++
++              return width;
++      };
++
++      var rAF = (function(){
++              var running, waiting;
++              var firstFns = [];
++              var secondFns = [];
++              var fns = firstFns;
++
++              var run = function(){
++                      var runFns = fns;
++
++                      fns = firstFns.length ? secondFns : firstFns;
++
++                      running = true;
++                      waiting = false;
++
++                      while(runFns.length){
++                              runFns.shift()();
++                      }
++
++                      running = false;
++              };
++
++              var rafBatch = function(fn, queue){
++                      if(running && !queue){
++                              fn.apply(this, arguments);
++                      } else {
++                              fns.push(fn);
++
++                              if(!waiting){
++                                      waiting = true;
++                                      (document.hidden ? setTimeout : requestAnimationFrame)(run);
++                              }
++                      }
++              };
++
++              rafBatch._lsFlush = run;
++
++              return rafBatch;
++      })();
++
++      var rAFIt = function(fn, simple){
++              return simple ?
++                      function() {
++                              rAF(fn);
++                      } :
++                      function(){
++                              var that = this;
++                              var args = arguments;
++                              rAF(function(){
++                                      fn.apply(that, args);
++                              });
++                      }
++              ;
++      };
++
++      var throttle = function(fn){
++              var running;
++              var lastTime = 0;
++              var gDelay = 125;
++              var RIC_DEFAULT_TIMEOUT = 666;
++              var rICTimeout = RIC_DEFAULT_TIMEOUT;
++              var run = function(){
++                      running = false;
++                      lastTime = Date.now();
++                      fn();
++              };
++              var idleCallback = requestIdleCallback ?
++                      function(){
++                              requestIdleCallback(run, {timeout: rICTimeout});
++                              if(rICTimeout !== RIC_DEFAULT_TIMEOUT){
++                                      rICTimeout = RIC_DEFAULT_TIMEOUT;
++                              }
++                      }:
++                      rAFIt(function(){
++                              setTimeout(run);
++                      }, true)
++              ;
++
++              return function(isPriority){
++                      var delay;
++                      if((isPriority = isPriority === true)){
++                              rICTimeout = 44;
++                      }
++
++                      if(running){
++                              return;
++                      }
++
++                      running =  true;
++
++                      delay = gDelay - (Date.now() - lastTime);
++
++                      if(delay < 0){
++                              delay = 0;
++                      }
++
++                      if(isPriority || (delay < 9 && requestIdleCallback)){
++                              idleCallback();
++                      } else {
++                              setTimeout(idleCallback, delay);
++                      }
++              };
++      };
++
++      //based on http://modernjavascript.blogspot.de/2013/08/building-better-debounce.html
++      var debounce = function(func) {
++              var timeout, timestamp;
++              var wait = 99;
++              var run = function(){
++                      timeout = null;
++                      func();
++              };
++              var later = function() {
++                      var last = Date.now() - timestamp;
++
++                      if (last < wait) {
++                              setTimeout(later, wait - last);
++                      } else {
++                              (requestIdleCallback || run)(run);
++                      }
++              };
++
++              return function() {
++                      timestamp = Date.now();
++
++                      if (!timeout) {
++                              timeout = setTimeout(later, wait);
++                      }
++              };
++      };
++
++
++      var loader = (function(){
++              var lazyloadElems, preloadElems, isCompleted, resetPreloadingTimer, loadMode, started;
++
++              var eLvW, elvH, eLtop, eLleft, eLright, eLbottom;
++
++              var defaultExpand, preloadExpand, hFac;
++
++              var regImg = /^img$/i;
++              var regIframe = /^iframe$/i;
++
++              var supportScroll = ('onscroll' in window) && !(/glebot/.test(navigator.userAgent));
++
++              var shrinkExpand = 0;
++              var currentExpand = 0;
++
++              var isLoading = 0;
++              var lowRuns = -1;
++
++              var resetPreloading = function(e){
++                      isLoading--;
++                      if(e && e.target){
++                              addRemoveLoadEvents(e.target, resetPreloading);
++                      }
++
++                      if(!e || isLoading < 0 || !e.target){
++                              isLoading = 0;
++                      }
++              };
++
++              var isNestedVisible = function(elem, elemExpand){
++                      var outerRect;
++                      var parent = elem;
++                      var visible = getCSS(document.body, 'visibility') == 'hidden' || getCSS(elem, 'visibility') != 'hidden';
++
++                      eLtop -= elemExpand;
++                      eLbottom += elemExpand;
++                      eLleft -= elemExpand;
++                      eLright += elemExpand;
++
++                      while(visible && (parent = parent.offsetParent) && parent != document.body && parent != docElem){
++                              visible = ((getCSS(parent, 'opacity') || 1) > 0);
++
++                              if(visible && getCSS(parent, 'overflow') != 'visible'){
++                                      outerRect = parent.getBoundingClientRect();
++                                      visible = eLright > outerRect.left &&
++                                              eLleft < outerRect.right &&
++                                              eLbottom > outerRect.top - 1 &&
++                                              eLtop < outerRect.bottom + 1
++                                      ;
++                              }
++                      }
++
++                      return visible;
++              };
++
++              var checkElements = function() {
++                      var eLlen, i, rect, autoLoadElem, loadedSomething, elemExpand, elemNegativeExpand, elemExpandVal, beforeExpandVal;
++
++                      if((loadMode = lazySizesConfig.loadMode) && isLoading < 8 && (eLlen = lazyloadElems.length)){
++
++                              i = 0;
++
++                              lowRuns++;
++
++                              if(preloadExpand == null){
++                                      if(!('expand' in lazySizesConfig)){
++                                              lazySizesConfig.expand = docElem.clientHeight > 500 && docElem.clientWidth > 500 ? 500 : 370;
++                                      }
++
++                                      defaultExpand = lazySizesConfig.expand;
++                                      preloadExpand = defaultExpand * lazySizesConfig.expFactor;
++                              }
++
++                              if(currentExpand < preloadExpand && isLoading < 1 && lowRuns > 2 && loadMode > 2 && !document.hidden){
++                                      currentExpand = preloadExpand;
++                                      lowRuns = 0;
++                              } else if(loadMode > 1 && lowRuns > 1 && isLoading < 6){
++                                      currentExpand = defaultExpand;
++                              } else {
++                                      currentExpand = shrinkExpand;
++                              }
++
++                              for(; i < eLlen; i++){
++
++                                      if(!lazyloadElems[i] || lazyloadElems[i]._lazyRace){continue;}
++
++                                      if(!supportScroll){unveilElement(lazyloadElems[i]);continue;}
++
++                                      if(!(elemExpandVal = lazyloadElems[i][_getAttribute]('data-expand')) || !(elemExpand = elemExpandVal * 1)){
++                                              elemExpand = currentExpand;
++                                      }
++
++                                      if(beforeExpandVal !== elemExpand){
++                                              eLvW = innerWidth + (elemExpand * hFac);
++                                              elvH = innerHeight + elemExpand;
++                                              elemNegativeExpand = elemExpand * -1;
++                                              beforeExpandVal = elemExpand;
++                                      }
++
++                                      rect = lazyloadElems[i].getBoundingClientRect();
++
++                                      if ((eLbottom = rect.bottom) >= elemNegativeExpand &&
++                                              (eLtop = rect.top) <= elvH &&
++                                              (eLright = rect.right) >= elemNegativeExpand * hFac &&
++                                              (eLleft = rect.left) <= eLvW &&
++                                              (eLbottom || eLright || eLleft || eLtop) &&
++                                              ((isCompleted && isLoading < 3 && !elemExpandVal && (loadMode < 3 || lowRuns < 4)) || isNestedVisible(lazyloadElems[i], elemExpand))){
++                                              unveilElement(lazyloadElems[i]);
++                                              loadedSomething = true;
++                                              if(isLoading > 9){break;}
++                                      } else if(!loadedSomething && isCompleted && !autoLoadElem &&
++                                              isLoading < 4 && lowRuns < 4 && loadMode > 2 &&
++                                              (preloadElems[0] || lazySizesConfig.preloadAfterLoad) &&
++                                              (preloadElems[0] || (!elemExpandVal && ((eLbottom || eLright || eLleft || eLtop) || lazyloadElems[i][_getAttribute](lazySizesConfig.sizesAttr) != 'auto')))){
++                                              autoLoadElem = preloadElems[0] || lazyloadElems[i];
++                                      }
++                              }
++
++                              if(autoLoadElem && !loadedSomething){
++                                      unveilElement(autoLoadElem);
++                              }
++                      }
++              };
++
++              var throttledCheckElements = throttle(checkElements);
++
++              var switchLoadingClass = function(e){
++                      addClass(e.target, lazySizesConfig.loadedClass);
++                      removeClass(e.target, lazySizesConfig.loadingClass);
++                      addRemoveLoadEvents(e.target, rafSwitchLoadingClass);
++              };
++              var rafedSwitchLoadingClass = rAFIt(switchLoadingClass);
++              var rafSwitchLoadingClass = function(e){
++                      rafedSwitchLoadingClass({target: e.target});
++              };
++
++              var changeIframeSrc = function(elem, src){
++                      try {
++                              elem.contentWindow.location.replace(src);
++                      } catch(e){
++                              elem.src = src;
++                      }
++              };
++
++              var handleSources = function(source){
++                      var customMedia, parent;
++
++                      var sourceSrcset = source[_getAttribute](lazySizesConfig.srcsetAttr);
++
++                      if( (customMedia = lazySizesConfig.customMedia[source[_getAttribute]('data-media') || source[_getAttribute]('media')]) ){
++                              source.setAttribute('media', customMedia);
++                      }
++
++                      if(sourceSrcset){
++                              source.setAttribute('srcset', sourceSrcset);
++                      }
++
++                      //https://bugzilla.mozilla.org/show_bug.cgi?id=1170572
++                      if(customMedia){
++                              parent = source.parentNode;
++                              parent.insertBefore(source.cloneNode(), source);
++                              parent.removeChild(source);
++                      }
++              };
++
++              var lazyUnveil = rAFIt(function (elem, detail, isAuto, sizes, isImg){
++                      var src, srcset, parent, isPicture, event, firesLoad;
++
++                      if(!(event = triggerEvent(elem, 'lazybeforeunveil', detail)).defaultPrevented){
++
++                              if(sizes){
++                                      if(isAuto){
++                                              addClass(elem, lazySizesConfig.autosizesClass);
++                                      } else {
++                                              elem.setAttribute('sizes', sizes);
++                                      }
++                              }
++
++                              srcset = elem[_getAttribute](lazySizesConfig.srcsetAttr);
++                              src = elem[_getAttribute](lazySizesConfig.srcAttr);
++
++                              if(isImg) {
++                                      parent = elem.parentNode;
++                                      isPicture = parent && regPicture.test(parent.nodeName || '');
++                              }
++
++                              firesLoad = detail.firesLoad || (('src' in elem) && (srcset || src || isPicture));
++
++                              event = {target: elem};
++
++                              if(firesLoad){
++                                      addRemoveLoadEvents(elem, resetPreloading, true);
++                                      clearTimeout(resetPreloadingTimer);
++                                      resetPreloadingTimer = setTimeout(resetPreloading, 2500);
++
++                                      addClass(elem, lazySizesConfig.loadingClass);
++                                      addRemoveLoadEvents(elem, rafSwitchLoadingClass, true);
++                              }
++
++                              if(isPicture){
++                                      forEach.call(parent.getElementsByTagName('source'), handleSources);
++                              }
++
++                              if(srcset){
++                                      elem.setAttribute('srcset', srcset);
++                              } else if(src && !isPicture){
++                                      if(regIframe.test(elem.nodeName)){
++                                              changeIframeSrc(elem, src);
++                                      } else {
++                                              elem.src = src;
++                                      }
++                              }
++
++                              if(srcset || isPicture){
++                                      updatePolyfill(elem, {src: src});
++                              }
++                      }
++
++                      if(elem._lazyRace){
++                              delete elem._lazyRace;
++                      }
++                      removeClass(elem, lazySizesConfig.lazyClass);
++
++                      rAF(function(){
++                              if( !firesLoad || (elem.complete && elem.naturalWidth > 1)){
++                                      if(firesLoad){
++                                              resetPreloading(event);
++                                      } else {
++                                              isLoading--;
++                                      }
++                                      switchLoadingClass(event);
++                              }
++                      }, true);
++              });
++
++              var unveilElement = function (elem){
++                      var detail;
++
++                      var isImg = regImg.test(elem.nodeName);
++
++                      //allow using sizes="auto", but don't use. it's invalid. Use data-sizes="auto" or a valid value for sizes instead (i.e.: sizes="80vw")
++                      var sizes = isImg && (elem[_getAttribute](lazySizesConfig.sizesAttr) || elem[_getAttribute]('sizes'));
++                      var isAuto = sizes == 'auto';
++
++                      if( (isAuto || !isCompleted) && isImg && (elem.src || elem.srcset) && !elem.complete && !hasClass(elem, lazySizesConfig.errorClass)){return;}
++
++                      detail = triggerEvent(elem, 'lazyunveilread').detail;
++
++                      if(isAuto){
++                               autoSizer.updateElem(elem, true, elem.offsetWidth);
++                      }
++
++                      elem._lazyRace = true;
++                      isLoading++;
++
++                      lazyUnveil(elem, detail, isAuto, sizes, isImg);
++              };
++
++              var onload = function(){
++                      if(isCompleted){return;}
++                      if(Date.now() - started < 999){
++                              setTimeout(onload, 999);
++                              return;
++                      }
++                      var afterScroll = debounce(function(){
++                              lazySizesConfig.loadMode = 3;
++                              throttledCheckElements();
++                      });
++
++                      isCompleted = true;
++
++                      lazySizesConfig.loadMode = 3;
++
++                      throttledCheckElements();
++
++                      addEventListener('scroll', function(){
++                              if(lazySizesConfig.loadMode == 3){
++                                      lazySizesConfig.loadMode = 2;
++                              }
++                              afterScroll();
++                      }, true);
++              };
++
++              return {
++                      _: function(){
++                              started = Date.now();
++
++                              lazyloadElems = document.getElementsByClassName(lazySizesConfig.lazyClass);
++                              preloadElems = document.getElementsByClassName(lazySizesConfig.lazyClass + ' ' + lazySizesConfig.preloadClass);
++                              hFac = lazySizesConfig.hFac;
++
++                              addEventListener('scroll', throttledCheckElements, true);
++
++                              addEventListener('resize', throttledCheckElements, true);
++
++                              if(window.MutationObserver){
++                                      new MutationObserver( throttledCheckElements ).observe( docElem, {childList: true, subtree: true, attributes: true} );
++                              } else {
++                                      docElem[_addEventListener]('DOMNodeInserted', throttledCheckElements, true);
++                                      docElem[_addEventListener]('DOMAttrModified', throttledCheckElements, true);
++                                      setInterval(throttledCheckElements, 999);
++                              }
++
++                              addEventListener('hashchange', throttledCheckElements, true);
++
++                              //, 'fullscreenchange'
++                              ['focus', 'mouseover', 'click', 'load', 'transitionend', 'animationend', 'webkitAnimationEnd'].forEach(function(name){
++                                      document[_addEventListener](name, throttledCheckElements, true);
++                              });
++
++                              if((/d$|^c/.test(document.readyState))){
++                                      onload();
++                              } else {
++                                      addEventListener('load', onload);
++                                      document[_addEventListener]('DOMContentLoaded', throttledCheckElements);
++                                      setTimeout(onload, 20000);
++                              }
++
++                              if(lazyloadElems.length){
++                                      checkElements();
++                                      rAF._lsFlush();
++                              } else {
++                                      throttledCheckElements();
++                              }
++                      },
++                      checkElems: throttledCheckElements,
++                      unveil: unveilElement
++              };
++      })();
++
++
++      var autoSizer = (function(){
++              var autosizesElems;
++
++              var sizeElement = rAFIt(function(elem, parent, event, width){
++                      var sources, i, len;
++                      elem._lazysizesWidth = width;
++                      width += 'px';
++
++                      elem.setAttribute('sizes', width);
++
++                      if(regPicture.test(parent.nodeName || '')){
++                              sources = parent.getElementsByTagName('source');
++                              for(i = 0, len = sources.length; i < len; i++){
++                                      sources[i].setAttribute('sizes', width);
++                              }
++                      }
++
++                      if(!event.detail.dataAttr){
++                              updatePolyfill(elem, event.detail);
++                      }
++              });
++              var getSizeElement = function (elem, dataAttr, width){
++                      var event;
++                      var parent = elem.parentNode;
++
++                      if(parent){
++                              width = getWidth(elem, parent, width);
++                              event = triggerEvent(elem, 'lazybeforesizes', {width: width, dataAttr: !!dataAttr});
++
++                              if(!event.defaultPrevented){
++                                      width = event.detail.width;
++
++                                      if(width && width !== elem._lazysizesWidth){
++                                              sizeElement(elem, parent, event, width);
++                                      }
++                              }
++                      }
++              };
++
++              var updateElementsSizes = function(){
++                      var i;
++                      var len = autosizesElems.length;
++                      if(len){
++                              i = 0;
++
++                              for(; i < len; i++){
++                                      getSizeElement(autosizesElems[i]);
++                              }
++                      }
++              };
++
++              var debouncedUpdateElementsSizes = debounce(updateElementsSizes);
++
++              return {
++                      _: function(){
++                              autosizesElems = document.getElementsByClassName(lazySizesConfig.autosizesClass);
++                              addEventListener('resize', debouncedUpdateElementsSizes);
++                      },
++                      checkElems: debouncedUpdateElementsSizes,
++                      updateElem: getSizeElement
++              };
++      })();
++
++      var init = function(){
++              if(!init.i){
++                      init.i = true;
++                      autoSizer._();
++                      loader._();
++              }
++      };
++
++      (function(){
++              var prop;
++
++              var lazySizesDefaults = {
++                      lazyClass: 'lazyload',
++                      loadedClass: 'lazyloaded',
++                      loadingClass: 'lazyloading',
++                      preloadClass: 'lazypreload',
++                      errorClass: 'lazyerror',
++                      //strictClass: 'lazystrict',
++                      autosizesClass: 'lazyautosizes',
++                      srcAttr: 'data-src',
++                      srcsetAttr: 'data-srcset',
++                      sizesAttr: 'data-sizes',
++                      //preloadAfterLoad: false,
++                      minSize: 40,
++                      customMedia: {},
++                      init: true,
++                      expFactor: 1.5,
++                      hFac: 0.8,
++                      loadMode: 2
++              };
++
++              lazySizesConfig = window.lazySizesConfig || window.lazysizesConfig || {};
++
++              for(prop in lazySizesDefaults){
++                      if(!(prop in lazySizesConfig)){
++                              lazySizesConfig[prop] = lazySizesDefaults[prop];
++                      }
++              }
++
++              window.lazySizesConfig = lazySizesConfig;
++
++              setTimeout(function(){
++                      if(lazySizesConfig.init){
++                              init();
++                      }
++              });
++      })();
++
++      return {
++              cfg: lazySizesConfig,
++              autoSizer: autoSizer,
++              loader: loader,
++              init: init,
++              uP: updatePolyfill,
++              aC: addClass,
++              rC: removeClass,
++              hC: hasClass,
++              fire: triggerEvent,
++              gW: getWidth,
++              rAF: rAF,
++      };
++}
++));
++
++
++/***/ }),
++/* 15 */
++/***/ (function(module, exports) {
++
++/*
++This plugin extends lazySizes to lazyLoad:
++background images, videos/posters and scripts
++
++Background-Image:
++For background images, use data-bg attribute:
++<div class="lazyload" data-bg="bg-img.jpg"></div>
++
++ Video:
++ For video/audio use data-poster and preload="none":
++ <video class="lazyload" data-poster="poster.jpg" preload="none">
++ <!-- sources -->
++ </video>
++
++ Scripts:
++ For scripts use data-script:
++ <div class="lazyload" data-script="module-name.js"></div>
++
++
++ Script modules using require:
++ For modules using require use data-require:
++ <div class="lazyload" data-require="module-name"></div>
++*/
++
++(function(window, document){
++      /*jshint eqnull:true */
++      'use strict';
++      var bgLoad, regBgUrlEscape;
++      var uniqueUrls = {};
++
++      if(document.addEventListener){
++              regBgUrlEscape = /\(|\)|\s|'/;
++
++              bgLoad = function (url, cb){
++                      var img = document.createElement('img');
++                      img.onload = function(){
++                              img.onload = null;
++                              img.onerror = null;
++                              img = null;
++                              cb();
++                      };
++                      img.onerror = img.onload;
++
++                      img.src = url;
++
++                      if(img && img.complete && img.onload){
++                              img.onload();
++                      }
++              };
++
++              addEventListener('lazybeforeunveil', function(e){
++                      var tmp, load, bg, poster;
++                      if(!e.defaultPrevented) {
++
++                              if(e.target.preload == 'none'){
++                                      e.target.preload = 'auto';
++                              }
++
++                              tmp = e.target.getAttribute('data-link');
++                              if(tmp){
++                                      addStyleScript(tmp, true);
++                              }
++
++                              // handle data-script
++                              tmp = e.target.getAttribute('data-script');
++                              if(tmp){
++                                      addStyleScript(tmp);
++                              }
++
++                              // handle data-require
++                              tmp = e.target.getAttribute('data-require');
++                              if(tmp){
++                                      if(lazySizes.cfg.requireJs){
++                                              lazySizes.cfg.requireJs([tmp]);
++                                      } else {
++                                              addStyleScript(tmp);
++                                      }
++                              }
++
++                              // handle data-bg
++                              bg = e.target.getAttribute('data-bg');
++                              if (bg) {
++                                      e.detail.firesLoad = true;
++                                      load = function(){
++                                              e.target.style.backgroundImage = 'url(' + (regBgUrlEscape.test(bg) ? JSON.stringify(bg) : bg ) + ')';
++                                              e.detail.firesLoad = false;
++                                              lazySizes.fire(e.target, '_lazyloaded', {}, true, true);
++                                      };
++
++                                      bgLoad(bg, load);
++                              }
++
++                              // handle data-poster
++                              poster = e.target.getAttribute('data-poster');
++                              if(poster){
++                                      e.detail.firesLoad = true;
++                                      load = function(){
++                                              e.target.poster = poster;
++                                              e.detail.firesLoad = false;
++                                              lazySizes.fire(e.target, '_lazyloaded', {}, true, true);
++                                      };
++
++                                      bgLoad(poster, load);
++
++                              }
++                      }
++              }, false);
++
++      }
++
++      function addStyleScript(src, style){
++              if(uniqueUrls[src]){
++                      return;
++              }
++              var elem = document.createElement(style ? 'link' : 'script');
++              var insertElem = document.getElementsByTagName('script')[0];
++
++              if(style){
++                      elem.rel = 'stylesheet';
++                      elem.href = src;
++              } else {
++                      elem.src = src;
++              }
++              uniqueUrls[src] = true;
++              uniqueUrls[elem.src || elem.href] = true;
++              insertElem.parentNode.insertBefore(elem, insertElem);
++      }
++})(window, document);
++
++
++/***/ }),
++/* 16 */
++/***/ (function(module, exports, __webpack_require__) {
++
++/**
 + * scrolldir - Vertical scroll direction in CSS
-  * @version v1.2.17
++ * @version v1.2.8
 + * @link https://github.com/dollarshaveclub/scrolldir.git
 + * @author Patrick Fisher <patrick@pwfisher.com>
 + * @license MIT
 +**/
- !function(t,e){e()}(0,function(){"use strict";function t(){var t=i.scrollY||i.pageYOffset,e=f.timeStamp,n="down"===s?Math.max:Math.min,g=a.offsetHeight-i.innerHeight;if(t=Math.max(0,t),t=Math.min(g,t),h.unshift({y:t,t:e}),h.pop(),t===n(p,t))return d=e,void(p=t);var m=e-c;if(m>d){p=t;for(var v=0;v<u&&h[v]&&!(h[v].t<m);v+=1)p=n(p,h[v].y)}Math.abs(t-p)>l&&(p=t,d=e,s="down"===s?"up":"down",r.setAttribute(o,s))}function e(e){return f=e,i.requestAnimationFrame(t)}var n={el:document.documentElement,win:window,attribute:"data-scrolldir",dir:"down"},r=void 0,i=void 0,o=void 0,s=void 0,a=document.body,u=32,c=512,l=64,h=Array(u),f=void 0,p=void 0,d=0;!function(t){r=n.el,i=n.win,o=n.attribute,s=n.dir,p=i.scrollY||i.pageYOffset,r.setAttribute(o,s),i.addEventListener("scroll",e)}()})}]);
++!function(t,e){ true?e():"function"==typeof define&&define.amd?define(e):e()}(0,function(){"use strict";!function(){var t=document.documentElement,e=window,n=document.body,o=Array(32),i="down",d=void 0,r=void 0,a=0,f=function(){var f=e.scrollY,u=d.timeStamp,c="down"===i?Math.max:Math.min,s=n.offsetHeight-e.innerHeight;if(f=Math.max(0,f),f=Math.min(s,f),o.unshift({y:f,t:u}),o.pop(),f===c(r,f))return a=u,void(r=f);var m=u-512;if(m>a){r=f;for(var l=0;l<32&&o[l]&&!(o[l].t<m);l+=1)r=c(r,o[l].y)}Math.abs(f-r)>64&&(r=f,a=u,i="down"===i?"up":"down",t.setAttribute("data-scrolldir",i))},u=function(t){d=t,e.requestAnimationFrame(f)};r=e.scrollY,t.setAttribute("data-scrolldir",i),e.addEventListener("scroll",u)}()});
++
++/***/ })
++/******/ ]);
index d4feb9ae8a9a387e9662cc2fa8513189d89d4a97,0000000000000000000000000000000000000000..011530a7763fc5954c7aa87decf3dba85423ebfb
mode 100644,000000..100644
--- /dev/null
@@@ -1,1 -1,0 +1,1 @@@
- html{line-height:1.15;-ms-text-size-adjust:100%;-webkit-text-size-adjust:100%}body{margin:0}article,aside,footer,header,nav,section{display:block}h1{font-size:2em;margin:.67em 0}figcaption,figure,main{display:block}figure{margin:1em 40px}hr{box-sizing:content-box;height:0;overflow:visible}pre{font-family:monospace,monospace;font-size:1em}a{background-color:transparent;-webkit-text-decoration-skip:objects}abbr[title]{border-bottom:none;text-decoration:underline;text-decoration:underline dotted}b,strong{font-weight:inherit;font-weight:bolder}code,kbd,samp{font-family:monospace,monospace;font-size:1em}dfn{font-style:italic}mark{background-color:#ff0;color:#000}small{font-size:80%}sub,sup{font-size:75%;line-height:0;position:relative;vertical-align:baseline}sub{bottom:-.25em}sup{top:-.5em}audio,video{display:inline-block}audio:not([controls]){display:none;height:0}img{border-style:none}svg:not(:root){overflow:hidden}button,input,optgroup,select,textarea{font-family:sans-serif;font-size:100%;line-height:1.15;margin:0}button,input{overflow:visible}button,select{text-transform:none}[type=reset],[type=submit],button,html [type=button]{-webkit-appearance:button}[type=button]::-moz-focus-inner,[type=reset]::-moz-focus-inner,[type=submit]::-moz-focus-inner,button::-moz-focus-inner{border-style:none;padding:0}[type=button]:-moz-focusring,[type=reset]:-moz-focusring,[type=submit]:-moz-focusring,button:-moz-focusring{outline:1px dotted ButtonText}fieldset{padding:.35em .75em .625em}legend{box-sizing:border-box;color:inherit;display:table;max-width:100%;padding:0;white-space:normal}progress{display:inline-block;vertical-align:baseline}textarea{overflow:auto}[type=checkbox],[type=radio]{box-sizing:border-box;padding:0}[type=number]::-webkit-inner-spin-button,[type=number]::-webkit-outer-spin-button{height:auto}[type=search]{-webkit-appearance:textfield;outline-offset:-2px}[type=search]::-webkit-search-cancel-button,[type=search]::-webkit-search-decoration{-webkit-appearance:none}::-webkit-file-upload-button{-webkit-appearance:button;font:inherit}details,menu{display:block}summary{display:list-item}canvas{display:inline-block}[hidden],template{display:none}.border-box,a,article,body,code,dd,div,dl,dt,fieldset,footer,form,h1,h2,h3,h4,h5,h6,header,html,input[type=email],input[type=number],input[type=password],input[type=tel],input[type=text],input[type=url],legend,li,main,ol,p,pre,section,table,td,textarea,th,tr,ul{box-sizing:border-box}img{max-width:100%}.cover{background-size:cover!important}.contain{background-size:contain!important}@media screen and (min-width:30em){.cover-ns{background-size:cover!important}.contain-ns{background-size:contain!important}}@media screen and (min-width:30em) and (max-width:60em){.cover-m{background-size:cover!important}.contain-m{background-size:contain!important}}@media screen and (min-width:60em){.cover-l{background-size:cover!important}.contain-l{background-size:contain!important}}.bg-center{background-position:50%}.bg-center,.bg-top{background-repeat:no-repeat}.bg-top{background-position:top}.bg-right{background-position:100%}.bg-bottom,.bg-right{background-repeat:no-repeat}.bg-bottom{background-position:bottom}.bg-left{background-repeat:no-repeat;background-position:0}@media screen and (min-width:30em){.bg-center-ns{background-position:50%}.bg-center-ns,.bg-top-ns{background-repeat:no-repeat}.bg-top-ns{background-position:top}.bg-right-ns{background-position:100%}.bg-bottom-ns,.bg-right-ns{background-repeat:no-repeat}.bg-bottom-ns{background-position:bottom}.bg-left-ns{background-repeat:no-repeat;background-position:0}}@media screen and (min-width:30em) and (max-width:60em){.bg-center-m{background-position:50%}.bg-center-m,.bg-top-m{background-repeat:no-repeat}.bg-top-m{background-position:top}.bg-right-m{background-position:100%}.bg-bottom-m,.bg-right-m{background-repeat:no-repeat}.bg-bottom-m{background-position:bottom}.bg-left-m{background-repeat:no-repeat;background-position:0}}@media screen and (min-width:60em){.bg-center-l{background-position:50%}.bg-center-l,.bg-top-l{background-repeat:no-repeat}.bg-top-l{background-position:top}.bg-right-l{background-position:100%}.bg-bottom-l,.bg-right-l{background-repeat:no-repeat}.bg-bottom-l{background-position:bottom}.bg-left-l{background-repeat:no-repeat;background-position:0}}.ba{border-style:solid;border-width:1px}.bt{border-top-style:solid;border-top-width:1px}.br{border-right-style:solid;border-right-width:1px}.bb{border-bottom-style:solid;border-bottom-width:1px}.bl{border-left-style:solid;border-left-width:1px}.bn{border-style:none;border-width:0}@media screen and (min-width:30em){.ba-ns{border-style:solid;border-width:1px}.bt-ns{border-top-style:solid;border-top-width:1px}.br-ns{border-right-style:solid;border-right-width:1px}.bb-ns{border-bottom-style:solid;border-bottom-width:1px}.bl-ns{border-left-style:solid;border-left-width:1px}.bn-ns{border-style:none;border-width:0}}@media screen and (min-width:30em) and (max-width:60em){.ba-m{border-style:solid;border-width:1px}.bt-m{border-top-style:solid;border-top-width:1px}.br-m{border-right-style:solid;border-right-width:1px}.bb-m{border-bottom-style:solid;border-bottom-width:1px}.bl-m{border-left-style:solid;border-left-width:1px}.bn-m{border-style:none;border-width:0}}@media screen and (min-width:60em){.ba-l{border-style:solid;border-width:1px}.bt-l{border-top-style:solid;border-top-width:1px}.br-l{border-right-style:solid;border-right-width:1px}.bb-l{border-bottom-style:solid;border-bottom-width:1px}.bl-l{border-left-style:solid;border-left-width:1px}.bn-l{border-style:none;border-width:0}}.b--black{border-color:#000}.b--near-black{border-color:#111}.b--dark-gray{border-color:#333}.b--mid-gray{border-color:#555}.b--gray{border-color:#777}.b--silver{border-color:#999}.b--light-silver{border-color:#aaa}.b--moon-gray{border-color:#ccc}.b--light-gray{border-color:#eee}.b--near-white{border-color:#f4f4f4}.b--white{border-color:#fff}.b--white-90{border-color:hsla(0,0%,100%,.9)}.b--white-80{border-color:hsla(0,0%,100%,.8)}.b--white-70{border-color:hsla(0,0%,100%,.7)}.b--white-60{border-color:hsla(0,0%,100%,.6)}.b--white-50{border-color:hsla(0,0%,100%,.5)}.b--white-40{border-color:hsla(0,0%,100%,.4)}.b--white-30{border-color:hsla(0,0%,100%,.3)}.b--white-20{border-color:hsla(0,0%,100%,.2)}.b--white-10{border-color:hsla(0,0%,100%,.1)}.b--white-05{border-color:hsla(0,0%,100%,.05)}.b--white-025{border-color:hsla(0,0%,100%,.025)}.b--white-0125{border-color:hsla(0,0%,100%,.0125)}.b--black-90{border-color:rgba(0,0,0,.9)}.b--black-80{border-color:rgba(0,0,0,.8)}.b--black-70{border-color:rgba(0,0,0,.7)}.b--black-60{border-color:rgba(0,0,0,.6)}.b--black-50{border-color:rgba(0,0,0,.5)}.b--black-40{border-color:rgba(0,0,0,.4)}.b--black-30{border-color:rgba(0,0,0,.3)}.b--black-20{border-color:rgba(0,0,0,.2)}.b--black-10{border-color:rgba(0,0,0,.1)}.b--black-05{border-color:rgba(0,0,0,.05)}.b--black-025{border-color:rgba(0,0,0,.025)}.b--black-0125{border-color:rgba(0,0,0,.0125)}.b--dark-red{border-color:#e7040f}.b--red{border-color:#ff4136}.b--light-red{border-color:#ff725c}.b--orange{border-color:#ff6300}.b--gold{border-color:#ffb700}.b--yellow{border-color:gold}.b--light-yellow{border-color:#fbf1a9}.b--purple{border-color:#5e2ca5}.b--light-purple{border-color:#a463f2}.b--dark-pink{border-color:#d5008f}.b--hot-pink{border-color:#ff41b4}.b--pink{border-color:#ff80cc}.b--light-pink{border-color:#ffa3d7}.b--dark-green{border-color:#137752}.b--green{border-color:#19a974}.b--light-green{border-color:#9eebcf}.b--navy{border-color:#001b44}.b--dark-blue{border-color:#00449e}.b--blue{border-color:#0594cb}.b--light-blue{border-color:#96ccff}.b--lightest-blue{border-color:#cdecff}.b--washed-blue{border-color:#f6fffe}.b--washed-green{border-color:#e8fdf5}.b--washed-yellow{border-color:#fffceb}.b--washed-red{border-color:#ffdfdf}.b--transparent{border-color:transparent}.b--inherit{border-color:inherit}.br0{border-radius:0}.br1{border-radius:.125rem}.br2{border-radius:.25rem}.br3{border-radius:.5rem}.br4{border-radius:1rem}.br-100{border-radius:100%}.br-pill{border-radius:9999px}.br--bottom{border-top-left-radius:0;border-top-right-radius:0}.br--top{border-bottom-right-radius:0}.br--right,.br--top{border-bottom-left-radius:0}.br--right{border-top-left-radius:0}.br--left{border-top-right-radius:0;border-bottom-right-radius:0}@media screen and (min-width:30em){.br0-ns{border-radius:0}.br1-ns{border-radius:.125rem}.br2-ns{border-radius:.25rem}.br3-ns{border-radius:.5rem}.br4-ns{border-radius:1rem}.br-100-ns{border-radius:100%}.br-pill-ns{border-radius:9999px}.br--bottom-ns{border-top-left-radius:0;border-top-right-radius:0}.br--top-ns{border-bottom-right-radius:0}.br--right-ns,.br--top-ns{border-bottom-left-radius:0}.br--right-ns{border-top-left-radius:0}.br--left-ns{border-top-right-radius:0;border-bottom-right-radius:0}}@media screen and (min-width:30em) and (max-width:60em){.br0-m{border-radius:0}.br1-m{border-radius:.125rem}.br2-m{border-radius:.25rem}.br3-m{border-radius:.5rem}.br4-m{border-radius:1rem}.br-100-m{border-radius:100%}.br-pill-m{border-radius:9999px}.br--bottom-m{border-top-left-radius:0;border-top-right-radius:0}.br--top-m{border-bottom-right-radius:0}.br--right-m,.br--top-m{border-bottom-left-radius:0}.br--right-m{border-top-left-radius:0}.br--left-m{border-top-right-radius:0;border-bottom-right-radius:0}}@media screen and (min-width:60em){.br0-l{border-radius:0}.br1-l{border-radius:.125rem}.br2-l{border-radius:.25rem}.br3-l{border-radius:.5rem}.br4-l{border-radius:1rem}.br-100-l{border-radius:100%}.br-pill-l{border-radius:9999px}.br--bottom-l{border-top-left-radius:0;border-top-right-radius:0}.br--top-l{border-bottom-right-radius:0}.br--right-l,.br--top-l{border-bottom-left-radius:0}.br--right-l{border-top-left-radius:0}.br--left-l{border-top-right-radius:0;border-bottom-right-radius:0}}.b--dotted{border-style:dotted}.b--dashed{border-style:dashed}.b--solid{border-style:solid}.b--none{border-style:none}@media screen and (min-width:30em){.b--dotted-ns{border-style:dotted}.b--dashed-ns{border-style:dashed}.b--solid-ns{border-style:solid}.b--none-ns{border-style:none}}@media screen and (min-width:30em) and (max-width:60em){.b--dotted-m{border-style:dotted}.b--dashed-m{border-style:dashed}.b--solid-m{border-style:solid}.b--none-m{border-style:none}}@media screen and (min-width:60em){.b--dotted-l{border-style:dotted}.b--dashed-l{border-style:dashed}.b--solid-l{border-style:solid}.b--none-l{border-style:none}}.bw0{border-width:0}.bw1{border-width:.125rem}.bw2{border-width:.25rem}.bw3{border-width:.5rem}.bw4{border-width:1rem}.bw5{border-width:2rem}.bt-0{border-top-width:0}.br-0{border-right-width:0}.bb-0{border-bottom-width:0}.bl-0{border-left-width:0}@media screen and (min-width:30em){.bw0-ns{border-width:0}.bw1-ns{border-width:.125rem}.bw2-ns{border-width:.25rem}.bw3-ns{border-width:.5rem}.bw4-ns{border-width:1rem}.bw5-ns{border-width:2rem}.bt-0-ns{border-top-width:0}.br-0-ns{border-right-width:0}.bb-0-ns{border-bottom-width:0}.bl-0-ns{border-left-width:0}}@media screen and (min-width:30em) and (max-width:60em){.bw0-m{border-width:0}.bw1-m{border-width:.125rem}.bw2-m{border-width:.25rem}.bw3-m{border-width:.5rem}.bw4-m{border-width:1rem}.bw5-m{border-width:2rem}.bt-0-m{border-top-width:0}.br-0-m{border-right-width:0}.bb-0-m{border-bottom-width:0}.bl-0-m{border-left-width:0}}@media screen and (min-width:60em){.bw0-l{border-width:0}.bw1-l{border-width:.125rem}.bw2-l{border-width:.25rem}.bw3-l{border-width:.5rem}.bw4-l{border-width:1rem}.bw5-l{border-width:2rem}.bt-0-l{border-top-width:0}.br-0-l{border-right-width:0}.bb-0-l{border-bottom-width:0}.bl-0-l{border-left-width:0}}.shadow-1{box-shadow:0 0 4px 2px rgba(0,0,0,.2)}.shadow-2{box-shadow:0 0 8px 2px rgba(0,0,0,.2)}.shadow-3{box-shadow:2px 2px 4px 2px rgba(0,0,0,.2)}.shadow-4{box-shadow:2px 2px 8px 0 rgba(0,0,0,.2)}.shadow-5{box-shadow:4px 4px 8px 0 rgba(0,0,0,.2)}@media screen and (min-width:30em){.shadow-1-ns{box-shadow:0 0 4px 2px rgba(0,0,0,.2)}.shadow-2-ns{box-shadow:0 0 8px 2px rgba(0,0,0,.2)}.shadow-3-ns{box-shadow:2px 2px 4px 2px rgba(0,0,0,.2)}.shadow-4-ns{box-shadow:2px 2px 8px 0 rgba(0,0,0,.2)}.shadow-5-ns{box-shadow:4px 4px 8px 0 rgba(0,0,0,.2)}}@media screen and (min-width:30em) and (max-width:60em){.shadow-1-m{box-shadow:0 0 4px 2px rgba(0,0,0,.2)}.shadow-2-m{box-shadow:0 0 8px 2px rgba(0,0,0,.2)}.shadow-3-m{box-shadow:2px 2px 4px 2px rgba(0,0,0,.2)}.shadow-4-m{box-shadow:2px 2px 8px 0 rgba(0,0,0,.2)}.shadow-5-m{box-shadow:4px 4px 8px 0 rgba(0,0,0,.2)}}@media screen and (min-width:60em){.shadow-1-l{box-shadow:0 0 4px 2px rgba(0,0,0,.2)}.shadow-2-l{box-shadow:0 0 8px 2px rgba(0,0,0,.2)}.shadow-3-l{box-shadow:2px 2px 4px 2px rgba(0,0,0,.2)}.shadow-4-l{box-shadow:2px 2px 8px 0 rgba(0,0,0,.2)}.shadow-5-l{box-shadow:4px 4px 8px 0 rgba(0,0,0,.2)}}.top-0{top:0}.right-0{right:0}.bottom-0{bottom:0}.left-0{left:0}.top-1{top:1rem}.right-1{right:1rem}.bottom-1{bottom:1rem}.left-1{left:1rem}.top-2{top:2rem}.right-2{right:2rem}.bottom-2{bottom:2rem}.left-2{left:2rem}.top--1{top:-1rem}.right--1{right:-1rem}.bottom--1{bottom:-1rem}.left--1{left:-1rem}.top--2{top:-2rem}.right--2{right:-2rem}.bottom--2{bottom:-2rem}.left--2{left:-2rem}.absolute--fill{top:0;right:0;bottom:0;left:0}@media screen and (min-width:30em){.top-0-ns{top:0}.left-0-ns{left:0}.right-0-ns{right:0}.bottom-0-ns{bottom:0}.top-1-ns{top:1rem}.left-1-ns{left:1rem}.right-1-ns{right:1rem}.bottom-1-ns{bottom:1rem}.top-2-ns{top:2rem}.left-2-ns{left:2rem}.right-2-ns{right:2rem}.bottom-2-ns{bottom:2rem}.top--1-ns{top:-1rem}.right--1-ns{right:-1rem}.bottom--1-ns{bottom:-1rem}.left--1-ns{left:-1rem}.top--2-ns{top:-2rem}.right--2-ns{right:-2rem}.bottom--2-ns{bottom:-2rem}.left--2-ns{left:-2rem}.absolute--fill-ns{top:0;right:0;bottom:0;left:0}}@media screen and (min-width:30em) and (max-width:60em){.top-0-m{top:0}.left-0-m{left:0}.right-0-m{right:0}.bottom-0-m{bottom:0}.top-1-m{top:1rem}.left-1-m{left:1rem}.right-1-m{right:1rem}.bottom-1-m{bottom:1rem}.top-2-m{top:2rem}.left-2-m{left:2rem}.right-2-m{right:2rem}.bottom-2-m{bottom:2rem}.top--1-m{top:-1rem}.right--1-m{right:-1rem}.bottom--1-m{bottom:-1rem}.left--1-m{left:-1rem}.top--2-m{top:-2rem}.right--2-m{right:-2rem}.bottom--2-m{bottom:-2rem}.left--2-m{left:-2rem}.absolute--fill-m{top:0;right:0;bottom:0;left:0}}@media screen and (min-width:60em){.top-0-l{top:0}.left-0-l{left:0}.right-0-l{right:0}.bottom-0-l{bottom:0}.top-1-l{top:1rem}.left-1-l{left:1rem}.right-1-l{right:1rem}.bottom-1-l{bottom:1rem}.top-2-l{top:2rem}.left-2-l{left:2rem}.right-2-l{right:2rem}.bottom-2-l{bottom:2rem}.top--1-l{top:-1rem}.right--1-l{right:-1rem}.bottom--1-l{bottom:-1rem}.left--1-l{left:-1rem}.top--2-l{top:-2rem}.right--2-l{right:-2rem}.bottom--2-l{bottom:-2rem}.left--2-l{left:-2rem}.absolute--fill-l{top:0;right:0;bottom:0;left:0}}.cf:after,.cf:before{content:" ";display:table}.cf:after{clear:both}.cf{*zoom:1}.cl{clear:left}.cr{clear:right}.cb{clear:both}.cn{clear:none}@media screen and (min-width:30em){.cl-ns{clear:left}.cr-ns{clear:right}.cb-ns{clear:both}.cn-ns{clear:none}}@media screen and (min-width:30em) and (max-width:60em){.cl-m{clear:left}.cr-m{clear:right}.cb-m{clear:both}.cn-m{clear:none}}@media screen and (min-width:60em){.cl-l{clear:left}.cr-l{clear:right}.cb-l{clear:both}.cn-l{clear:none}}.dn{display:none}.di{display:inline}.db{display:block}.dib{display:inline-block}.dit{display:inline-table}.dt{display:table}.dtc{display:table-cell}.dt-row{display:table-row}.dt-row-group{display:table-row-group}.dt-column{display:table-column}.dt-column-group{display:table-column-group}.dt--fixed{table-layout:fixed;width:100%}@media screen and (min-width:30em){.dn-ns{display:none}.di-ns{display:inline}.db-ns{display:block}.dib-ns{display:inline-block}.dit-ns{display:inline-table}.dt-ns{display:table}.dtc-ns{display:table-cell}.dt-row-ns{display:table-row}.dt-row-group-ns{display:table-row-group}.dt-column-ns{display:table-column}.dt-column-group-ns{display:table-column-group}.dt--fixed-ns{table-layout:fixed;width:100%}}@media screen and (min-width:30em) and (max-width:60em){.dn-m{display:none}.di-m{display:inline}.db-m{display:block}.dib-m{display:inline-block}.dit-m{display:inline-table}.dt-m{display:table}.dtc-m{display:table-cell}.dt-row-m{display:table-row}.dt-row-group-m{display:table-row-group}.dt-column-m{display:table-column}.dt-column-group-m{display:table-column-group}.dt--fixed-m{table-layout:fixed;width:100%}}@media screen and (min-width:60em){.dn-l{display:none}.di-l{display:inline}.db-l{display:block}.dib-l{display:inline-block}.dit-l{display:inline-table}.dt-l{display:table}.dtc-l{display:table-cell}.dt-row-l{display:table-row}.dt-row-group-l{display:table-row-group}.dt-column-l{display:table-column}.dt-column-group-l{display:table-column-group}.dt--fixed-l{table-layout:fixed;width:100%}}.flex{display:-webkit-box;display:-ms-flexbox;display:flex}.inline-flex{display:-webkit-inline-box;display:-ms-inline-flexbox;display:inline-flex}.flex-auto{-webkit-box-flex:1;-ms-flex:1 1 auto;flex:1 1 auto;min-width:0;min-height:0}.flex-none{-webkit-box-flex:0;-ms-flex:none;flex:none}.flex-column{-webkit-box-orient:vertical;-ms-flex-direction:column;flex-direction:column}.flex-column,.flex-row{-webkit-box-direction:normal}.flex-row{-webkit-box-orient:horizontal;-ms-flex-direction:row;flex-direction:row}.flex-wrap{-ms-flex-wrap:wrap;flex-wrap:wrap}.flex-nowrap{-ms-flex-wrap:nowrap;flex-wrap:nowrap}.flex-wrap-reverse{-ms-flex-wrap:wrap-reverse;flex-wrap:wrap-reverse}.flex-column-reverse{-webkit-box-orient:vertical;-webkit-box-direction:reverse;-ms-flex-direction:column-reverse;flex-direction:column-reverse}.flex-row-reverse{-webkit-box-orient:horizontal;-webkit-box-direction:reverse;-ms-flex-direction:row-reverse;flex-direction:row-reverse}.items-start{-webkit-box-align:start;-ms-flex-align:start;align-items:flex-start}.items-end{-webkit-box-align:end;-ms-flex-align:end;align-items:flex-end}.items-center{-webkit-box-align:center;-ms-flex-align:center;align-items:center}.items-baseline{-webkit-box-align:baseline;-ms-flex-align:baseline;align-items:baseline}.items-stretch{-webkit-box-align:stretch;-ms-flex-align:stretch;align-items:stretch}.self-start{-ms-flex-item-align:start;align-self:flex-start}.self-end{-ms-flex-item-align:end;align-self:flex-end}.self-center{-ms-flex-item-align:center;-ms-grid-row-align:center;align-self:center}.self-baseline{-ms-flex-item-align:baseline;align-self:baseline}.self-stretch{-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch}.justify-start{-webkit-box-pack:start;-ms-flex-pack:start;justify-content:flex-start}.justify-end{-webkit-box-pack:end;-ms-flex-pack:end;justify-content:flex-end}.justify-center{-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center}.justify-between{-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between}.justify-around{-ms-flex-pack:distribute;justify-content:space-around}.content-start{-ms-flex-line-pack:start;align-content:flex-start}.content-end{-ms-flex-line-pack:end;align-content:flex-end}.content-center{-ms-flex-line-pack:center;align-content:center}.content-between{-ms-flex-line-pack:justify;align-content:space-between}.content-around{-ms-flex-line-pack:distribute;align-content:space-around}.content-stretch{-ms-flex-line-pack:stretch;align-content:stretch}.order-0{-webkit-box-ordinal-group:1;-ms-flex-order:0;order:0}.order-1{-webkit-box-ordinal-group:2;-ms-flex-order:1;order:1}.order-2{-webkit-box-ordinal-group:3;-ms-flex-order:2;order:2}.order-3{-webkit-box-ordinal-group:4;-ms-flex-order:3;order:3}.order-4{-webkit-box-ordinal-group:5;-ms-flex-order:4;order:4}.order-5{-webkit-box-ordinal-group:6;-ms-flex-order:5;order:5}.order-6{-webkit-box-ordinal-group:7;-ms-flex-order:6;order:6}.order-7{-webkit-box-ordinal-group:8;-ms-flex-order:7;order:7}.order-8{-webkit-box-ordinal-group:9;-ms-flex-order:8;order:8}.order-last{-webkit-box-ordinal-group:100000;-ms-flex-order:99999;order:99999}@media screen and (min-width:30em){.flex-ns{display:-webkit-box;display:-ms-flexbox;display:flex}.inline-flex-ns{display:-webkit-inline-box;display:-ms-inline-flexbox;display:inline-flex}.flex-auto-ns{-webkit-box-flex:1;-ms-flex:1 1 auto;flex:1 1 auto;min-width:0;min-height:0}.flex-none-ns{-webkit-box-flex:0;-ms-flex:none;flex:none}.flex-column-ns{-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column}.flex-row-ns{-webkit-box-orient:horizontal;-webkit-box-direction:normal;-ms-flex-direction:row;flex-direction:row}.flex-wrap-ns{-ms-flex-wrap:wrap;flex-wrap:wrap}.flex-nowrap-ns{-ms-flex-wrap:nowrap;flex-wrap:nowrap}.flex-wrap-reverse-ns{-ms-flex-wrap:wrap-reverse;flex-wrap:wrap-reverse}.flex-column-reverse-ns{-webkit-box-orient:vertical;-webkit-box-direction:reverse;-ms-flex-direction:column-reverse;flex-direction:column-reverse}.flex-row-reverse-ns{-webkit-box-orient:horizontal;-webkit-box-direction:reverse;-ms-flex-direction:row-reverse;flex-direction:row-reverse}.items-start-ns{-webkit-box-align:start;-ms-flex-align:start;align-items:flex-start}.items-end-ns{-webkit-box-align:end;-ms-flex-align:end;align-items:flex-end}.items-center-ns{-webkit-box-align:center;-ms-flex-align:center;align-items:center}.items-baseline-ns{-webkit-box-align:baseline;-ms-flex-align:baseline;align-items:baseline}.items-stretch-ns{-webkit-box-align:stretch;-ms-flex-align:stretch;align-items:stretch}.self-start-ns{-ms-flex-item-align:start;align-self:flex-start}.self-end-ns{-ms-flex-item-align:end;align-self:flex-end}.self-center-ns{-ms-flex-item-align:center;-ms-grid-row-align:center;align-self:center}.self-baseline-ns{-ms-flex-item-align:baseline;align-self:baseline}.self-stretch-ns{-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch}.justify-start-ns{-webkit-box-pack:start;-ms-flex-pack:start;justify-content:flex-start}.justify-end-ns{-webkit-box-pack:end;-ms-flex-pack:end;justify-content:flex-end}.justify-center-ns{-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center}.justify-between-ns{-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between}.justify-around-ns{-ms-flex-pack:distribute;justify-content:space-around}.content-start-ns{-ms-flex-line-pack:start;align-content:flex-start}.content-end-ns{-ms-flex-line-pack:end;align-content:flex-end}.content-center-ns{-ms-flex-line-pack:center;align-content:center}.content-between-ns{-ms-flex-line-pack:justify;align-content:space-between}.content-around-ns{-ms-flex-line-pack:distribute;align-content:space-around}.content-stretch-ns{-ms-flex-line-pack:stretch;align-content:stretch}.order-0-ns{-webkit-box-ordinal-group:1;-ms-flex-order:0;order:0}.order-1-ns{-webkit-box-ordinal-group:2;-ms-flex-order:1;order:1}.order-2-ns{-webkit-box-ordinal-group:3;-ms-flex-order:2;order:2}.order-3-ns{-webkit-box-ordinal-group:4;-ms-flex-order:3;order:3}.order-4-ns{-webkit-box-ordinal-group:5;-ms-flex-order:4;order:4}.order-5-ns{-webkit-box-ordinal-group:6;-ms-flex-order:5;order:5}.order-6-ns{-webkit-box-ordinal-group:7;-ms-flex-order:6;order:6}.order-7-ns{-webkit-box-ordinal-group:8;-ms-flex-order:7;order:7}.order-8-ns{-webkit-box-ordinal-group:9;-ms-flex-order:8;order:8}.order-last-ns{-webkit-box-ordinal-group:100000;-ms-flex-order:99999;order:99999}}@media screen and (min-width:30em) and (max-width:60em){.flex-m{display:-webkit-box;display:-ms-flexbox;display:flex}.inline-flex-m{display:-webkit-inline-box;display:-ms-inline-flexbox;display:inline-flex}.flex-auto-m{-webkit-box-flex:1;-ms-flex:1 1 auto;flex:1 1 auto;min-width:0;min-height:0}.flex-none-m{-webkit-box-flex:0;-ms-flex:none;flex:none}.flex-column-m{-webkit-box-orient:vertical;-ms-flex-direction:column;flex-direction:column}.flex-column-m,.flex-row-m{-webkit-box-direction:normal}.flex-row-m{-webkit-box-orient:horizontal;-ms-flex-direction:row;flex-direction:row}.flex-wrap-m{-ms-flex-wrap:wrap;flex-wrap:wrap}.flex-nowrap-m{-ms-flex-wrap:nowrap;flex-wrap:nowrap}.flex-wrap-reverse-m{-ms-flex-wrap:wrap-reverse;flex-wrap:wrap-reverse}.flex-column-reverse-m{-webkit-box-orient:vertical;-webkit-box-direction:reverse;-ms-flex-direction:column-reverse;flex-direction:column-reverse}.flex-row-reverse-m{-webkit-box-orient:horizontal;-webkit-box-direction:reverse;-ms-flex-direction:row-reverse;flex-direction:row-reverse}.items-start-m{-webkit-box-align:start;-ms-flex-align:start;align-items:flex-start}.items-end-m{-webkit-box-align:end;-ms-flex-align:end;align-items:flex-end}.items-center-m{-webkit-box-align:center;-ms-flex-align:center;align-items:center}.items-baseline-m{-webkit-box-align:baseline;-ms-flex-align:baseline;align-items:baseline}.items-stretch-m{-webkit-box-align:stretch;-ms-flex-align:stretch;align-items:stretch}.self-start-m{-ms-flex-item-align:start;align-self:flex-start}.self-end-m{-ms-flex-item-align:end;align-self:flex-end}.self-center-m{-ms-flex-item-align:center;-ms-grid-row-align:center;align-self:center}.self-baseline-m{-ms-flex-item-align:baseline;align-self:baseline}.self-stretch-m{-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch}.justify-start-m{-webkit-box-pack:start;-ms-flex-pack:start;justify-content:flex-start}.justify-end-m{-webkit-box-pack:end;-ms-flex-pack:end;justify-content:flex-end}.justify-center-m{-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center}.justify-between-m{-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between}.justify-around-m{-ms-flex-pack:distribute;justify-content:space-around}.content-start-m{-ms-flex-line-pack:start;align-content:flex-start}.content-end-m{-ms-flex-line-pack:end;align-content:flex-end}.content-center-m{-ms-flex-line-pack:center;align-content:center}.content-between-m{-ms-flex-line-pack:justify;align-content:space-between}.content-around-m{-ms-flex-line-pack:distribute;align-content:space-around}.content-stretch-m{-ms-flex-line-pack:stretch;align-content:stretch}.order-0-m{-webkit-box-ordinal-group:1;-ms-flex-order:0;order:0}.order-1-m{-webkit-box-ordinal-group:2;-ms-flex-order:1;order:1}.order-2-m{-webkit-box-ordinal-group:3;-ms-flex-order:2;order:2}.order-3-m{-webkit-box-ordinal-group:4;-ms-flex-order:3;order:3}.order-4-m{-webkit-box-ordinal-group:5;-ms-flex-order:4;order:4}.order-5-m{-webkit-box-ordinal-group:6;-ms-flex-order:5;order:5}.order-6-m{-webkit-box-ordinal-group:7;-ms-flex-order:6;order:6}.order-7-m{-webkit-box-ordinal-group:8;-ms-flex-order:7;order:7}.order-8-m{-webkit-box-ordinal-group:9;-ms-flex-order:8;order:8}.order-last-m{-webkit-box-ordinal-group:100000;-ms-flex-order:99999;order:99999}}@media screen and (min-width:60em){.flex-l{display:-webkit-box;display:-ms-flexbox;display:flex}.inline-flex-l{display:-webkit-inline-box;display:-ms-inline-flexbox;display:inline-flex}.flex-auto-l{-webkit-box-flex:1;-ms-flex:1 1 auto;flex:1 1 auto;min-width:0;min-height:0}.flex-none-l{-webkit-box-flex:0;-ms-flex:none;flex:none}.flex-column-l{-webkit-box-orient:vertical;-ms-flex-direction:column;flex-direction:column}.flex-column-l,.flex-row-l{-webkit-box-direction:normal}.flex-row-l{-webkit-box-orient:horizontal;-ms-flex-direction:row;flex-direction:row}.flex-wrap-l{-ms-flex-wrap:wrap;flex-wrap:wrap}.flex-nowrap-l{-ms-flex-wrap:nowrap;flex-wrap:nowrap}.flex-wrap-reverse-l{-ms-flex-wrap:wrap-reverse;flex-wrap:wrap-reverse}.flex-column-reverse-l{-webkit-box-orient:vertical;-webkit-box-direction:reverse;-ms-flex-direction:column-reverse;flex-direction:column-reverse}.flex-row-reverse-l{-webkit-box-orient:horizontal;-webkit-box-direction:reverse;-ms-flex-direction:row-reverse;flex-direction:row-reverse}.items-start-l{-webkit-box-align:start;-ms-flex-align:start;align-items:flex-start}.items-end-l{-webkit-box-align:end;-ms-flex-align:end;align-items:flex-end}.items-center-l{-webkit-box-align:center;-ms-flex-align:center;align-items:center}.items-baseline-l{-webkit-box-align:baseline;-ms-flex-align:baseline;align-items:baseline}.items-stretch-l{-webkit-box-align:stretch;-ms-flex-align:stretch;align-items:stretch}.self-start-l{-ms-flex-item-align:start;align-self:flex-start}.self-end-l{-ms-flex-item-align:end;align-self:flex-end}.self-center-l{-ms-flex-item-align:center;-ms-grid-row-align:center;align-self:center}.self-baseline-l{-ms-flex-item-align:baseline;align-self:baseline}.self-stretch-l{-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch}.justify-start-l{-webkit-box-pack:start;-ms-flex-pack:start;justify-content:flex-start}.justify-end-l{-webkit-box-pack:end;-ms-flex-pack:end;justify-content:flex-end}.justify-center-l{-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center}.justify-between-l{-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between}.justify-around-l{-ms-flex-pack:distribute;justify-content:space-around}.content-start-l{-ms-flex-line-pack:start;align-content:flex-start}.content-end-l{-ms-flex-line-pack:end;align-content:flex-end}.content-center-l{-ms-flex-line-pack:center;align-content:center}.content-between-l{-ms-flex-line-pack:justify;align-content:space-between}.content-around-l{-ms-flex-line-pack:distribute;align-content:space-around}.content-stretch-l{-ms-flex-line-pack:stretch;align-content:stretch}.order-0-l{-webkit-box-ordinal-group:1;-ms-flex-order:0;order:0}.order-1-l{-webkit-box-ordinal-group:2;-ms-flex-order:1;order:1}.order-2-l{-webkit-box-ordinal-group:3;-ms-flex-order:2;order:2}.order-3-l{-webkit-box-ordinal-group:4;-ms-flex-order:3;order:3}.order-4-l{-webkit-box-ordinal-group:5;-ms-flex-order:4;order:4}.order-5-l{-webkit-box-ordinal-group:6;-ms-flex-order:5;order:5}.order-6-l{-webkit-box-ordinal-group:7;-ms-flex-order:6;order:6}.order-7-l{-webkit-box-ordinal-group:8;-ms-flex-order:7;order:7}.order-8-l{-webkit-box-ordinal-group:9;-ms-flex-order:8;order:8}.order-last-l{-webkit-box-ordinal-group:100000;-ms-flex-order:99999;order:99999}}.fl{float:left}.fl,.fr{_display:inline}.fr{float:right}.fn{float:none}@media screen and (min-width:30em){.fl-ns{float:left}.fl-ns,.fr-ns{_display:inline}.fr-ns{float:right}.fn-ns{float:none}}@media screen and (min-width:30em) and (max-width:60em){.fl-m{float:left}.fl-m,.fr-m{_display:inline}.fr-m{float:right}.fn-m{float:none}}@media screen and (min-width:60em){.fl-l{float:left}.fl-l,.fr-l{_display:inline}.fr-l{float:right}.fn-l{float:none}}.i{font-style:italic}.fs-normal{font-style:normal}@media screen and (min-width:30em){.i-ns{font-style:italic}.fs-normal-ns{font-style:normal}}@media screen and (min-width:30em) and (max-width:60em){.i-m{font-style:italic}.fs-normal-m{font-style:normal}}@media screen and (min-width:60em){.i-l{font-style:italic}.fs-normal-l{font-style:normal}}.normal{font-weight:400}.b{font-weight:700}.fw1{font-weight:100}.fw2{font-weight:200}.fw3{font-weight:300}.fw4{font-weight:400}.fw5{font-weight:500}.fw6{font-weight:600}.fw7{font-weight:700}.fw8{font-weight:800}.fw9{font-weight:900}@media screen and (min-width:30em){.normal-ns{font-weight:400}.b-ns{font-weight:700}.fw1-ns{font-weight:100}.fw2-ns{font-weight:200}.fw3-ns{font-weight:300}.fw4-ns{font-weight:400}.fw5-ns{font-weight:500}.fw6-ns{font-weight:600}.fw7-ns{font-weight:700}.fw8-ns{font-weight:800}.fw9-ns{font-weight:900}}@media screen and (min-width:30em) and (max-width:60em){.normal-m{font-weight:400}.b-m{font-weight:700}.fw1-m{font-weight:100}.fw2-m{font-weight:200}.fw3-m{font-weight:300}.fw4-m{font-weight:400}.fw5-m{font-weight:500}.fw6-m{font-weight:600}.fw7-m{font-weight:700}.fw8-m{font-weight:800}.fw9-m{font-weight:900}}@media screen and (min-width:60em){.normal-l{font-weight:400}.b-l{font-weight:700}.fw1-l{font-weight:100}.fw2-l{font-weight:200}.fw3-l{font-weight:300}.fw4-l{font-weight:400}.fw5-l{font-weight:500}.fw6-l{font-weight:600}.fw7-l{font-weight:700}.fw8-l{font-weight:800}.fw9-l{font-weight:900}}.input-reset{-webkit-appearance:none;-moz-appearance:none}.button-reset::-moz-focus-inner,.input-reset::-moz-focus-inner{border:0;padding:0}.h1{height:1rem}.h2{height:2rem}.h3{height:4rem}.h4{height:8rem}.h5{height:16rem}.h-25{height:25%}.h-50{height:50%}.h-75{height:75%}.h-100{height:100%}.min-h-100{min-height:100%}.vh-25{height:25vh}.vh-50{height:50vh}.vh-75{height:75vh}.vh-100{height:100vh}.min-vh-100{min-height:100vh}.h-auto{height:auto}.h-inherit{height:inherit}@media screen and (min-width:30em){.h1-ns{height:1rem}.h2-ns{height:2rem}.h3-ns{height:4rem}.h4-ns{height:8rem}.h5-ns{height:16rem}.h-25-ns{height:25%}.h-50-ns{height:50%}.h-75-ns{height:75%}.h-100-ns{height:100%}.min-h-100-ns{min-height:100%}.vh-25-ns{height:25vh}.vh-50-ns{height:50vh}.vh-75-ns{height:75vh}.vh-100-ns{height:100vh}.min-vh-100-ns{min-height:100vh}.h-auto-ns{height:auto}.h-inherit-ns{height:inherit}}@media screen and (min-width:30em) and (max-width:60em){.h1-m{height:1rem}.h2-m{height:2rem}.h3-m{height:4rem}.h4-m{height:8rem}.h5-m{height:16rem}.h-25-m{height:25%}.h-50-m{height:50%}.h-75-m{height:75%}.h-100-m{height:100%}.min-h-100-m{min-height:100%}.vh-25-m{height:25vh}.vh-50-m{height:50vh}.vh-75-m{height:75vh}.vh-100-m{height:100vh}.min-vh-100-m{min-height:100vh}.h-auto-m{height:auto}.h-inherit-m{height:inherit}}@media screen and (min-width:60em){.h1-l{height:1rem}.h2-l{height:2rem}.h3-l{height:4rem}.h4-l{height:8rem}.h5-l{height:16rem}.h-25-l{height:25%}.h-50-l{height:50%}.h-75-l{height:75%}.h-100-l{height:100%}.min-h-100-l{min-height:100%}.vh-25-l{height:25vh}.vh-50-l{height:50vh}.vh-75-l{height:75vh}.vh-100-l{height:100vh}.min-vh-100-l{min-height:100vh}.h-auto-l{height:auto}.h-inherit-l{height:inherit}}.tracked{letter-spacing:.1em}.tracked-tight{letter-spacing:-.05em}.tracked-mega{letter-spacing:.25em}@media screen and (min-width:30em){.tracked-ns{letter-spacing:.1em}.tracked-tight-ns{letter-spacing:-.05em}.tracked-mega-ns{letter-spacing:.25em}}@media screen and (min-width:30em) and (max-width:60em){.tracked-m{letter-spacing:.1em}.tracked-tight-m{letter-spacing:-.05em}.tracked-mega-m{letter-spacing:.25em}}@media screen and (min-width:60em){.tracked-l{letter-spacing:.1em}.tracked-tight-l{letter-spacing:-.05em}.tracked-mega-l{letter-spacing:.25em}}.lh-solid{line-height:1}.lh-title{line-height:1.25}.lh-copy{line-height:1.5}@media screen and (min-width:30em){.lh-solid-ns{line-height:1}.lh-title-ns{line-height:1.25}.lh-copy-ns{line-height:1.5}}@media screen and (min-width:30em) and (max-width:60em){.lh-solid-m{line-height:1}.lh-title-m{line-height:1.25}.lh-copy-m{line-height:1.5}}@media screen and (min-width:60em){.lh-solid-l{line-height:1}.lh-title-l{line-height:1.25}.lh-copy-l{line-height:1.5}}.link{text-decoration:none}.link,.link:active,.link:focus,.link:hover,.link:link,.link:visited{transition:color .15s ease-in}.link:focus{outline:1px dotted currentColor}.list{list-style-type:none}.mw-100{max-width:100%}.mw1{max-width:1rem}.mw2{max-width:2rem}.mw3{max-width:4rem}.mw4{max-width:8rem}.mw5{max-width:16rem}.mw6{max-width:32rem}.mw7{max-width:48rem}.mw8{max-width:64rem}.mw9{max-width:96rem}.mw-none{max-width:none}@media screen and (min-width:30em){.mw-100-ns{max-width:100%}.mw1-ns{max-width:1rem}.mw2-ns{max-width:2rem}.mw3-ns{max-width:4rem}.mw4-ns{max-width:8rem}.mw5-ns{max-width:16rem}.mw6-ns{max-width:32rem}.mw7-ns{max-width:48rem}.mw8-ns{max-width:64rem}.mw9-ns{max-width:96rem}.mw-none-ns{max-width:none}}@media screen and (min-width:30em) and (max-width:60em){.mw-100-m{max-width:100%}.mw1-m{max-width:1rem}.mw2-m{max-width:2rem}.mw3-m{max-width:4rem}.mw4-m{max-width:8rem}.mw5-m{max-width:16rem}.mw6-m{max-width:32rem}.mw7-m{max-width:48rem}.mw8-m{max-width:64rem}.mw9-m{max-width:96rem}.mw-none-m{max-width:none}}@media screen and (min-width:60em){.mw-100-l{max-width:100%}.mw1-l{max-width:1rem}.mw2-l{max-width:2rem}.mw3-l{max-width:4rem}.mw4-l{max-width:8rem}.mw5-l{max-width:16rem}.mw6-l{max-width:32rem}.mw7-l{max-width:48rem}.mw8-l{max-width:64rem}.mw9-l{max-width:96rem}.mw-none-l{max-width:none}}.w1{width:1rem}.w2{width:2rem}.w3{width:4rem}.w4{width:8rem}.w5{width:16rem}.w-10{width:10%}.w-20{width:20%}.w-25{width:25%}.w-30{width:30%}.w-33{width:33%}.w-34{width:34%}.w-40{width:40%}.w-50{width:50%}.w-60{width:60%}.w-70{width:70%}.w-75{width:75%}.w-80{width:80%}.w-90{width:90%}.w-100{width:100%}.w-third{width:33.33333%}.w-two-thirds{width:66.66667%}.w-auto{width:auto}@media screen and (min-width:30em){.w1-ns{width:1rem}.w2-ns{width:2rem}.w3-ns{width:4rem}.w4-ns{width:8rem}.w5-ns{width:16rem}.w-10-ns{width:10%}.w-20-ns{width:20%}.w-25-ns{width:25%}.w-30-ns{width:30%}.w-33-ns{width:33%}.w-34-ns{width:34%}.w-40-ns{width:40%}.w-50-ns{width:50%}.w-60-ns{width:60%}.w-70-ns{width:70%}.w-75-ns{width:75%}.w-80-ns{width:80%}.w-90-ns{width:90%}.w-100-ns{width:100%}.w-third-ns{width:33.33333%}.w-two-thirds-ns{width:66.66667%}.w-auto-ns{width:auto}}@media screen and (min-width:30em) and (max-width:60em){.w1-m{width:1rem}.w2-m{width:2rem}.w3-m{width:4rem}.w4-m{width:8rem}.w5-m{width:16rem}.w-10-m{width:10%}.w-20-m{width:20%}.w-25-m{width:25%}.w-30-m{width:30%}.w-33-m{width:33%}.w-34-m{width:34%}.w-40-m{width:40%}.w-50-m{width:50%}.w-60-m{width:60%}.w-70-m{width:70%}.w-75-m{width:75%}.w-80-m{width:80%}.w-90-m{width:90%}.w-100-m{width:100%}.w-third-m{width:33.33333%}.w-two-thirds-m{width:66.66667%}.w-auto-m{width:auto}}@media screen and (min-width:60em){.w1-l{width:1rem}.w2-l{width:2rem}.w3-l{width:4rem}.w4-l{width:8rem}.w5-l{width:16rem}.w-10-l{width:10%}.w-20-l{width:20%}.w-25-l{width:25%}.w-30-l{width:30%}.w-33-l{width:33%}.w-34-l{width:34%}.w-40-l{width:40%}.w-50-l{width:50%}.w-60-l{width:60%}.w-70-l{width:70%}.w-75-l{width:75%}.w-80-l{width:80%}.w-90-l{width:90%}.w-100-l{width:100%}.w-third-l{width:33.33333%}.w-two-thirds-l{width:66.66667%}.w-auto-l{width:auto}}.overflow-visible{overflow:visible}.overflow-hidden{overflow:hidden}.overflow-scroll{overflow:scroll}.overflow-auto{overflow:auto}.overflow-x-visible{overflow-x:visible}.overflow-x-hidden{overflow-x:hidden}.overflow-x-scroll{overflow-x:scroll}.overflow-x-auto{overflow-x:auto}.overflow-y-visible{overflow-y:visible}.overflow-y-hidden{overflow-y:hidden}.overflow-y-scroll{overflow-y:scroll}.overflow-y-auto{overflow-y:auto}@media screen and (min-width:30em){.overflow-visible-ns{overflow:visible}.overflow-hidden-ns{overflow:hidden}.overflow-scroll-ns{overflow:scroll}.overflow-auto-ns{overflow:auto}.overflow-x-visible-ns{overflow-x:visible}.overflow-x-hidden-ns{overflow-x:hidden}.overflow-x-scroll-ns{overflow-x:scroll}.overflow-x-auto-ns{overflow-x:auto}.overflow-y-visible-ns{overflow-y:visible}.overflow-y-hidden-ns{overflow-y:hidden}.overflow-y-scroll-ns{overflow-y:scroll}.overflow-y-auto-ns{overflow-y:auto}}@media screen and (min-width:30em) and (max-width:60em){.overflow-visible-m{overflow:visible}.overflow-hidden-m{overflow:hidden}.overflow-scroll-m{overflow:scroll}.overflow-auto-m{overflow:auto}.overflow-x-visible-m{overflow-x:visible}.overflow-x-hidden-m{overflow-x:hidden}.overflow-x-scroll-m{overflow-x:scroll}.overflow-x-auto-m{overflow-x:auto}.overflow-y-visible-m{overflow-y:visible}.overflow-y-hidden-m{overflow-y:hidden}.overflow-y-scroll-m{overflow-y:scroll}.overflow-y-auto-m{overflow-y:auto}}@media screen and (min-width:60em){.overflow-visible-l{overflow:visible}.overflow-hidden-l{overflow:hidden}.overflow-scroll-l{overflow:scroll}.overflow-auto-l{overflow:auto}.overflow-x-visible-l{overflow-x:visible}.overflow-x-hidden-l{overflow-x:hidden}.overflow-x-scroll-l{overflow-x:scroll}.overflow-x-auto-l{overflow-x:auto}.overflow-y-visible-l{overflow-y:visible}.overflow-y-hidden-l{overflow-y:hidden}.overflow-y-scroll-l{overflow-y:scroll}.overflow-y-auto-l{overflow-y:auto}}.static{position:static}.relative{position:relative}.absolute{position:absolute}.fixed{position:fixed}@media screen and (min-width:30em){.static-ns{position:static}.relative-ns{position:relative}.absolute-ns{position:absolute}.fixed-ns{position:fixed}}@media screen and (min-width:30em) and (max-width:60em){.static-m{position:static}.relative-m{position:relative}.absolute-m{position:absolute}.fixed-m{position:fixed}}@media screen and (min-width:60em){.static-l{position:static}.relative-l{position:relative}.absolute-l{position:absolute}.fixed-l{position:fixed}}.o-100{opacity:1}.o-90{opacity:.9}.o-80{opacity:.8}.o-70{opacity:.7}.o-60{opacity:.6}.o-50{opacity:.5}.o-40{opacity:.4}.o-30{opacity:.3}.o-20{opacity:.2}.o-10{opacity:.1}.o-05{opacity:.05}.o-025{opacity:.025}.o-0{opacity:0}.black-90{color:rgba(0,0,0,.9)}.black-80{color:rgba(0,0,0,.8)}.black-70{color:rgba(0,0,0,.7)}.black-60{color:rgba(0,0,0,.6)}.black-50{color:rgba(0,0,0,.5)}.black-40{color:rgba(0,0,0,.4)}.black-30{color:rgba(0,0,0,.3)}.black-20{color:rgba(0,0,0,.2)}.black-10{color:rgba(0,0,0,.1)}.black-05{color:rgba(0,0,0,.05)}.white-90{color:hsla(0,0%,100%,.9)}.white-80{color:hsla(0,0%,100%,.8)}.white-70{color:hsla(0,0%,100%,.7)}.white-60{color:hsla(0,0%,100%,.6)}.white-50{color:hsla(0,0%,100%,.5)}.white-40{color:hsla(0,0%,100%,.4)}.white-30{color:hsla(0,0%,100%,.3)}.white-20{color:hsla(0,0%,100%,.2)}.white-10{color:hsla(0,0%,100%,.1)}.black{color:#000}.near-black{color:#111}.dark-gray{color:#333}.mid-gray{color:#555}.gray{color:#777}.silver{color:#999}.light-silver{color:#aaa}.moon-gray{color:#ccc}.light-gray{color:#eee}.near-white{color:#f4f4f4}.white{color:#fff}.dark-red{color:#e7040f}.red{color:#ff4136}.light-red{color:#ff725c}.orange{color:#ff6300}.gold{color:#ffb700}.yellow{color:gold}.light-yellow{color:#fbf1a9}.purple{color:#5e2ca5}.light-purple{color:#a463f2}.dark-pink{color:#d5008f}.hot-pink{color:#ff41b4}.pink{color:#ff80cc}.light-pink{color:#ffa3d7}.dark-green{color:#137752}.green{color:#19a974}.light-green{color:#9eebcf}.navy{color:#001b44}.dark-blue{color:#00449e}.blue{color:#0594cb}.light-blue{color:#96ccff}.lightest-blue{color:#cdecff}.washed-blue{color:#f6fffe}.washed-green{color:#e8fdf5}.washed-yellow{color:#fffceb}.washed-red{color:#ffdfdf}.color-inherit{color:inherit}.bg-black-90{background-color:rgba(0,0,0,.9)}.bg-black-80{background-color:rgba(0,0,0,.8)}.bg-black-70{background-color:rgba(0,0,0,.7)}.bg-black-60{background-color:rgba(0,0,0,.6)}.bg-black-50{background-color:rgba(0,0,0,.5)}.bg-black-40{background-color:rgba(0,0,0,.4)}.bg-black-30{background-color:rgba(0,0,0,.3)}.bg-black-20{background-color:rgba(0,0,0,.2)}.bg-black-10{background-color:rgba(0,0,0,.1)}.bg-black-05{background-color:rgba(0,0,0,.05)}.bg-white-90{background-color:hsla(0,0%,100%,.9)}.bg-white-80{background-color:hsla(0,0%,100%,.8)}.bg-white-70{background-color:hsla(0,0%,100%,.7)}.bg-white-60{background-color:hsla(0,0%,100%,.6)}.bg-white-50{background-color:hsla(0,0%,100%,.5)}.bg-white-40{background-color:hsla(0,0%,100%,.4)}.bg-white-30{background-color:hsla(0,0%,100%,.3)}.bg-white-20{background-color:hsla(0,0%,100%,.2)}.bg-white-10{background-color:hsla(0,0%,100%,.1)}.bg-black{background-color:#000}.bg-near-black{background-color:#111}.bg-dark-gray{background-color:#333}.bg-mid-gray{background-color:#555}.bg-gray{background-color:#777}.bg-silver{background-color:#999}.bg-light-silver{background-color:#aaa}.bg-moon-gray{background-color:#ccc}.bg-light-gray{background-color:#eee}.bg-near-white{background-color:#f4f4f4}.bg-white{background-color:#fff}.bg-transparent{background-color:transparent}.bg-dark-red{background-color:#e7040f}.bg-red{background-color:#ff4136}.bg-light-red{background-color:#ff725c}.bg-orange{background-color:#ff6300}.bg-gold{background-color:#ffb700}.bg-yellow{background-color:gold}.bg-light-yellow{background-color:#fbf1a9}.bg-purple{background-color:#5e2ca5}.bg-light-purple{background-color:#a463f2}.bg-dark-pink{background-color:#d5008f}.bg-hot-pink{background-color:#ff41b4}.bg-pink{background-color:#ff80cc}.bg-light-pink{background-color:#ffa3d7}.bg-dark-green{background-color:#137752}.bg-green{background-color:#19a974}.bg-light-green{background-color:#9eebcf}.bg-navy{background-color:#001b44}.bg-dark-blue{background-color:#00449e}.bg-blue{background-color:#0594cb}.bg-light-blue{background-color:#96ccff}.bg-lightest-blue{background-color:#cdecff}.bg-washed-blue{background-color:#f6fffe}.bg-washed-green{background-color:#e8fdf5}.bg-washed-yellow{background-color:#fffceb}.bg-washed-red{background-color:#ffdfdf}.bg-inherit{background-color:inherit}.hover-black:focus,.hover-black:hover{color:#000}.hover-near-black:focus,.hover-near-black:hover{color:#111}.hover-dark-gray:focus,.hover-dark-gray:hover{color:#333}.hover-mid-gray:focus,.hover-mid-gray:hover{color:#555}.hover-gray:focus,.hover-gray:hover{color:#777}.hover-silver:focus,.hover-silver:hover{color:#999}.hover-light-silver:focus,.hover-light-silver:hover{color:#aaa}.hover-moon-gray:focus,.hover-moon-gray:hover{color:#ccc}.hover-light-gray:focus,.hover-light-gray:hover{color:#eee}.hover-near-white:focus,.hover-near-white:hover{color:#f4f4f4}.hover-white:focus,.hover-white:hover{color:#fff}.hover-black-90:focus,.hover-black-90:hover{color:rgba(0,0,0,.9)}.hover-black-80:focus,.hover-black-80:hover{color:rgba(0,0,0,.8)}.hover-black-70:focus,.hover-black-70:hover{color:rgba(0,0,0,.7)}.hover-black-60:focus,.hover-black-60:hover{color:rgba(0,0,0,.6)}.hover-black-50:focus,.hover-black-50:hover{color:rgba(0,0,0,.5)}.hover-black-40:focus,.hover-black-40:hover{color:rgba(0,0,0,.4)}.hover-black-30:focus,.hover-black-30:hover{color:rgba(0,0,0,.3)}.hover-black-20:focus,.hover-black-20:hover{color:rgba(0,0,0,.2)}.hover-black-10:focus,.hover-black-10:hover{color:rgba(0,0,0,.1)}.hover-white-90:focus,.hover-white-90:hover{color:hsla(0,0%,100%,.9)}.hover-white-80:focus,.hover-white-80:hover{color:hsla(0,0%,100%,.8)}.hover-white-70:focus,.hover-white-70:hover{color:hsla(0,0%,100%,.7)}.hover-white-60:focus,.hover-white-60:hover{color:hsla(0,0%,100%,.6)}.hover-white-50:focus,.hover-white-50:hover{color:hsla(0,0%,100%,.5)}.hover-white-40:focus,.hover-white-40:hover{color:hsla(0,0%,100%,.4)}.hover-white-30:focus,.hover-white-30:hover{color:hsla(0,0%,100%,.3)}.hover-white-20:focus,.hover-white-20:hover{color:hsla(0,0%,100%,.2)}.hover-white-10:focus,.hover-white-10:hover{color:hsla(0,0%,100%,.1)}.hover-inherit:focus,.hover-inherit:hover{color:inherit}.hover-bg-black:focus,.hover-bg-black:hover{background-color:#000}.hover-bg-near-black:focus,.hover-bg-near-black:hover{background-color:#111}.hover-bg-dark-gray:focus,.hover-bg-dark-gray:hover{background-color:#333}.hover-bg-mid-gray:focus,.hover-bg-mid-gray:hover{background-color:#555}.hover-bg-gray:focus,.hover-bg-gray:hover{background-color:#777}.hover-bg-silver:focus,.hover-bg-silver:hover{background-color:#999}.hover-bg-light-silver:focus,.hover-bg-light-silver:hover{background-color:#aaa}.hover-bg-moon-gray:focus,.hover-bg-moon-gray:hover{background-color:#ccc}.hover-bg-light-gray:focus,.hover-bg-light-gray:hover{background-color:#eee}.hover-bg-near-white:focus,.hover-bg-near-white:hover{background-color:#f4f4f4}.hover-bg-white:focus,.hover-bg-white:hover{background-color:#fff}.hover-bg-transparent:focus,.hover-bg-transparent:hover{background-color:transparent}.hover-bg-black-90:focus,.hover-bg-black-90:hover{background-color:rgba(0,0,0,.9)}.hover-bg-black-80:focus,.hover-bg-black-80:hover{background-color:rgba(0,0,0,.8)}.hover-bg-black-70:focus,.hover-bg-black-70:hover{background-color:rgba(0,0,0,.7)}.hover-bg-black-60:focus,.hover-bg-black-60:hover{background-color:rgba(0,0,0,.6)}.hover-bg-black-50:focus,.hover-bg-black-50:hover{background-color:rgba(0,0,0,.5)}.hover-bg-black-40:focus,.hover-bg-black-40:hover{background-color:rgba(0,0,0,.4)}.hover-bg-black-30:focus,.hover-bg-black-30:hover{background-color:rgba(0,0,0,.3)}.hover-bg-black-20:focus,.hover-bg-black-20:hover{background-color:rgba(0,0,0,.2)}.hover-bg-black-10:focus,.hover-bg-black-10:hover{background-color:rgba(0,0,0,.1)}.hover-bg-white-90:focus,.hover-bg-white-90:hover{background-color:hsla(0,0%,100%,.9)}.hover-bg-white-80:focus,.hover-bg-white-80:hover{background-color:hsla(0,0%,100%,.8)}.hover-bg-white-70:focus,.hover-bg-white-70:hover{background-color:hsla(0,0%,100%,.7)}.hover-bg-white-60:focus,.hover-bg-white-60:hover{background-color:hsla(0,0%,100%,.6)}.hover-bg-white-50:focus,.hover-bg-white-50:hover{background-color:hsla(0,0%,100%,.5)}.hover-bg-white-40:focus,.hover-bg-white-40:hover{background-color:hsla(0,0%,100%,.4)}.hover-bg-white-30:focus,.hover-bg-white-30:hover{background-color:hsla(0,0%,100%,.3)}.hover-bg-white-20:focus,.hover-bg-white-20:hover{background-color:hsla(0,0%,100%,.2)}.hover-bg-white-10:focus,.hover-bg-white-10:hover{background-color:hsla(0,0%,100%,.1)}.hover-dark-red:focus,.hover-dark-red:hover{color:#e7040f}.hover-red:focus,.hover-red:hover{color:#ff4136}.hover-light-red:focus,.hover-light-red:hover{color:#ff725c}.hover-orange:focus,.hover-orange:hover{color:#ff6300}.hover-gold:focus,.hover-gold:hover{color:#ffb700}.hover-yellow:focus,.hover-yellow:hover{color:gold}.hover-light-yellow:focus,.hover-light-yellow:hover{color:#fbf1a9}.hover-purple:focus,.hover-purple:hover{color:#5e2ca5}.hover-light-purple:focus,.hover-light-purple:hover{color:#a463f2}.hover-dark-pink:focus,.hover-dark-pink:hover{color:#d5008f}.hover-hot-pink:focus,.hover-hot-pink:hover{color:#ff41b4}.hover-pink:focus,.hover-pink:hover{color:#ff80cc}.hover-light-pink:focus,.hover-light-pink:hover{color:#ffa3d7}.hover-dark-green:focus,.hover-dark-green:hover{color:#137752}.hover-green:focus,.hover-green:hover{color:#19a974}.hover-light-green:focus,.hover-light-green:hover{color:#9eebcf}.hover-navy:focus,.hover-navy:hover{color:#001b44}.hover-dark-blue:focus,.hover-dark-blue:hover{color:#00449e}.hover-blue:focus,.hover-blue:hover{color:#0594cb}.hover-light-blue:focus,.hover-light-blue:hover{color:#96ccff}.hover-lightest-blue:focus,.hover-lightest-blue:hover{color:#cdecff}.hover-washed-blue:focus,.hover-washed-blue:hover{color:#f6fffe}.hover-washed-green:focus,.hover-washed-green:hover{color:#e8fdf5}.hover-washed-yellow:focus,.hover-washed-yellow:hover{color:#fffceb}.hover-washed-red:focus,.hover-washed-red:hover{color:#ffdfdf}.hover-bg-dark-red:focus,.hover-bg-dark-red:hover{background-color:#e7040f}.hover-bg-red:focus,.hover-bg-red:hover{background-color:#ff4136}.hover-bg-light-red:focus,.hover-bg-light-red:hover{background-color:#ff725c}.hover-bg-orange:focus,.hover-bg-orange:hover{background-color:#ff6300}.hover-bg-gold:focus,.hover-bg-gold:hover{background-color:#ffb700}.hover-bg-yellow:focus,.hover-bg-yellow:hover{background-color:gold}.hover-bg-light-yellow:focus,.hover-bg-light-yellow:hover{background-color:#fbf1a9}.hover-bg-purple:focus,.hover-bg-purple:hover{background-color:#5e2ca5}.hover-bg-light-purple:focus,.hover-bg-light-purple:hover{background-color:#a463f2}.hover-bg-dark-pink:focus,.hover-bg-dark-pink:hover{background-color:#d5008f}.hover-bg-hot-pink:focus,.hover-bg-hot-pink:hover{background-color:#ff41b4}.hover-bg-pink:focus,.hover-bg-pink:hover{background-color:#ff80cc}.hover-bg-light-pink:focus,.hover-bg-light-pink:hover{background-color:#ffa3d7}.hover-bg-dark-green:focus,.hover-bg-dark-green:hover{background-color:#137752}.hover-bg-green:focus,.hover-bg-green:hover{background-color:#19a974}.hover-bg-light-green:focus,.hover-bg-light-green:hover{background-color:#9eebcf}.hover-bg-navy:focus,.hover-bg-navy:hover{background-color:#001b44}.hover-bg-dark-blue:focus,.hover-bg-dark-blue:hover{background-color:#00449e}.hover-bg-blue:focus,.hover-bg-blue:hover{background-color:#0594cb}.hover-bg-light-blue:focus,.hover-bg-light-blue:hover{background-color:#96ccff}.hover-bg-lightest-blue:focus,.hover-bg-lightest-blue:hover{background-color:#cdecff}.hover-bg-washed-blue:focus,.hover-bg-washed-blue:hover{background-color:#f6fffe}.hover-bg-washed-green:focus,.hover-bg-washed-green:hover{background-color:#e8fdf5}.hover-bg-washed-yellow:focus,.hover-bg-washed-yellow:hover{background-color:#fffceb}.hover-bg-washed-red:focus,.hover-bg-washed-red:hover{background-color:#ffdfdf}.hover-bg-inherit:focus,.hover-bg-inherit:hover{background-color:inherit}.pa0{padding:0}.pa1{padding:.25rem}.pa2{padding:.5rem}.pa3{padding:1rem}.pa4{padding:2rem}.pa5{padding:4rem}.pa6{padding:8rem}.pa7{padding:16rem}.pl0{padding-left:0}.pl1{padding-left:.25rem}.pl2{padding-left:.5rem}.pl3{padding-left:1rem}.pl4{padding-left:2rem}.pl5{padding-left:4rem}.pl6{padding-left:8rem}.pl7{padding-left:16rem}.pr0{padding-right:0}.pr1{padding-right:.25rem}.pr2{padding-right:.5rem}.pr3{padding-right:1rem}.pr4{padding-right:2rem}.pr5{padding-right:4rem}.pr6{padding-right:8rem}.pr7{padding-right:16rem}.pb0{padding-bottom:0}.pb1{padding-bottom:.25rem}.pb2{padding-bottom:.5rem}.pb3{padding-bottom:1rem}.pb4{padding-bottom:2rem}.pb5{padding-bottom:4rem}.pb6{padding-bottom:8rem}.pb7{padding-bottom:16rem}.pt0{padding-top:0}.pt1{padding-top:.25rem}.pt2{padding-top:.5rem}.pt3{padding-top:1rem}.pt4{padding-top:2rem}.pt5{padding-top:4rem}.pt6{padding-top:8rem}.pt7{padding-top:16rem}.pv0{padding-top:0;padding-bottom:0}.pv1{padding-top:.25rem;padding-bottom:.25rem}.pv2{padding-top:.5rem;padding-bottom:.5rem}.pv3{padding-top:1rem;padding-bottom:1rem}.pv4{padding-top:2rem;padding-bottom:2rem}.pv5{padding-top:4rem;padding-bottom:4rem}.pv6{padding-top:8rem;padding-bottom:8rem}.pv7{padding-top:16rem;padding-bottom:16rem}.ph0{padding-left:0;padding-right:0}.ph1{padding-left:.25rem;padding-right:.25rem}.ph2{padding-left:.5rem;padding-right:.5rem}.ph3{padding-left:1rem;padding-right:1rem}.ph4{padding-left:2rem;padding-right:2rem}.ph5{padding-left:4rem;padding-right:4rem}.ph6{padding-left:8rem;padding-right:8rem}.ph7{padding-left:16rem;padding-right:16rem}.ma0{margin:0}.ma1{margin:.25rem}.ma2{margin:.5rem}.ma3{margin:1rem}.ma4{margin:2rem}.ma5{margin:4rem}.ma6{margin:8rem}.ma7{margin:16rem}.ml0{margin-left:0}.ml1{margin-left:.25rem}.ml2{margin-left:.5rem}.ml3{margin-left:1rem}.ml4{margin-left:2rem}.ml5{margin-left:4rem}.ml6{margin-left:8rem}.ml7{margin-left:16rem}.mr0{margin-right:0}.mr1{margin-right:.25rem}.mr2{margin-right:.5rem}.mr3{margin-right:1rem}.mr4{margin-right:2rem}.mr5{margin-right:4rem}.mr6{margin-right:8rem}.mr7{margin-right:16rem}.mb0{margin-bottom:0}.mb1{margin-bottom:.25rem}.mb2{margin-bottom:.5rem}.mb3{margin-bottom:1rem}.mb4{margin-bottom:2rem}.mb5{margin-bottom:4rem}.mb6{margin-bottom:8rem}.mb7{margin-bottom:16rem}.mt0{margin-top:0}.mt1{margin-top:.25rem}.mt2{margin-top:.5rem}.mt3{margin-top:1rem}.mt4{margin-top:2rem}.mt5{margin-top:4rem}.mt6{margin-top:8rem}.mt7{margin-top:16rem}.mv0{margin-top:0;margin-bottom:0}.mv1{margin-top:.25rem;margin-bottom:.25rem}.mv2{margin-top:.5rem;margin-bottom:.5rem}.mv3{margin-top:1rem;margin-bottom:1rem}.mv4{margin-top:2rem;margin-bottom:2rem}.mv5{margin-top:4rem;margin-bottom:4rem}.mv6{margin-top:8rem;margin-bottom:8rem}.mv7{margin-top:16rem;margin-bottom:16rem}.mh0{margin-left:0;margin-right:0}.mh1{margin-left:.25rem;margin-right:.25rem}.mh2{margin-left:.5rem;margin-right:.5rem}.mh3{margin-left:1rem;margin-right:1rem}.mh4{margin-left:2rem;margin-right:2rem}.mh5{margin-left:4rem;margin-right:4rem}.mh6{margin-left:8rem;margin-right:8rem}.mh7{margin-left:16rem;margin-right:16rem}@media screen and (min-width:30em){.pa0-ns{padding:0}.pa1-ns{padding:.25rem}.pa2-ns{padding:.5rem}.pa3-ns{padding:1rem}.pa4-ns{padding:2rem}.pa5-ns{padding:4rem}.pa6-ns{padding:8rem}.pa7-ns{padding:16rem}.pl0-ns{padding-left:0}.pl1-ns{padding-left:.25rem}.pl2-ns{padding-left:.5rem}.pl3-ns{padding-left:1rem}.pl4-ns{padding-left:2rem}.pl5-ns{padding-left:4rem}.pl6-ns{padding-left:8rem}.pl7-ns{padding-left:16rem}.pr0-ns{padding-right:0}.pr1-ns{padding-right:.25rem}.pr2-ns{padding-right:.5rem}.pr3-ns{padding-right:1rem}.pr4-ns{padding-right:2rem}.pr5-ns{padding-right:4rem}.pr6-ns{padding-right:8rem}.pr7-ns{padding-right:16rem}.pb0-ns{padding-bottom:0}.pb1-ns{padding-bottom:.25rem}.pb2-ns{padding-bottom:.5rem}.pb3-ns{padding-bottom:1rem}.pb4-ns{padding-bottom:2rem}.pb5-ns{padding-bottom:4rem}.pb6-ns{padding-bottom:8rem}.pb7-ns{padding-bottom:16rem}.pt0-ns{padding-top:0}.pt1-ns{padding-top:.25rem}.pt2-ns{padding-top:.5rem}.pt3-ns{padding-top:1rem}.pt4-ns{padding-top:2rem}.pt5-ns{padding-top:4rem}.pt6-ns{padding-top:8rem}.pt7-ns{padding-top:16rem}.pv0-ns{padding-top:0;padding-bottom:0}.pv1-ns{padding-top:.25rem;padding-bottom:.25rem}.pv2-ns{padding-top:.5rem;padding-bottom:.5rem}.pv3-ns{padding-top:1rem;padding-bottom:1rem}.pv4-ns{padding-top:2rem;padding-bottom:2rem}.pv5-ns{padding-top:4rem;padding-bottom:4rem}.pv6-ns{padding-top:8rem;padding-bottom:8rem}.pv7-ns{padding-top:16rem;padding-bottom:16rem}.ph0-ns{padding-left:0;padding-right:0}.ph1-ns{padding-left:.25rem;padding-right:.25rem}.ph2-ns{padding-left:.5rem;padding-right:.5rem}.ph3-ns{padding-left:1rem;padding-right:1rem}.ph4-ns{padding-left:2rem;padding-right:2rem}.ph5-ns{padding-left:4rem;padding-right:4rem}.ph6-ns{padding-left:8rem;padding-right:8rem}.ph7-ns{padding-left:16rem;padding-right:16rem}.ma0-ns{margin:0}.ma1-ns{margin:.25rem}.ma2-ns{margin:.5rem}.ma3-ns{margin:1rem}.ma4-ns{margin:2rem}.ma5-ns{margin:4rem}.ma6-ns{margin:8rem}.ma7-ns{margin:16rem}.ml0-ns{margin-left:0}.ml1-ns{margin-left:.25rem}.ml2-ns{margin-left:.5rem}.ml3-ns{margin-left:1rem}.ml4-ns{margin-left:2rem}.ml5-ns{margin-left:4rem}.ml6-ns{margin-left:8rem}.ml7-ns{margin-left:16rem}.mr0-ns{margin-right:0}.mr1-ns{margin-right:.25rem}.mr2-ns{margin-right:.5rem}.mr3-ns{margin-right:1rem}.mr4-ns{margin-right:2rem}.mr5-ns{margin-right:4rem}.mr6-ns{margin-right:8rem}.mr7-ns{margin-right:16rem}.mb0-ns{margin-bottom:0}.mb1-ns{margin-bottom:.25rem}.mb2-ns{margin-bottom:.5rem}.mb3-ns{margin-bottom:1rem}.mb4-ns{margin-bottom:2rem}.mb5-ns{margin-bottom:4rem}.mb6-ns{margin-bottom:8rem}.mb7-ns{margin-bottom:16rem}.mt0-ns{margin-top:0}.mt1-ns{margin-top:.25rem}.mt2-ns{margin-top:.5rem}.mt3-ns{margin-top:1rem}.mt4-ns{margin-top:2rem}.mt5-ns{margin-top:4rem}.mt6-ns{margin-top:8rem}.mt7-ns{margin-top:16rem}.mv0-ns{margin-top:0;margin-bottom:0}.mv1-ns{margin-top:.25rem;margin-bottom:.25rem}.mv2-ns{margin-top:.5rem;margin-bottom:.5rem}.mv3-ns{margin-top:1rem;margin-bottom:1rem}.mv4-ns{margin-top:2rem;margin-bottom:2rem}.mv5-ns{margin-top:4rem;margin-bottom:4rem}.mv6-ns{margin-top:8rem;margin-bottom:8rem}.mv7-ns{margin-top:16rem;margin-bottom:16rem}.mh0-ns{margin-left:0;margin-right:0}.mh1-ns{margin-left:.25rem;margin-right:.25rem}.mh2-ns{margin-left:.5rem;margin-right:.5rem}.mh3-ns{margin-left:1rem;margin-right:1rem}.mh4-ns{margin-left:2rem;margin-right:2rem}.mh5-ns{margin-left:4rem;margin-right:4rem}.mh6-ns{margin-left:8rem;margin-right:8rem}.mh7-ns{margin-left:16rem;margin-right:16rem}}@media screen and (min-width:30em) and (max-width:60em){.pa0-m{padding:0}.pa1-m{padding:.25rem}.pa2-m{padding:.5rem}.pa3-m{padding:1rem}.pa4-m{padding:2rem}.pa5-m{padding:4rem}.pa6-m{padding:8rem}.pa7-m{padding:16rem}.pl0-m{padding-left:0}.pl1-m{padding-left:.25rem}.pl2-m{padding-left:.5rem}.pl3-m{padding-left:1rem}.pl4-m{padding-left:2rem}.pl5-m{padding-left:4rem}.pl6-m{padding-left:8rem}.pl7-m{padding-left:16rem}.pr0-m{padding-right:0}.pr1-m{padding-right:.25rem}.pr2-m{padding-right:.5rem}.pr3-m{padding-right:1rem}.pr4-m{padding-right:2rem}.pr5-m{padding-right:4rem}.pr6-m{padding-right:8rem}.pr7-m{padding-right:16rem}.pb0-m{padding-bottom:0}.pb1-m{padding-bottom:.25rem}.pb2-m{padding-bottom:.5rem}.pb3-m{padding-bottom:1rem}.pb4-m{padding-bottom:2rem}.pb5-m{padding-bottom:4rem}.pb6-m{padding-bottom:8rem}.pb7-m{padding-bottom:16rem}.pt0-m{padding-top:0}.pt1-m{padding-top:.25rem}.pt2-m{padding-top:.5rem}.pt3-m{padding-top:1rem}.pt4-m{padding-top:2rem}.pt5-m{padding-top:4rem}.pt6-m{padding-top:8rem}.pt7-m{padding-top:16rem}.pv0-m{padding-top:0;padding-bottom:0}.pv1-m{padding-top:.25rem;padding-bottom:.25rem}.pv2-m{padding-top:.5rem;padding-bottom:.5rem}.pv3-m{padding-top:1rem;padding-bottom:1rem}.pv4-m{padding-top:2rem;padding-bottom:2rem}.pv5-m{padding-top:4rem;padding-bottom:4rem}.pv6-m{padding-top:8rem;padding-bottom:8rem}.pv7-m{padding-top:16rem;padding-bottom:16rem}.ph0-m{padding-left:0;padding-right:0}.ph1-m{padding-left:.25rem;padding-right:.25rem}.ph2-m{padding-left:.5rem;padding-right:.5rem}.ph3-m{padding-left:1rem;padding-right:1rem}.ph4-m{padding-left:2rem;padding-right:2rem}.ph5-m{padding-left:4rem;padding-right:4rem}.ph6-m{padding-left:8rem;padding-right:8rem}.ph7-m{padding-left:16rem;padding-right:16rem}.ma0-m{margin:0}.ma1-m{margin:.25rem}.ma2-m{margin:.5rem}.ma3-m{margin:1rem}.ma4-m{margin:2rem}.ma5-m{margin:4rem}.ma6-m{margin:8rem}.ma7-m{margin:16rem}.ml0-m{margin-left:0}.ml1-m{margin-left:.25rem}.ml2-m{margin-left:.5rem}.ml3-m{margin-left:1rem}.ml4-m{margin-left:2rem}.ml5-m{margin-left:4rem}.ml6-m{margin-left:8rem}.ml7-m{margin-left:16rem}.mr0-m{margin-right:0}.mr1-m{margin-right:.25rem}.mr2-m{margin-right:.5rem}.mr3-m{margin-right:1rem}.mr4-m{margin-right:2rem}.mr5-m{margin-right:4rem}.mr6-m{margin-right:8rem}.mr7-m{margin-right:16rem}.mb0-m{margin-bottom:0}.mb1-m{margin-bottom:.25rem}.mb2-m{margin-bottom:.5rem}.mb3-m{margin-bottom:1rem}.mb4-m{margin-bottom:2rem}.mb5-m{margin-bottom:4rem}.mb6-m{margin-bottom:8rem}.mb7-m{margin-bottom:16rem}.mt0-m{margin-top:0}.mt1-m{margin-top:.25rem}.mt2-m{margin-top:.5rem}.mt3-m{margin-top:1rem}.mt4-m{margin-top:2rem}.mt5-m{margin-top:4rem}.mt6-m{margin-top:8rem}.mt7-m{margin-top:16rem}.mv0-m{margin-top:0;margin-bottom:0}.mv1-m{margin-top:.25rem;margin-bottom:.25rem}.mv2-m{margin-top:.5rem;margin-bottom:.5rem}.mv3-m{margin-top:1rem;margin-bottom:1rem}.mv4-m{margin-top:2rem;margin-bottom:2rem}.mv5-m{margin-top:4rem;margin-bottom:4rem}.mv6-m{margin-top:8rem;margin-bottom:8rem}.mv7-m{margin-top:16rem;margin-bottom:16rem}.mh0-m{margin-left:0;margin-right:0}.mh1-m{margin-left:.25rem;margin-right:.25rem}.mh2-m{margin-left:.5rem;margin-right:.5rem}.mh3-m{margin-left:1rem;margin-right:1rem}.mh4-m{margin-left:2rem;margin-right:2rem}.mh5-m{margin-left:4rem;margin-right:4rem}.mh6-m{margin-left:8rem;margin-right:8rem}.mh7-m{margin-left:16rem;margin-right:16rem}}@media screen and (min-width:60em){.pa0-l{padding:0}.pa1-l{padding:.25rem}.pa2-l{padding:.5rem}.pa3-l{padding:1rem}.pa4-l{padding:2rem}.pa5-l{padding:4rem}.pa6-l{padding:8rem}.pa7-l{padding:16rem}.pl0-l{padding-left:0}.pl1-l{padding-left:.25rem}.pl2-l{padding-left:.5rem}.pl3-l{padding-left:1rem}.pl4-l{padding-left:2rem}.pl5-l{padding-left:4rem}.pl6-l{padding-left:8rem}.pl7-l{padding-left:16rem}.pr0-l{padding-right:0}.pr1-l{padding-right:.25rem}.pr2-l{padding-right:.5rem}.pr3-l{padding-right:1rem}.pr4-l{padding-right:2rem}.pr5-l{padding-right:4rem}.pr6-l{padding-right:8rem}.pr7-l{padding-right:16rem}.pb0-l{padding-bottom:0}.pb1-l{padding-bottom:.25rem}.pb2-l{padding-bottom:.5rem}.pb3-l{padding-bottom:1rem}.pb4-l{padding-bottom:2rem}.pb5-l{padding-bottom:4rem}.pb6-l{padding-bottom:8rem}.pb7-l{padding-bottom:16rem}.pt0-l{padding-top:0}.pt1-l{padding-top:.25rem}.pt2-l{padding-top:.5rem}.pt3-l{padding-top:1rem}.pt4-l{padding-top:2rem}.pt5-l{padding-top:4rem}.pt6-l{padding-top:8rem}.pt7-l{padding-top:16rem}.pv0-l{padding-top:0;padding-bottom:0}.pv1-l{padding-top:.25rem;padding-bottom:.25rem}.pv2-l{padding-top:.5rem;padding-bottom:.5rem}.pv3-l{padding-top:1rem;padding-bottom:1rem}.pv4-l{padding-top:2rem;padding-bottom:2rem}.pv5-l{padding-top:4rem;padding-bottom:4rem}.pv6-l{padding-top:8rem;padding-bottom:8rem}.pv7-l{padding-top:16rem;padding-bottom:16rem}.ph0-l{padding-left:0;padding-right:0}.ph1-l{padding-left:.25rem;padding-right:.25rem}.ph2-l{padding-left:.5rem;padding-right:.5rem}.ph3-l{padding-left:1rem;padding-right:1rem}.ph4-l{padding-left:2rem;padding-right:2rem}.ph5-l{padding-left:4rem;padding-right:4rem}.ph6-l{padding-left:8rem;padding-right:8rem}.ph7-l{padding-left:16rem;padding-right:16rem}.ma0-l{margin:0}.ma1-l{margin:.25rem}.ma2-l{margin:.5rem}.ma3-l{margin:1rem}.ma4-l{margin:2rem}.ma5-l{margin:4rem}.ma6-l{margin:8rem}.ma7-l{margin:16rem}.ml0-l{margin-left:0}.ml1-l{margin-left:.25rem}.ml2-l{margin-left:.5rem}.ml3-l{margin-left:1rem}.ml4-l{margin-left:2rem}.ml5-l{margin-left:4rem}.ml6-l{margin-left:8rem}.ml7-l{margin-left:16rem}.mr0-l{margin-right:0}.mr1-l{margin-right:.25rem}.mr2-l{margin-right:.5rem}.mr3-l{margin-right:1rem}.mr4-l{margin-right:2rem}.mr5-l{margin-right:4rem}.mr6-l{margin-right:8rem}.mr7-l{margin-right:16rem}.mb0-l{margin-bottom:0}.mb1-l{margin-bottom:.25rem}.mb2-l{margin-bottom:.5rem}.mb3-l{margin-bottom:1rem}.mb4-l{margin-bottom:2rem}.mb5-l{margin-bottom:4rem}.mb6-l{margin-bottom:8rem}.mb7-l{margin-bottom:16rem}.mt0-l{margin-top:0}.mt1-l{margin-top:.25rem}.mt2-l{margin-top:.5rem}.mt3-l{margin-top:1rem}.mt4-l{margin-top:2rem}.mt5-l{margin-top:4rem}.mt6-l{margin-top:8rem}.mt7-l{margin-top:16rem}.mv0-l{margin-top:0;margin-bottom:0}.mv1-l{margin-top:.25rem;margin-bottom:.25rem}.mv2-l{margin-top:.5rem;margin-bottom:.5rem}.mv3-l{margin-top:1rem;margin-bottom:1rem}.mv4-l{margin-top:2rem;margin-bottom:2rem}.mv5-l{margin-top:4rem;margin-bottom:4rem}.mv6-l{margin-top:8rem;margin-bottom:8rem}.mv7-l{margin-top:16rem;margin-bottom:16rem}.mh0-l{margin-left:0;margin-right:0}.mh1-l{margin-left:.25rem;margin-right:.25rem}.mh2-l{margin-left:.5rem;margin-right:.5rem}.mh3-l{margin-left:1rem;margin-right:1rem}.mh4-l{margin-left:2rem;margin-right:2rem}.mh5-l{margin-left:4rem;margin-right:4rem}.mh6-l{margin-left:8rem;margin-right:8rem}.mh7-l{margin-left:16rem;margin-right:16rem}}.na1{margin:-.25rem}.na2{margin:-.5rem}.na3{margin:-1rem}.na4{margin:-2rem}.na5{margin:-4rem}.na6{margin:-8rem}.na7{margin:-16rem}.nl1{margin-left:-.25rem}.nl2{margin-left:-.5rem}.nl3{margin-left:-1rem}.nl4{margin-left:-2rem}.nl5{margin-left:-4rem}.nl6{margin-left:-8rem}.nl7{margin-left:-16rem}.nr1{margin-right:-.25rem}.nr2{margin-right:-.5rem}.nr3{margin-right:-1rem}.nr4{margin-right:-2rem}.nr5{margin-right:-4rem}.nr6{margin-right:-8rem}.nr7{margin-right:-16rem}.nb1{margin-bottom:-.25rem}.nb2{margin-bottom:-.5rem}.nb3{margin-bottom:-1rem}.nb4{margin-bottom:-2rem}.nb5{margin-bottom:-4rem}.nb6{margin-bottom:-8rem}.nb7{margin-bottom:-16rem}.nt1{margin-top:-.25rem}.nt2{margin-top:-.5rem}.nt3{margin-top:-1rem}.nt4{margin-top:-2rem}.nt5{margin-top:-4rem}.nt6{margin-top:-8rem}.nt7{margin-top:-16rem}@media screen and (min-width:30em){.na1-ns{margin:-.25rem}.na2-ns{margin:-.5rem}.na3-ns{margin:-1rem}.na4-ns{margin:-2rem}.na5-ns{margin:-4rem}.na6-ns{margin:-8rem}.na7-ns{margin:-16rem}.nl1-ns{margin-left:-.25rem}.nl2-ns{margin-left:-.5rem}.nl3-ns{margin-left:-1rem}.nl4-ns{margin-left:-2rem}.nl5-ns{margin-left:-4rem}.nl6-ns{margin-left:-8rem}.nl7-ns{margin-left:-16rem}.nr1-ns{margin-right:-.25rem}.nr2-ns{margin-right:-.5rem}.nr3-ns{margin-right:-1rem}.nr4-ns{margin-right:-2rem}.nr5-ns{margin-right:-4rem}.nr6-ns{margin-right:-8rem}.nr7-ns{margin-right:-16rem}.nb1-ns{margin-bottom:-.25rem}.nb2-ns{margin-bottom:-.5rem}.nb3-ns{margin-bottom:-1rem}.nb4-ns{margin-bottom:-2rem}.nb5-ns{margin-bottom:-4rem}.nb6-ns{margin-bottom:-8rem}.nb7-ns{margin-bottom:-16rem}.nt1-ns{margin-top:-.25rem}.nt2-ns{margin-top:-.5rem}.nt3-ns{margin-top:-1rem}.nt4-ns{margin-top:-2rem}.nt5-ns{margin-top:-4rem}.nt6-ns{margin-top:-8rem}.nt7-ns{margin-top:-16rem}}@media screen and (min-width:30em) and (max-width:60em){.na1-m{margin:-.25rem}.na2-m{margin:-.5rem}.na3-m{margin:-1rem}.na4-m{margin:-2rem}.na5-m{margin:-4rem}.na6-m{margin:-8rem}.na7-m{margin:-16rem}.nl1-m{margin-left:-.25rem}.nl2-m{margin-left:-.5rem}.nl3-m{margin-left:-1rem}.nl4-m{margin-left:-2rem}.nl5-m{margin-left:-4rem}.nl6-m{margin-left:-8rem}.nl7-m{margin-left:-16rem}.nr1-m{margin-right:-.25rem}.nr2-m{margin-right:-.5rem}.nr3-m{margin-right:-1rem}.nr4-m{margin-right:-2rem}.nr5-m{margin-right:-4rem}.nr6-m{margin-right:-8rem}.nr7-m{margin-right:-16rem}.nb1-m{margin-bottom:-.25rem}.nb2-m{margin-bottom:-.5rem}.nb3-m{margin-bottom:-1rem}.nb4-m{margin-bottom:-2rem}.nb5-m{margin-bottom:-4rem}.nb6-m{margin-bottom:-8rem}.nb7-m{margin-bottom:-16rem}.nt1-m{margin-top:-.25rem}.nt2-m{margin-top:-.5rem}.nt3-m{margin-top:-1rem}.nt4-m{margin-top:-2rem}.nt5-m{margin-top:-4rem}.nt6-m{margin-top:-8rem}.nt7-m{margin-top:-16rem}}@media screen and (min-width:60em){.na1-l{margin:-.25rem}.na2-l{margin:-.5rem}.na3-l{margin:-1rem}.na4-l{margin:-2rem}.na5-l{margin:-4rem}.na6-l{margin:-8rem}.na7-l{margin:-16rem}.nl1-l{margin-left:-.25rem}.nl2-l{margin-left:-.5rem}.nl3-l{margin-left:-1rem}.nl4-l{margin-left:-2rem}.nl5-l{margin-left:-4rem}.nl6-l{margin-left:-8rem}.nl7-l{margin-left:-16rem}.nr1-l{margin-right:-.25rem}.nr2-l{margin-right:-.5rem}.nr3-l{margin-right:-1rem}.nr4-l{margin-right:-2rem}.nr5-l{margin-right:-4rem}.nr6-l{margin-right:-8rem}.nr7-l{margin-right:-16rem}.nb1-l{margin-bottom:-.25rem}.nb2-l{margin-bottom:-.5rem}.nb3-l{margin-bottom:-1rem}.nb4-l{margin-bottom:-2rem}.nb5-l{margin-bottom:-4rem}.nb6-l{margin-bottom:-8rem}.nb7-l{margin-bottom:-16rem}.nt1-l{margin-top:-.25rem}.nt2-l{margin-top:-.5rem}.nt3-l{margin-top:-1rem}.nt4-l{margin-top:-2rem}.nt5-l{margin-top:-4rem}.nt6-l{margin-top:-8rem}.nt7-l{margin-top:-16rem}}.collapse{border-collapse:collapse;border-spacing:0}.striped--light-silver:nth-child(odd){background-color:#aaa}.striped--moon-gray:nth-child(odd){background-color:#ccc}.striped--light-gray:nth-child(odd){background-color:#eee}.striped--near-white:nth-child(odd){background-color:#f4f4f4}.stripe-light:nth-child(odd){background-color:hsla(0,0%,100%,.1)}.stripe-dark:nth-child(odd){background-color:rgba(0,0,0,.1)}.strike{text-decoration:line-through}.underline{text-decoration:underline}.no-underline{text-decoration:none}@media screen and (min-width:30em){.strike-ns{text-decoration:line-through}.underline-ns{text-decoration:underline}.no-underline-ns{text-decoration:none}}@media screen and (min-width:30em) and (max-width:60em){.strike-m{text-decoration:line-through}.underline-m{text-decoration:underline}.no-underline-m{text-decoration:none}}@media screen and (min-width:60em){.strike-l{text-decoration:line-through}.underline-l{text-decoration:underline}.no-underline-l{text-decoration:none}}.tl{text-align:left}.tr{text-align:right}.tc{text-align:center}.tj{text-align:justify}@media screen and (min-width:30em){.tl-ns{text-align:left}.tr-ns{text-align:right}.tc-ns{text-align:center}.tj-ns{text-align:justify}}@media screen and (min-width:30em) and (max-width:60em){.tl-m{text-align:left}.tr-m{text-align:right}.tc-m{text-align:center}.tj-m{text-align:justify}}@media screen and (min-width:60em){.tl-l{text-align:left}.tr-l{text-align:right}.tc-l{text-align:center}.tj-l{text-align:justify}}.ttc{text-transform:capitalize}.ttl{text-transform:lowercase}.ttu{text-transform:uppercase}.ttn{text-transform:none}@media screen and (min-width:30em){.ttc-ns{text-transform:capitalize}.ttl-ns{text-transform:lowercase}.ttu-ns{text-transform:uppercase}.ttn-ns{text-transform:none}}@media screen and (min-width:30em) and (max-width:60em){.ttc-m{text-transform:capitalize}.ttl-m{text-transform:lowercase}.ttu-m{text-transform:uppercase}.ttn-m{text-transform:none}}@media screen and (min-width:60em){.ttc-l{text-transform:capitalize}.ttl-l{text-transform:lowercase}.ttu-l{text-transform:uppercase}.ttn-l{text-transform:none}}.f-6,.f-headline{font-size:6rem}.f-5,.f-subheadline{font-size:5rem}.f1{font-size:3rem}.f2{font-size:2.25rem}.f3{font-size:1.5rem}.f4{font-size:1.25rem}.f5{font-size:1rem}.f6{font-size:.875rem}.f7{font-size:.75rem}@media screen and (min-width:30em){.f-6-ns,.f-headline-ns{font-size:6rem}.f-5-ns,.f-subheadline-ns{font-size:5rem}.f1-ns{font-size:3rem}.f2-ns{font-size:2.25rem}.f3-ns{font-size:1.5rem}.f4-ns{font-size:1.25rem}.f5-ns{font-size:1rem}.f6-ns{font-size:.875rem}.f7-ns{font-size:.75rem}}@media screen and (min-width:30em) and (max-width:60em){.f-6-m,.f-headline-m{font-size:6rem}.f-5-m,.f-subheadline-m{font-size:5rem}.f1-m{font-size:3rem}.f2-m{font-size:2.25rem}.f3-m{font-size:1.5rem}.f4-m{font-size:1.25rem}.f5-m{font-size:1rem}.f6-m{font-size:.875rem}.f7-m{font-size:.75rem}}@media screen and (min-width:60em){.f-6-l,.f-headline-l{font-size:6rem}.f-5-l,.f-subheadline-l{font-size:5rem}.f1-l{font-size:3rem}.f2-l{font-size:2.25rem}.f3-l{font-size:1.5rem}.f4-l{font-size:1.25rem}.f5-l{font-size:1rem}.f6-l{font-size:.875rem}.f7-l{font-size:.75rem}}.measure{max-width:30em}.measure-wide{max-width:34em}.measure-narrow{max-width:20em}.indent{text-indent:1em;margin-top:0;margin-bottom:0}.small-caps{-webkit-font-feature-settings:"c2sc";font-feature-settings:"c2sc";font-variant:small-caps}.truncate{white-space:nowrap;overflow:hidden;text-overflow:ellipsis}@media screen and (min-width:30em){.measure-ns{max-width:30em}.measure-wide-ns{max-width:34em}.measure-narrow-ns{max-width:20em}.indent-ns{text-indent:1em;margin-top:0;margin-bottom:0}.small-caps-ns{-webkit-font-feature-settings:"c2sc";font-feature-settings:"c2sc";font-variant:small-caps}.truncate-ns{white-space:nowrap;overflow:hidden;text-overflow:ellipsis}}@media screen and (min-width:30em) and (max-width:60em){.measure-m{max-width:30em}.measure-wide-m{max-width:34em}.measure-narrow-m{max-width:20em}.indent-m{text-indent:1em;margin-top:0;margin-bottom:0}.small-caps-m{-webkit-font-feature-settings:"c2sc";font-feature-settings:"c2sc";font-variant:small-caps}.truncate-m{white-space:nowrap;overflow:hidden;text-overflow:ellipsis}}@media screen and (min-width:60em){.measure-l{max-width:30em}.measure-wide-l{max-width:34em}.measure-narrow-l{max-width:20em}.indent-l{text-indent:1em;margin-top:0;margin-bottom:0}.small-caps-l{-webkit-font-feature-settings:"c2sc";font-feature-settings:"c2sc";font-variant:small-caps}.truncate-l{white-space:nowrap;overflow:hidden;text-overflow:ellipsis}}.overflow-container{overflow-y:scroll}.center{margin-left:auto}.center,.mr-auto{margin-right:auto}.ml-auto{margin-left:auto}@media screen and (min-width:30em){.center-ns{margin-left:auto}.center-ns,.mr-auto-ns{margin-right:auto}.ml-auto-ns{margin-left:auto}}@media screen and (min-width:30em) and (max-width:60em){.center-m{margin-left:auto}.center-m,.mr-auto-m{margin-right:auto}.ml-auto-m{margin-left:auto}}@media screen and (min-width:60em){.center-l{margin-left:auto}.center-l,.mr-auto-l{margin-right:auto}.ml-auto-l{margin-left:auto}}.clip{position:fixed!important;_position:absolute!important;clip:rect(1px 1px 1px 1px);clip:rect(1px,1px,1px,1px)}@media screen and (min-width:30em){.clip-ns{position:fixed!important;_position:absolute!important;clip:rect(1px 1px 1px 1px);clip:rect(1px,1px,1px,1px)}}@media screen and (min-width:30em) and (max-width:60em){.clip-m{position:fixed!important;_position:absolute!important;clip:rect(1px 1px 1px 1px);clip:rect(1px,1px,1px,1px)}}@media screen and (min-width:60em){.clip-l{position:fixed!important;_position:absolute!important;clip:rect(1px 1px 1px 1px);clip:rect(1px,1px,1px,1px)}}.ws-normal{white-space:normal}.nowrap{white-space:nowrap}.pre{white-space:pre}@media screen and (min-width:30em){.ws-normal-ns{white-space:normal}.nowrap-ns{white-space:nowrap}.pre-ns{white-space:pre}}@media screen and (min-width:30em) and (max-width:60em){.ws-normal-m{white-space:normal}.nowrap-m{white-space:nowrap}.pre-m{white-space:pre}}@media screen and (min-width:60em){.ws-normal-l{white-space:normal}.nowrap-l{white-space:nowrap}.pre-l{white-space:pre}}.v-base{vertical-align:baseline}.v-mid{vertical-align:middle}.v-top{vertical-align:top}.v-btm{vertical-align:bottom}@media screen and (min-width:30em){.v-base-ns{vertical-align:baseline}.v-mid-ns{vertical-align:middle}.v-top-ns{vertical-align:top}.v-btm-ns{vertical-align:bottom}}@media screen and (min-width:30em) and (max-width:60em){.v-base-m{vertical-align:baseline}.v-mid-m{vertical-align:middle}.v-top-m{vertical-align:top}.v-btm-m{vertical-align:bottom}}@media screen and (min-width:60em){.v-base-l{vertical-align:baseline}.v-mid-l{vertical-align:middle}.v-top-l{vertical-align:top}.v-btm-l{vertical-align:bottom}}.dim{opacity:1}.dim,.dim:focus,.dim:hover{transition:opacity .15s ease-in}.dim:focus,.dim:hover{opacity:.5}.dim:active{opacity:.8;transition:opacity .15s ease-out}.glow,.glow:focus,.glow:hover{transition:opacity .15s ease-in}.glow:focus,.glow:hover{opacity:1}.hide-child .child{opacity:0;transition:opacity .15s ease-in}.hide-child:active .child,.hide-child:focus .child,.hide-child:hover .child{opacity:1;transition:opacity .15s ease-in}.underline-hover:focus,.underline-hover:hover{text-decoration:underline}.grow{-moz-osx-font-smoothing:grayscale;-webkit-backface-visibility:hidden;backface-visibility:hidden;-webkit-transform:translateZ(0);transform:translateZ(0);transition:-webkit-transform .25s ease-out;transition:transform .25s ease-out;transition:transform .25s ease-out,-webkit-transform .25s ease-out}.grow:focus,.grow:hover{-webkit-transform:scale(1.05);transform:scale(1.05)}.grow:active{-webkit-transform:scale(.9);transform:scale(.9)}.grow-large{-moz-osx-font-smoothing:grayscale;-webkit-backface-visibility:hidden;backface-visibility:hidden;-webkit-transform:translateZ(0);transform:translateZ(0);transition:-webkit-transform .25s ease-in-out;transition:transform .25s ease-in-out;transition:transform .25s ease-in-out,-webkit-transform .25s ease-in-out}.grow-large:focus,.grow-large:hover{-webkit-transform:scale(1.2);transform:scale(1.2)}.grow-large:active{-webkit-transform:scale(.95);transform:scale(.95)}.pointer:hover,.shadow-hover{cursor:pointer}.shadow-hover{position:relative;transition:all .5s cubic-bezier(.165,.84,.44,1)}.shadow-hover:after{content:"";box-shadow:0 0 16px 2px rgba(0,0,0,.2);border-radius:inherit;opacity:0;position:absolute;top:0;left:0;width:100%;height:100%;z-index:-1;transition:opacity .5s cubic-bezier(.165,.84,.44,1)}.shadow-hover:focus:after,.shadow-hover:hover:after{opacity:1}.bg-animate,.bg-animate:focus,.bg-animate:hover{transition:background-color .15s ease-in-out}.z-0{z-index:0}.z-1{z-index:1}.z-2{z-index:2}.z-3{z-index:3}.z-4{z-index:4}.z-5{z-index:5}.z-999{z-index:999}.z-9999{z-index:9999}.z-max{z-index:2147483647}.z-inherit{z-index:inherit}.z-initial{z-index:auto}.z-unset{z-index:unset}.nested-copy-line-height ol,.nested-copy-line-height p,.nested-copy-line-height ul{line-height:1.5}.nested-headline-line-height h1,.nested-headline-line-height h2,.nested-headline-line-height h3,.nested-headline-line-height h4,.nested-headline-line-height h5,.nested-headline-line-height h6{line-height:1.25}.nested-list-reset ol,.nested-list-reset ul{padding-left:0;margin-left:0;list-style-type:none}.nested-copy-indent p+p{text-indent:1em;margin-top:0;margin-bottom:0}.nested-copy-seperator p+p{margin-top:1.5em}.nested-img img{width:100%;max-width:100%;display:block}.nested-links a{transition:color .15s ease-in}.nested-links a:focus,.nested-links a:hover{color:#96ccff;transition:color .15s ease-in}@font-face{font-family:Muli;font-style:normal;font-weight:200;src:url(/files/muli-latin-200.eot);src:local("Muli Extra Light "),local("Muli-Extra Light"),url(/files/muli-latin-200.eot?#iefix) format("embedded-opentype"),url(/files/muli-latin-200.woff2) format("woff2"),url(/files/muli-latin-200.woff) format("woff"),url(/files/muli-latin-200.svg#muli) format("svg")}@font-face{font-family:Muli;font-style:italic;font-weight:200;src:url(/files/muli-latin-200italic.eot);src:local("Muli Extra Light italic"),local("Muli-Extra Lightitalic"),url(/files/muli-latin-200italic.eot?#iefix) format("embedded-opentype"),url(/files/muli-latin-200italic.woff2) format("woff2"),url(/files/muli-latin-200italic.woff) format("woff"),url(/files/muli-latin-200italic.svg#muli) format("svg")}@font-face{font-family:Muli;font-style:normal;font-weight:400;src:url(/files/muli-latin-400.eot);src:local("Muli Regular "),local("Muli-Regular"),url(/files/muli-latin-400.eot?#iefix) format("embedded-opentype"),url(/files/muli-latin-400.woff2) format("woff2"),url(/files/muli-latin-400.woff) format("woff"),url(/files/muli-latin-400.svg#muli) format("svg")}@font-face{font-family:Muli;font-style:italic;font-weight:400;src:url(/files/muli-latin-400italic.eot);src:local("Muli Regular italic"),local("Muli-Regularitalic"),url(/files/muli-latin-400italic.eot?#iefix) format("embedded-opentype"),url(/files/muli-latin-400italic.woff2) format("woff2"),url(/files/muli-latin-400italic.woff) format("woff"),url(/files/muli-latin-400italic.svg#muli) format("svg")}@font-face{font-family:Muli;font-style:normal;font-weight:800;src:url(/files/muli-latin-800.eot);src:local("Muli ExtraBold "),local("Muli-ExtraBold"),url(/files/muli-latin-800.eot?#iefix) format("embedded-opentype"),url(/files/muli-latin-800.woff2) format("woff2"),url(/files/muli-latin-800.woff) format("woff"),url(/files/muli-latin-800.svg#muli) format("svg")}@font-face{font-family:Muli;font-style:italic;font-weight:800;src:url(/files/muli-latin-800italic.eot);src:local("Muli ExtraBold italic"),local("Muli-ExtraBolditalic"),url(/files/muli-latin-800italic.eot?#iefix) format("embedded-opentype"),url(/files/muli-latin-800italic.woff2) format("woff2"),url(/files/muli-latin-800italic.woff) format("woff"),url(/files/muli-latin-800italic.svg#muli) format("svg")}.header-link:after{position:relative;left:.5em;opacity:0;font-size:.8em;-moz-transition:opacity .2s ease-in-out .1s;-ms-transition:opacity .2s ease-in-out .1s}h2:hover .header-link,h3:hover .header-link,h4:hover .header-link,h5:hover .header-link,h6:hover .header-link{opacity:1}.animated{-webkit-animation-duration:.5s;animation-duration:.5s;-webkit-animation-fill-mode:forwards;animation-fill-mode:forwards;-webkit-animation-timing-function:ease-in-out;animation-timing-function:ease-in-out}@-webkit-keyframes a{0%{opacity:0}to{opacity:1}}@keyframes a{0%{opacity:0}to{opacity:1}}.fadeIn{-webkit-animation-name:a;animation-name:a}.animated-delay-1{-webkit-animation-delay:.5s;animation-delay:.5s}.note,.warning{border-left-width:4px;border-left-style:solid;position:relative;border-color:#0594cb;display:block}.note #exclamation-icon,.warning #exclamation-icon{fill:#0594cb;position:absolute;top:35%;left:-12px}.admonition-content{display:block;margin:0;padding:.125em 1em;margin-top:2em;margin-bottom:2em;overflow-x:auto;background-color:rgba(0,0,0,.05)}.hide-child-menu .child-menu{display:none}.hide-child-menu:active .child-menu,.hide-child-menu:focus .child-menu,.hide-child-menu:hover .child-menu{display:block}.documentation-copy h2{margin-top:3em}.documentation-copy h2.minor{font-size:inherit;margin-top:inherit;border-bottom:none}.searchbox{display:inline-block;position:relative;width:200px;height:32px!important;white-space:nowrap;box-sizing:border-box;visibility:visible!important}.searchbox .algolia-autocomplete{display:block;width:100%;height:100%}.searchbox__wrapper{width:100%;height:100%;z-index:1;position:relative}.searchbox__input{display:inline-block;box-sizing:border-box;transition:box-shadow .4s ease,background .4s ease;border:0;border-radius:16px;box-shadow:inset 0 0 0 1px #ccc;background:#fff!important;padding:0;padding-right:26px;padding-left:32px;width:100%;height:100%;vertical-align:middle;white-space:normal;font-size:12px;-webkit-appearance:none;-moz-appearance:none;appearance:none}.searchbox__input::-webkit-search-cancel-button,.searchbox__input::-webkit-search-decoration,.searchbox__input::-webkit-search-results-button,.searchbox__input::-webkit-search-results-decoration{display:none}.searchbox__input:hover{box-shadow:inset 0 0 0 1px #b3b3b3}.searchbox__input:active,.searchbox__input:focus{outline:0;box-shadow:inset 0 0 0 1px #aaa;background:#fff}.searchbox__input::-webkit-input-placeholder{color:#aaa}.searchbox__input:-ms-input-placeholder{color:#aaa}.searchbox__input::placeholder{color:#aaa}.searchbox__submit{position:absolute;top:0;margin:0;border:0;border-radius:16px 0 0 16px;background-color:rgba(69,142,225,0);padding:0;width:32px;height:100%;vertical-align:middle;text-align:center;font-size:inherit;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;right:inherit;left:0}.searchbox__submit:before{display:inline-block;margin-right:-4px;height:100%;vertical-align:middle;content:""}.searchbox__submit:active,.searchbox__submit:hover{cursor:pointer}.searchbox__submit:focus{outline:0}.searchbox__submit svg{width:14px;height:14px;vertical-align:middle;fill:#6d7e96}.searchbox__reset{display:block;position:absolute;top:8px;right:8px;margin:0;border:0;background:none;cursor:pointer;padding:0;font-size:inherit;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;fill:rgba(0,0,0,.5)}.searchbox__reset.hide{display:none}.searchbox__reset:focus{outline:0}.searchbox__reset svg{display:block;margin:4px;width:8px;height:8px}.searchbox__input:valid~.searchbox__reset{display:block;-webkit-animation-name:b;animation-name:b;-webkit-animation-duration:.15s;animation-duration:.15s}@-webkit-keyframes b{0%{-webkit-transform:translate3d(-20%,0,0);transform:translate3d(-20%,0,0);opacity:0}to{-webkit-transform:none;transform:none;opacity:1}}@keyframes b{0%{-webkit-transform:translate3d(-20%,0,0);transform:translate3d(-20%,0,0);opacity:0}to{-webkit-transform:none;transform:none;opacity:1}}.algolia-autocomplete.algolia-autocomplete-right .ds-dropdown-menu{right:0!important;left:inherit!important}.algolia-autocomplete.algolia-autocomplete-right .ds-dropdown-menu:before{right:48px}.algolia-autocomplete.algolia-autocomplete-left .ds-dropdown-menu{left:0!important;right:inherit!important}.algolia-autocomplete.algolia-autocomplete-left .ds-dropdown-menu:before{left:48px}.algolia-autocomplete .ds-dropdown-menu{top:-6px;border-radius:4px;margin:6px 0 0;padding:0;text-align:left;height:auto;position:relative;background:transparent;border:none;z-index:1;max-width:600px;min-width:500px;box-shadow:0 1px 0 0 rgba(0,0,0,.2),0 2px 3px 0 rgba(0,0,0,.1)}.algolia-autocomplete .ds-dropdown-menu:before{display:block;position:absolute;content:"";width:14px;height:14px;background:#fff;z-index:2;top:-7px;border-top:1px solid #d9d9d9;border-right:1px solid #d9d9d9;-webkit-transform:rotate(-45deg);transform:rotate(-45deg);border-radius:2px}.algolia-autocomplete .ds-dropdown-menu .ds-suggestions{position:relative;z-index:2;margin-top:8px}.algolia-autocomplete .ds-dropdown-menu .ds-suggestion{cursor:pointer}.algolia-autocomplete .ds-dropdown-menu .ds-suggestion.ds-cursor .algolia-docsearch-suggestion.suggestion-layout-simple,.algolia-autocomplete .ds-dropdown-menu .ds-suggestion.ds-cursor .algolia-docsearch-suggestion:not(.suggestion-layout-simple) .algolia-docsearch-suggestion--content{background-color:rgba(69,142,225,.05)}.algolia-autocomplete .ds-dropdown-menu [class^=ds-dataset-]{position:relative;border:1px solid #d9d9d9;background:#fff;border-radius:4px;overflow:auto;padding:0 8px 8px}.algolia-autocomplete .ds-dropdown-menu *{box-sizing:border-box}.algolia-autocomplete .algolia-docsearch-suggestion{position:relative;padding:0 8px;background:#fff;color:#02060c;overflow:hidden}.algolia-autocomplete .algolia-docsearch-suggestion--highlight{color:#174d8c;background:rgba(143,187,237,.1);padding:.1em .05em}.algolia-autocomplete .algolia-docsearch-suggestion--category-header .algolia-docsearch-suggestion--category-header-lvl0 .algolia-docsearch-suggestion--highlight,.algolia-autocomplete .algolia-docsearch-suggestion--category-header .algolia-docsearch-suggestion--category-header-lvl1 .algolia-docsearch-suggestion--highlight{color:inherit;background:inherit}.algolia-autocomplete .algolia-docsearch-suggestion--text .algolia-docsearch-suggestion--highlight{padding:0 0 1px;background:inherit;box-shadow:inset 0 -2px 0 0 rgba(69,142,225,.8);color:inherit}.algolia-autocomplete .algolia-docsearch-suggestion--content{display:block;float:right;width:70%;position:relative;padding:5.33333px 0 5.33333px 10.66667px;cursor:pointer}.algolia-autocomplete .algolia-docsearch-suggestion--content:before{content:"";position:absolute;display:block;top:0;height:100%;width:1px;background:#ddd;left:-1px}.algolia-autocomplete .algolia-docsearch-suggestion--category-header{position:relative;border-bottom:1px solid #ddd;display:none;margin-top:8px;padding:4px 0;font-size:1em;color:#33363d}.algolia-autocomplete .algolia-docsearch-suggestion--wrapper{width:100%;float:left;padding:8px 0 0}.algolia-autocomplete .algolia-docsearch-suggestion--subcategory-column{float:left;width:30%;display:none;padding-left:0;text-align:right;position:relative;padding:5.33333px 10.66667px;color:#a4a7ae;font-size:.9em;word-wrap:break-word}.algolia-autocomplete .algolia-docsearch-suggestion--subcategory-column:before{content:"";position:absolute;display:block;top:0;height:100%;width:1px;background:#ddd;right:0}.algolia-autocomplete .algolia-docsearch-suggestion--subcategory-column .algolia-docsearch-suggestion--highlight{background-color:inherit;color:inherit}.algolia-autocomplete .algolia-docsearch-suggestion--subcategory-inline{display:none}.algolia-autocomplete .algolia-docsearch-suggestion--title{margin-bottom:4px;color:#02060c;font-size:.9em;font-weight:700}.algolia-autocomplete .algolia-docsearch-suggestion--text{display:block;line-height:1.2em;font-size:.85em;color:#63676d}.algolia-autocomplete .algolia-docsearch-suggestion--no-results{width:100%;padding:8px 0;text-align:center;font-size:1.2em}.algolia-autocomplete .algolia-docsearch-suggestion--no-results:before{display:none}.algolia-autocomplete .algolia-docsearch-suggestion code{padding:1px 5px;font-size:90%;border:none;color:#222;background-color:#ebebeb;border-radius:3px;font-family:Menlo,Monaco,Consolas,Courier New,monospace}.algolia-autocomplete .algolia-docsearch-suggestion code .algolia-docsearch-suggestion--highlight{background:none}.algolia-autocomplete .algolia-docsearch-suggestion.algolia-docsearch-suggestion__main .algolia-docsearch-suggestion--category-header,.algolia-autocomplete .algolia-docsearch-suggestion.algolia-docsearch-suggestion__secondary .algolia-docsearch-suggestion--subcategory-column{display:block}.algolia-autocomplete .suggestion-layout-simple.algolia-docsearch-suggestion{border-bottom:1px solid #eee;padding:8px;margin:0}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--content{width:100%;padding:0}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--content:before{display:none}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--category-header{margin:0;padding:0;display:block;width:100%;border:none}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--category-header-lvl0,.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--category-header-lvl1{opacity:.6;font-size:.85em}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--category-header-lvl1:before{background-image:url('data:image/svg+xml;utf8,<svg width="10" height="10" viewBox="0 0 20 38" xmlns="http://www.w3.org/2000/svg"><path d="M1.49 4.31l14 16.126.002-2.624-14 16.074-1.314 1.51 3.017 2.626 1.313-1.508 14-16.075 1.142-1.313-1.14-1.313-14-16.125L3.2.18.18 2.8l1.31 1.51z" fill-rule="evenodd" fill="%231D3657" /></svg>');content:"";width:10px;height:10px;display:inline-block}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--wrapper{width:100%;float:left;margin:0;padding:0}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--duplicate-content,.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--subcategory-column,.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--subcategory-inline{display:none!important}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--title{margin:0;color:#458ee1;font-size:.9em;font-weight:400}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--title:before{content:"#";font-weight:700;color:#458ee1;display:inline-block}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--text{margin:4px 0 0;display:block;line-height:1.4em;padding:5.33333px 8px;background:#f8f8f8;font-size:.85em;opacity:.8}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--text .algolia-docsearch-suggestion--highlight{color:#3f4145;font-weight:700;box-shadow:none}.algolia-autocomplete .algolia-docsearch-footer{width:110px;height:20px;z-index:3;margin-top:10.66667px;float:right;font-size:0;line-height:0}.algolia-autocomplete .algolia-docsearch-footer--logo{background-image:url("data:image/svg+xml;utf8,<svg viewBox='0 0 130 18' xmlns='http://www.w3.org/2000/svg'><defs><linearGradient x1='-36.868%' y1='134.936%' x2='129.432%' y2='-27.7%' id='a'><stop stop-color='%2300AEFF' offset='0%'/><stop stop-color='%233369E7' offset='100%'/></linearGradient></defs><g fill='none' fill-rule='evenodd'><path d='M59.399.022h13.299a2.372 2.372 0 0 1 2.377 2.364V15.62a2.372 2.372 0 0 1-2.377 2.364H59.399a2.372 2.372 0 0 1-2.377-2.364V2.381A2.368 2.368 0 0 1 59.399.022z' fill='url(%23a)'/><path d='M66.257 4.56c-2.815 0-5.1 2.272-5.1 5.078 0 2.806 2.284 5.072 5.1 5.072 2.815 0 5.1-2.272 5.1-5.078 0-2.806-2.279-5.072-5.1-5.072zm0 8.652c-1.983 0-3.593-1.602-3.593-3.574 0-1.972 1.61-3.574 3.593-3.574 1.983 0 3.593 1.602 3.593 3.574a3.582 3.582 0 0 1-3.593 3.574zm0-6.418v2.664c0 .076.082.131.153.093l2.377-1.226c.055-.027.071-.093.044-.147a2.96 2.96 0 0 0-2.465-1.487c-.055 0-.11.044-.11.104l.001-.001zm-3.33-1.956l-.312-.311a.783.783 0 0 0-1.106 0l-.372.37a.773.773 0 0 0 0 1.101l.307.305c.049.049.121.038.164-.011.181-.245.378-.479.597-.697.225-.223.455-.42.707-.599.055-.033.06-.109.016-.158h-.001zm5.001-.806v-.616a.781.781 0 0 0-.783-.779h-1.824a.78.78 0 0 0-.783.779v.632c0 .071.066.12.137.104a5.736 5.736 0 0 1 1.588-.223c.52 0 1.035.071 1.534.207a.106.106 0 0 0 .131-.104z' fill='%23FFF'/><path d='M102.162 13.762c0 1.455-.372 2.517-1.123 3.193-.75.676-1.895 1.013-3.44 1.013-.564 0-1.736-.109-2.673-.316l.345-1.689c.783.163 1.819.207 2.361.207.86 0 1.473-.174 1.84-.523.367-.349.548-.866.548-1.553v-.349a6.374 6.374 0 0 1-.838.316 4.151 4.151 0 0 1-1.194.158 4.515 4.515 0 0 1-1.616-.278 3.385 3.385 0 0 1-1.254-.817 3.744 3.744 0 0 1-.811-1.351c-.192-.539-.29-1.504-.29-2.212 0-.665.104-1.498.307-2.054a3.925 3.925 0 0 1 .904-1.433 4.124 4.124 0 0 1 1.441-.926 5.31 5.31 0 0 1 1.945-.365c.696 0 1.337.087 1.961.191a15.86 15.86 0 0 1 1.588.332v8.456h-.001zm-5.954-4.206c0 .893.197 1.885.592 2.299.394.414.904.621 1.528.621.34 0 .663-.049.964-.142a2.75 2.75 0 0 0 .734-.332v-5.29a8.531 8.531 0 0 0-1.413-.18c-.778-.022-1.369.294-1.786.801-.411.507-.619 1.395-.619 2.223zm16.12 0c0 .719-.104 1.264-.318 1.858a4.389 4.389 0 0 1-.904 1.52c-.389.42-.854.746-1.402.975-.548.229-1.391.36-1.813.36-.422-.005-1.26-.125-1.802-.36a4.088 4.088 0 0 1-1.397-.975 4.486 4.486 0 0 1-.909-1.52 5.037 5.037 0 0 1-.329-1.858c0-.719.099-1.411.318-1.999.219-.588.526-1.09.92-1.509.394-.42.865-.741 1.402-.97a4.547 4.547 0 0 1 1.786-.338 4.69 4.69 0 0 1 1.791.338c.548.229 1.019.55 1.402.97.389.42.69.921.909 1.509.23.588.345 1.28.345 1.999h.001zm-2.191.005c0-.921-.203-1.689-.597-2.223-.394-.539-.948-.806-1.654-.806-.707 0-1.26.267-1.654.806-.394.539-.586 1.302-.586 2.223 0 .932.197 1.558.592 2.098.394.545.948.812 1.654.812.707 0 1.26-.272 1.654-.812.394-.545.592-1.166.592-2.098h-.001zm6.962 4.707c-3.511.016-3.511-2.822-3.511-3.274L113.583.926l2.142-.338v10.003c0 .256 0 1.88 1.375 1.885v1.792h-.001zm3.774 0h-2.153V5.072l2.153-.338v9.534zm-1.079-10.542c.718 0 1.304-.578 1.304-1.291 0-.714-.581-1.291-1.304-1.291-.723 0-1.304.578-1.304 1.291 0 .714.586 1.291 1.304 1.291zm6.431 1.013c.707 0 1.304.087 1.786.262.482.174.871.42 1.156.73.285.311.488.735.608 1.182.126.447.186.937.186 1.476v5.481a25.24 25.24 0 0 1-1.495.251c-.668.098-1.419.147-2.251.147a6.829 6.829 0 0 1-1.517-.158 3.213 3.213 0 0 1-1.178-.507 2.455 2.455 0 0 1-.761-.904c-.181-.37-.274-.893-.274-1.438 0-.523.104-.855.307-1.215.208-.36.487-.654.838-.883a3.609 3.609 0 0 1 1.227-.49 7.073 7.073 0 0 1 2.202-.103c.263.027.537.076.833.147v-.349c0-.245-.027-.479-.088-.697a1.486 1.486 0 0 0-.307-.583c-.148-.169-.34-.3-.581-.392a2.536 2.536 0 0 0-.915-.163c-.493 0-.942.06-1.353.131-.411.071-.75.153-1.008.245l-.257-1.749c.268-.093.668-.185 1.183-.278a9.335 9.335 0 0 1 1.66-.142l-.001-.001zm.181 7.731c.657 0 1.145-.038 1.484-.104v-2.168a5.097 5.097 0 0 0-1.978-.104c-.241.033-.46.098-.652.191a1.167 1.167 0 0 0-.466.392c-.121.169-.175.267-.175.523 0 .501.175.79.493.981.323.196.75.289 1.293.289h.001zM84.109 4.794c.707 0 1.304.087 1.786.262.482.174.871.42 1.156.73.29.316.487.735.608 1.182.126.447.186.937.186 1.476v5.481a25.24 25.24 0 0 1-1.495.251c-.668.098-1.419.147-2.251.147a6.829 6.829 0 0 1-1.517-.158 3.213 3.213 0 0 1-1.178-.507 2.455 2.455 0 0 1-.761-.904c-.181-.37-.274-.893-.274-1.438 0-.523.104-.855.307-1.215.208-.36.487-.654.838-.883a3.609 3.609 0 0 1 1.227-.49 7.073 7.073 0 0 1 2.202-.103c.257.027.537.076.833.147v-.349c0-.245-.027-.479-.088-.697a1.486 1.486 0 0 0-.307-.583c-.148-.169-.34-.3-.581-.392a2.536 2.536 0 0 0-.915-.163c-.493 0-.942.06-1.353.131-.411.071-.75.153-1.008.245l-.257-1.749c.268-.093.668-.185 1.183-.278a8.89 8.89 0 0 1 1.66-.142l-.001-.001zm.186 7.736c.657 0 1.145-.038 1.484-.104v-2.168a5.097 5.097 0 0 0-1.978-.104c-.241.033-.46.098-.652.191a1.167 1.167 0 0 0-.466.392c-.121.169-.175.267-.175.523 0 .501.175.79.493.981.318.191.75.289 1.293.289h.001zm8.682 1.738c-3.511.016-3.511-2.822-3.511-3.274L89.461.926l2.142-.338v10.003c0 .256 0 1.88 1.375 1.885v1.792h-.001z' fill='%23182359'/><path d='M5.027 11.025c0 .698-.252 1.246-.757 1.644-.505.397-1.201.596-2.089.596-.888 0-1.615-.138-2.181-.414v-1.214c.358.168.739.301 1.141.397.403.097.778.145 1.125.145.508 0 .884-.097 1.125-.29a.945.945 0 0 0 .363-.779.978.978 0 0 0-.333-.747c-.222-.204-.68-.446-1.375-.725-.716-.29-1.221-.621-1.515-.994-.294-.372-.44-.82-.44-1.343 0-.655.233-1.171.698-1.547.466-.376 1.09-.564 1.875-.564.752 0 1.5.165 2.245.494l-.408 1.047c-.698-.294-1.321-.44-1.869-.44-.415 0-.73.09-.945.271a.89.89 0 0 0-.322.717c0 .204.043.379.129.524.086.145.227.282.424.411.197.129.551.299 1.063.51.577.24.999.464 1.268.671.269.208.466.442.591.704.125.261.188.569.188.924l-.001.002zm3.98 2.24c-.924 0-1.646-.269-2.167-.808-.521-.539-.782-1.281-.782-2.226 0-.97.242-1.733.725-2.288.483-.555 1.148-.833 1.993-.833.784 0 1.404.238 1.858.714.455.476.682 1.132.682 1.966v.682H7.357c.018.577.174 1.02.467 1.329.294.31.707.465 1.241.465.351 0 .678-.033.98-.099a5.1 5.1 0 0 0 .975-.33v1.026a3.865 3.865 0 0 1-.935.312 5.723 5.723 0 0 1-1.08.091l.002-.001zm-.231-5.199c-.401 0-.722.127-.964.381s-.386.625-.432 1.112h2.696c-.007-.491-.125-.862-.354-1.115-.229-.252-.544-.379-.945-.379l-.001.001zm7.692 5.092l-.252-.827h-.043c-.286.362-.575.608-.865.739-.29.131-.662.196-1.117.196-.584 0-1.039-.158-1.367-.473-.328-.315-.491-.761-.491-1.337 0-.612.227-1.074.682-1.386.455-.312 1.148-.482 2.079-.51l1.026-.032v-.317c0-.38-.089-.663-.266-.851-.177-.188-.452-.282-.824-.282-.304 0-.596.045-.876.134a6.68 6.68 0 0 0-.806.317l-.408-.902a4.414 4.414 0 0 1 1.058-.384 4.856 4.856 0 0 1 1.085-.132c.756 0 1.326.165 1.711.494.385.329.577.847.577 1.552v4.002h-.902l-.001-.001zm-1.88-.859c.458 0 .826-.128 1.104-.384.278-.256.416-.615.416-1.077v-.516l-.763.032c-.594.021-1.027.121-1.297.298s-.406.448-.406.814c0 .265.079.47.236.615.158.145.394.218.709.218h.001zm7.557-5.189c.254 0 .464.018.628.054l-.124 1.176a2.383 2.383 0 0 0-.559-.064c-.505 0-.914.165-1.227.494-.313.329-.47.757-.47 1.284v3.105h-1.262V7.218h.988l.167 1.047h.064c.197-.354.454-.636.771-.843a1.83 1.83 0 0 1 1.023-.312h.001zm4.125 6.155c-.899 0-1.582-.262-2.049-.787-.467-.525-.701-1.277-.701-2.259 0-.999.244-1.767.733-2.304.489-.537 1.195-.806 2.119-.806.627 0 1.191.116 1.692.349l-.381 1.015c-.534-.208-.974-.312-1.321-.312-1.028 0-1.542.682-1.542 2.046 0 .666.128 1.166.384 1.501.256.335.631.502 1.125.502a3.23 3.23 0 0 0 1.595-.419v1.101a2.53 2.53 0 0 1-.722.285 4.356 4.356 0 0 1-.932.086v.002zm8.277-.107h-1.268V9.506c0-.458-.092-.8-.277-1.026-.184-.226-.477-.338-.878-.338-.53 0-.919.158-1.168.475-.249.317-.373.848-.373 1.593v2.949h-1.262V4.801h1.262v2.122c0 .34-.021.704-.064 1.09h.081a1.76 1.76 0 0 1 .717-.666c.306-.158.663-.236 1.072-.236 1.439 0 2.159.725 2.159 2.175v3.873l-.001-.001zm7.649-6.048c.741 0 1.319.269 1.732.806.414.537.62 1.291.62 2.261 0 .974-.209 1.732-.628 2.275-.419.542-1.001.814-1.746.814-.752 0-1.336-.27-1.751-.811h-.086l-.231.704h-.945V4.801h1.262v1.987l-.021.655-.032.553h.054c.401-.591.992-.886 1.772-.886zm-.328 1.031c-.508 0-.875.149-1.098.448-.224.299-.339.799-.346 1.501v.086c0 .723.115 1.247.344 1.571.229.324.603.486 1.123.486.448 0 .787-.177 1.018-.532.231-.354.346-.867.346-1.536 0-1.35-.462-2.025-1.386-2.025l-.001.001zm3.244-.924h1.375l1.209 3.368c.183.48.304.931.365 1.354h.043c.032-.197.091-.436.177-.717.086-.281.541-1.616 1.364-4.004h1.364l-2.541 6.73c-.462 1.235-1.232 1.853-2.31 1.853-.279 0-.551-.03-.816-.091v-.999c.19.043.406.064.65.064.609 0 1.037-.353 1.284-1.058l.22-.559-2.385-5.941h.001z' fill='%231D3657'/></g></svg>");background-repeat:no-repeat;background-position:50%;background-size:100%;overflow:hidden;text-indent:-9000px;padding:0!important;width:100%;height:100%;display:block}.overflow-x-scroll{-webkit-overflow-scrolling:touch}.row{transition:-webkit-transform .45s;transition:transform .45s;transition:transform .45s,-webkit-transform .45s;font-size:0}.tile{transition:all .45s}.details{background:linear-gradient(0deg,rgba(0,0,0,.9),transparent);transition:opacity .45s}.tile:hover .details{opacity:1}.row:hover .tile{opacity:.3}.row:hover .tile:hover{opacity:1}.chroma .lntable pre{padding:0;margin:0;border:0}.chroma .lntable pre code{padding:0;margin:0}.pre,pre{overflow-x:auto;overflow-y:hidden;overflow:scroll}code{padding:.2em;margin:0;font-size:85%;background-color:rgba(27,31,35,.05);border-radius:3px}pre code{display:block;padding:1.5em;font-size:.875rem;line-height:2;overflow-x:auto}pre{background-color:#fff;color:#333;white-space:pre;-webkit-hyphens:none;-ms-hyphens:none;hyphens:none;position:relative;border:1px solid #ccc}.highlight pre{background-color:inherit;color:inherit;padding:.5em;font-size:.875rem}.copy:after{content:"Copy"}.copied:after{content:"Copied"}@media screen and (min-width:60em){.full-width,pre.expand:hover{margin-right:-30vw;max-width:100vw}}.code-block .line-numbers-rows{background:#2f3a46;border:none;bottom:-50px;color:#98a4b3;left:-178px;padding:50px 0;top:-50px;width:138px}.code-block .line-numbers-rows>span:before{color:inherit;padding-right:30px}.tab-button{margin-bottom:1px;position:relative;z-index:1;color:#333;border-color:#ccc;outline:none;background-color:#fff}.tab-pane .chroma{background:none;padding:0}.tab-button.active{border-bottom-color:#f3f4f4;background-color:#f4f4f4}.tab-content .tab-pane{display:none}.tab-content .tab-pane.active{display:block}.tab-content .copied,.tab-content .copy{display:none}.tab-content .tab-pane.active+.copied,.tab-content .tab-pane.active+.copy{display:block}.primary-color{color:#0594cb}.bg-primary-color,.hover-bg-primary-color:hover{background-color:#0594cb}.primary-color-dark{color:#0a1922}.bg-primary-color-dark,.hover-bg-primary-color-dark:hover{background-color:#0a1922}.primary-color-light{color:#f9f9f9}.bg-primary-color-light,.hover-bg-primary-color-light:hover{background-color:#f9f9f9}.accent-color{color:#ebb951}.bg-accent-color,.hover-bg-accent-color:hover{background-color:#ebb951}.accent-color-light,.hover-accent-color-light:hover{color:#ff4088}.bg-accent-color-light,.hover-bg-accent-color-light:hover{background-color:#ff4088}.accent-color-dark{color:#33ba91}.bg-accent-color-dark,.hover-bg-accent-color-dark:hover{background-color:#33ba91}.text-color-primary{color:#373737}.text-on-primary-color{color:#fff}.text-color-secondary{color:#ccc}.text-color-disabled{color:#f7f7f7}.divider-color{color:#f6f6f6}.warn-color{color:red}.nested-links a{color:#0594cb;text-decoration:none}.column-count-2{-webkit-column-count:1;column-count:1}.column-gap-1{-webkit-column-gap:0;column-gap:0}.break-inside-avoid{-webkit-column-break-inside:auto;break-inside:auto}@media screen and (min-width:60em){.column-count-3-l{-webkit-column-count:3;column-count:3}.column-count-2-l{-webkit-column-count:2;column-count:2}.column-gap-1-l{-webkit-column-gap:1;column-gap:1}.break-inside-avoid-l{-webkit-column-break-inside:avoid;break-inside:avoid}}.prose ol,.prose ul{margin-bottom:2em}.prose ol li,.prose ul li{margin-bottom:.5em}.prose li:hover{background-color:#eee}.prose ::-moz-selection{background:#0594cb;color:#fff}.prose ::selection{background:#0594cb;color:#fff}body{line-height:1.45}p{margin-bottom:1.3em}h1,h2,h3,h4{margin:1.414em 0 .5em;line-height:1.2}h1{margin-top:0;font-size:2.441em}h2{font-size:1.953em}h3{font-size:1.563em}h4{font-size:1.25em}.font_small,small{font-size:.8em}.prose table{width:100%;margin-bottom:3em;border-collapse:collapse;border-spacing:0;font-size:1em;border:1px solid #eee}.prose table th{background-color:#0594cb;border-bottom:1px solid #0594cb;color:#fff;font-weight:400;text-align:left;padding:.375em .5em}.prose table tc,.prose table td{padding:.75em .5em;text-align:left;border-right:1px solid #eee}.prose table tr:nth-child(2n){background-color:#eee}dl dt{font-weight:700;font-size:1.125rem}dd{margin:.5em 0 2em;padding:0}.f2-fluid{font-size:2.25rem}@media screen and (min-width:60em){.f2-fluid{font-size:1.25rem;font-size:calc(.875rem + .5 * ((100vw - 20rem) / 60))}}.code,.highlight pre,code,pre code{font-family:inconsolata,Menlo,Monaco,Courier New,monospace}.sans-serif{font-family:Muli,avenir,helvetica neue,helvetica,ubuntu,roboto,noto,segoe ui,arial,sans-serif}.serif{font-family:Palatino,Palatino Linotype,Palatino LT STD,Book Antiqua,Georgia,serif}.courier{font-family:Courier Next,courier,monospace}.helvetica{font-family:helvetica neue,helvetica,sans-serif}.avenir{font-family:avenir next,avenir,sans-serif}.athelas{font-family:athelas,georgia,serif}.georgia{font-family:georgia,serif}.times{font-family:times,serif}.bodoni{font-family:Bodoni MT,serif}.calisto{font-family:Calisto MT,serif}.garamond{font-family:garamond,serif}.baskerville{font-family:baskerville,serif}.pagination{margin:3rem 0}.pagination li{display:inline-block;margin-right:.375rem;font-size:.875rem;margin-bottom:2.5em}.pagination li a{padding:.5rem .625rem;background-color:#fff;color:#333;border:1px solid #ddd;border-radius:3px;text-decoration:none}.pagination li.disabled{display:none}.pagination li.active a:active,.pagination li.active a:link,.pagination li.active a:visited{background-color:#ddd}#TableOfContents ul li ul li ul li{display:none}#TableOfContents ul li{color:#000;display:block;margin-bottom:.375em;line-height:1.375}#TableOfContents ul li a{width:100%;padding:.25em .375em;margin-left:-.375em}#TableOfContents ul li a:hover{background-color:#999;color:#fff}.no-js .needs-js{opacity:0}.js .needs-js{opacity:1;transition:opacity .15s ease-in}.facebook,.instagram,.twitter,.youtube{fill:#bababa}.facebook:hover{fill:#3b5998}.twitter{fill:#55acee}.twitter:hover{fill:#bababa}.instagram:hover{fill:#e95950}.youtube:hover{fill:#b00}@media (min-width:75em){[data-scrolldir=down] .sticky,[data-scrolldir=up] .sticky{position:fixed;top:100px;right:0}}.fill-current{fill:currentColor}.chroma{background-color:#fff}.chroma .err{color:#a61717;background-color:#e3d2d2}.chroma .lntd{vertical-align:top;padding:0;margin:0;border:0}.chroma .lntable{border-spacing:0;padding:0;margin:0;border:0;width:auto;overflow:auto;display:block}.chroma .hl{display:block;width:100%;background-color:#ffc}.chroma .ln,.chroma .lnt{margin-right:.4em;padding:0 .4em}.chroma .k,.chroma .kc,.chroma .kd,.chroma .kn,.chroma .kp,.chroma .kr,.chroma .kt{font-weight:700}.chroma .kt{color:#458}.chroma .na{color:teal}.chroma .nb{color:#999}.chroma .nc{color:#458;font-weight:700}.chroma .no{color:teal}.chroma .ni{color:purple}.chroma .ne,.chroma .nf{color:#900;font-weight:700}.chroma .nn{color:#555}.chroma .nt{color:navy}.chroma .nv{color:teal}.chroma .dl,.chroma .s,.chroma .s2,.chroma .sa,.chroma .sb,.chroma .sc,.chroma .sd,.chroma .se,.chroma .sh,.chroma .si,.chroma .sx{color:#b84}.chroma .sr{color:olive}.chroma .s1,.chroma .ss{color:#b84}.chroma .il,.chroma .m,.chroma .mb,.chroma .mf,.chroma .mh,.chroma .mi,.chroma .mo{color:#099}.chroma .o,.chroma .ow{font-weight:700}.chroma .c,.chroma .c1,.chroma .ch,.chroma .cm{color:#998;font-style:italic}.chroma .cs{font-style:italic}.chroma .cp,.chroma .cpf,.chroma .cs{color:#999;font-weight:700}.chroma .gd{color:#000;background-color:#fdd}.chroma .ge{font-style:italic}.chroma .gr{color:#a00}.chroma .gh{color:#999}.chroma .gi{color:#000;background-color:#dfd}.chroma .go{color:#888}.chroma .gp{color:#555}.chroma .gs{font-weight:700}.chroma .gu{color:#aaa}.chroma .gt{color:#a00}.chroma .w{color:#bbb}.nested-blockquote blockquote{border-left:4px solid #0594cb;padding-left:1em}.mw-90{max-width:90%}
++html{line-height:1.15;-ms-text-size-adjust:100%;-webkit-text-size-adjust:100%}body{margin:0}article,aside,footer,header,nav,section{display:block}h1{font-size:2em;margin:.67em 0}figcaption,figure,main{display:block}figure{margin:1em 40px}hr{box-sizing:content-box;height:0;overflow:visible}pre{font-family:monospace,monospace;font-size:1em}a{background-color:transparent;-webkit-text-decoration-skip:objects}abbr[title]{border-bottom:none;text-decoration:underline;text-decoration:underline dotted}b,strong{font-weight:inherit;font-weight:bolder}code,kbd,samp{font-family:monospace,monospace;font-size:1em}dfn{font-style:italic}mark{background-color:#ff0;color:#000}small{font-size:80%}sub,sup{font-size:75%;line-height:0;position:relative;vertical-align:baseline}sub{bottom:-.25em}sup{top:-.5em}audio,video{display:inline-block}audio:not([controls]){display:none;height:0}img{border-style:none}svg:not(:root){overflow:hidden}button,input,optgroup,select,textarea{font-family:sans-serif;font-size:100%;line-height:1.15;margin:0}button,input{overflow:visible}button,select{text-transform:none}[type=reset],[type=submit],button,html [type=button]{-webkit-appearance:button}[type=button]::-moz-focus-inner,[type=reset]::-moz-focus-inner,[type=submit]::-moz-focus-inner,button::-moz-focus-inner{border-style:none;padding:0}[type=button]:-moz-focusring,[type=reset]:-moz-focusring,[type=submit]:-moz-focusring,button:-moz-focusring{outline:1px dotted ButtonText}fieldset{padding:.35em .75em .625em}legend{box-sizing:border-box;color:inherit;display:table;max-width:100%;padding:0;white-space:normal}progress{display:inline-block;vertical-align:baseline}textarea{overflow:auto}[type=checkbox],[type=radio]{box-sizing:border-box;padding:0}[type=number]::-webkit-inner-spin-button,[type=number]::-webkit-outer-spin-button{height:auto}[type=search]{-webkit-appearance:textfield;outline-offset:-2px}[type=search]::-webkit-search-cancel-button,[type=search]::-webkit-search-decoration{-webkit-appearance:none}::-webkit-file-upload-button{-webkit-appearance:button;font:inherit}details,menu{display:block}summary{display:list-item}canvas{display:inline-block}[hidden],template{display:none}.border-box,a,article,body,code,dd,div,dl,dt,fieldset,footer,form,h1,h2,h3,h4,h5,h6,header,html,input[type=email],input[type=number],input[type=password],input[type=tel],input[type=text],input[type=url],legend,li,main,ol,p,pre,section,table,td,textarea,th,tr,ul{box-sizing:border-box}img{max-width:100%}.cover{background-size:cover!important}.contain{background-size:contain!important}@media screen and (min-width:30em){.cover-ns{background-size:cover!important}.contain-ns{background-size:contain!important}}@media screen and (min-width:30em) and (max-width:60em){.cover-m{background-size:cover!important}.contain-m{background-size:contain!important}}@media screen and (min-width:60em){.cover-l{background-size:cover!important}.contain-l{background-size:contain!important}}.bg-center{background-position:50%}.bg-center,.bg-top{background-repeat:no-repeat}.bg-top{background-position:top}.bg-right{background-position:100%}.bg-bottom,.bg-right{background-repeat:no-repeat}.bg-bottom{background-position:bottom}.bg-left{background-repeat:no-repeat;background-position:0}@media screen and (min-width:30em){.bg-center-ns{background-position:50%}.bg-center-ns,.bg-top-ns{background-repeat:no-repeat}.bg-top-ns{background-position:top}.bg-right-ns{background-position:100%}.bg-bottom-ns,.bg-right-ns{background-repeat:no-repeat}.bg-bottom-ns{background-position:bottom}.bg-left-ns{background-repeat:no-repeat;background-position:0}}@media screen and (min-width:30em) and (max-width:60em){.bg-center-m{background-position:50%}.bg-center-m,.bg-top-m{background-repeat:no-repeat}.bg-top-m{background-position:top}.bg-right-m{background-position:100%}.bg-bottom-m,.bg-right-m{background-repeat:no-repeat}.bg-bottom-m{background-position:bottom}.bg-left-m{background-repeat:no-repeat;background-position:0}}@media screen and (min-width:60em){.bg-center-l{background-position:50%}.bg-center-l,.bg-top-l{background-repeat:no-repeat}.bg-top-l{background-position:top}.bg-right-l{background-position:100%}.bg-bottom-l,.bg-right-l{background-repeat:no-repeat}.bg-bottom-l{background-position:bottom}.bg-left-l{background-repeat:no-repeat;background-position:0}}.ba{border-style:solid;border-width:1px}.bt{border-top-style:solid;border-top-width:1px}.br{border-right-style:solid;border-right-width:1px}.bb{border-bottom-style:solid;border-bottom-width:1px}.bl{border-left-style:solid;border-left-width:1px}.bn{border-style:none;border-width:0}@media screen and (min-width:30em){.ba-ns{border-style:solid;border-width:1px}.bt-ns{border-top-style:solid;border-top-width:1px}.br-ns{border-right-style:solid;border-right-width:1px}.bb-ns{border-bottom-style:solid;border-bottom-width:1px}.bl-ns{border-left-style:solid;border-left-width:1px}.bn-ns{border-style:none;border-width:0}}@media screen and (min-width:30em) and (max-width:60em){.ba-m{border-style:solid;border-width:1px}.bt-m{border-top-style:solid;border-top-width:1px}.br-m{border-right-style:solid;border-right-width:1px}.bb-m{border-bottom-style:solid;border-bottom-width:1px}.bl-m{border-left-style:solid;border-left-width:1px}.bn-m{border-style:none;border-width:0}}@media screen and (min-width:60em){.ba-l{border-style:solid;border-width:1px}.bt-l{border-top-style:solid;border-top-width:1px}.br-l{border-right-style:solid;border-right-width:1px}.bb-l{border-bottom-style:solid;border-bottom-width:1px}.bl-l{border-left-style:solid;border-left-width:1px}.bn-l{border-style:none;border-width:0}}.b--black{border-color:#000}.b--near-black{border-color:#111}.b--dark-gray{border-color:#333}.b--mid-gray{border-color:#555}.b--gray{border-color:#777}.b--silver{border-color:#999}.b--light-silver{border-color:#aaa}.b--moon-gray{border-color:#ccc}.b--light-gray{border-color:#eee}.b--near-white{border-color:#f4f4f4}.b--white{border-color:#fff}.b--white-90{border-color:hsla(0,0%,100%,.9)}.b--white-80{border-color:hsla(0,0%,100%,.8)}.b--white-70{border-color:hsla(0,0%,100%,.7)}.b--white-60{border-color:hsla(0,0%,100%,.6)}.b--white-50{border-color:hsla(0,0%,100%,.5)}.b--white-40{border-color:hsla(0,0%,100%,.4)}.b--white-30{border-color:hsla(0,0%,100%,.3)}.b--white-20{border-color:hsla(0,0%,100%,.2)}.b--white-10{border-color:hsla(0,0%,100%,.1)}.b--white-05{border-color:hsla(0,0%,100%,.05)}.b--white-025{border-color:hsla(0,0%,100%,.025)}.b--white-0125{border-color:hsla(0,0%,100%,.0125)}.b--black-90{border-color:rgba(0,0,0,.9)}.b--black-80{border-color:rgba(0,0,0,.8)}.b--black-70{border-color:rgba(0,0,0,.7)}.b--black-60{border-color:rgba(0,0,0,.6)}.b--black-50{border-color:rgba(0,0,0,.5)}.b--black-40{border-color:rgba(0,0,0,.4)}.b--black-30{border-color:rgba(0,0,0,.3)}.b--black-20{border-color:rgba(0,0,0,.2)}.b--black-10{border-color:rgba(0,0,0,.1)}.b--black-05{border-color:rgba(0,0,0,.05)}.b--black-025{border-color:rgba(0,0,0,.025)}.b--black-0125{border-color:rgba(0,0,0,.0125)}.b--dark-red{border-color:#e7040f}.b--red{border-color:#ff4136}.b--light-red{border-color:#ff725c}.b--orange{border-color:#ff6300}.b--gold{border-color:#ffb700}.b--yellow{border-color:gold}.b--light-yellow{border-color:#fbf1a9}.b--purple{border-color:#5e2ca5}.b--light-purple{border-color:#a463f2}.b--dark-pink{border-color:#d5008f}.b--hot-pink{border-color:#ff41b4}.b--pink{border-color:#ff80cc}.b--light-pink{border-color:#ffa3d7}.b--dark-green{border-color:#137752}.b--green{border-color:#19a974}.b--light-green{border-color:#9eebcf}.b--navy{border-color:#001b44}.b--dark-blue{border-color:#00449e}.b--blue{border-color:#0594cb}.b--light-blue{border-color:#96ccff}.b--lightest-blue{border-color:#cdecff}.b--washed-blue{border-color:#f6fffe}.b--washed-green{border-color:#e8fdf5}.b--washed-yellow{border-color:#fffceb}.b--washed-red{border-color:#ffdfdf}.b--transparent{border-color:transparent}.b--inherit{border-color:inherit}.br0{border-radius:0}.br1{border-radius:.125rem}.br2{border-radius:.25rem}.br3{border-radius:.5rem}.br4{border-radius:1rem}.br-100{border-radius:100%}.br-pill{border-radius:9999px}.br--bottom{border-top-left-radius:0;border-top-right-radius:0}.br--top{border-bottom-right-radius:0}.br--right,.br--top{border-bottom-left-radius:0}.br--right{border-top-left-radius:0}.br--left{border-top-right-radius:0;border-bottom-right-radius:0}@media screen and (min-width:30em){.br0-ns{border-radius:0}.br1-ns{border-radius:.125rem}.br2-ns{border-radius:.25rem}.br3-ns{border-radius:.5rem}.br4-ns{border-radius:1rem}.br-100-ns{border-radius:100%}.br-pill-ns{border-radius:9999px}.br--bottom-ns{border-top-left-radius:0;border-top-right-radius:0}.br--top-ns{border-bottom-right-radius:0}.br--right-ns,.br--top-ns{border-bottom-left-radius:0}.br--right-ns{border-top-left-radius:0}.br--left-ns{border-top-right-radius:0;border-bottom-right-radius:0}}@media screen and (min-width:30em) and (max-width:60em){.br0-m{border-radius:0}.br1-m{border-radius:.125rem}.br2-m{border-radius:.25rem}.br3-m{border-radius:.5rem}.br4-m{border-radius:1rem}.br-100-m{border-radius:100%}.br-pill-m{border-radius:9999px}.br--bottom-m{border-top-left-radius:0;border-top-right-radius:0}.br--top-m{border-bottom-right-radius:0}.br--right-m,.br--top-m{border-bottom-left-radius:0}.br--right-m{border-top-left-radius:0}.br--left-m{border-top-right-radius:0;border-bottom-right-radius:0}}@media screen and (min-width:60em){.br0-l{border-radius:0}.br1-l{border-radius:.125rem}.br2-l{border-radius:.25rem}.br3-l{border-radius:.5rem}.br4-l{border-radius:1rem}.br-100-l{border-radius:100%}.br-pill-l{border-radius:9999px}.br--bottom-l{border-top-left-radius:0;border-top-right-radius:0}.br--top-l{border-bottom-right-radius:0}.br--right-l,.br--top-l{border-bottom-left-radius:0}.br--right-l{border-top-left-radius:0}.br--left-l{border-top-right-radius:0;border-bottom-right-radius:0}}.b--dotted{border-style:dotted}.b--dashed{border-style:dashed}.b--solid{border-style:solid}.b--none{border-style:none}@media screen and (min-width:30em){.b--dotted-ns{border-style:dotted}.b--dashed-ns{border-style:dashed}.b--solid-ns{border-style:solid}.b--none-ns{border-style:none}}@media screen and (min-width:30em) and (max-width:60em){.b--dotted-m{border-style:dotted}.b--dashed-m{border-style:dashed}.b--solid-m{border-style:solid}.b--none-m{border-style:none}}@media screen and (min-width:60em){.b--dotted-l{border-style:dotted}.b--dashed-l{border-style:dashed}.b--solid-l{border-style:solid}.b--none-l{border-style:none}}.bw0{border-width:0}.bw1{border-width:.125rem}.bw2{border-width:.25rem}.bw3{border-width:.5rem}.bw4{border-width:1rem}.bw5{border-width:2rem}.bt-0{border-top-width:0}.br-0{border-right-width:0}.bb-0{border-bottom-width:0}.bl-0{border-left-width:0}@media screen and (min-width:30em){.bw0-ns{border-width:0}.bw1-ns{border-width:.125rem}.bw2-ns{border-width:.25rem}.bw3-ns{border-width:.5rem}.bw4-ns{border-width:1rem}.bw5-ns{border-width:2rem}.bt-0-ns{border-top-width:0}.br-0-ns{border-right-width:0}.bb-0-ns{border-bottom-width:0}.bl-0-ns{border-left-width:0}}@media screen and (min-width:30em) and (max-width:60em){.bw0-m{border-width:0}.bw1-m{border-width:.125rem}.bw2-m{border-width:.25rem}.bw3-m{border-width:.5rem}.bw4-m{border-width:1rem}.bw5-m{border-width:2rem}.bt-0-m{border-top-width:0}.br-0-m{border-right-width:0}.bb-0-m{border-bottom-width:0}.bl-0-m{border-left-width:0}}@media screen and (min-width:60em){.bw0-l{border-width:0}.bw1-l{border-width:.125rem}.bw2-l{border-width:.25rem}.bw3-l{border-width:.5rem}.bw4-l{border-width:1rem}.bw5-l{border-width:2rem}.bt-0-l{border-top-width:0}.br-0-l{border-right-width:0}.bb-0-l{border-bottom-width:0}.bl-0-l{border-left-width:0}}.shadow-1{box-shadow:0 0 4px 2px rgba(0,0,0,.2)}.shadow-2{box-shadow:0 0 8px 2px rgba(0,0,0,.2)}.shadow-3{box-shadow:2px 2px 4px 2px rgba(0,0,0,.2)}.shadow-4{box-shadow:2px 2px 8px 0 rgba(0,0,0,.2)}.shadow-5{box-shadow:4px 4px 8px 0 rgba(0,0,0,.2)}@media screen and (min-width:30em){.shadow-1-ns{box-shadow:0 0 4px 2px rgba(0,0,0,.2)}.shadow-2-ns{box-shadow:0 0 8px 2px rgba(0,0,0,.2)}.shadow-3-ns{box-shadow:2px 2px 4px 2px rgba(0,0,0,.2)}.shadow-4-ns{box-shadow:2px 2px 8px 0 rgba(0,0,0,.2)}.shadow-5-ns{box-shadow:4px 4px 8px 0 rgba(0,0,0,.2)}}@media screen and (min-width:30em) and (max-width:60em){.shadow-1-m{box-shadow:0 0 4px 2px rgba(0,0,0,.2)}.shadow-2-m{box-shadow:0 0 8px 2px rgba(0,0,0,.2)}.shadow-3-m{box-shadow:2px 2px 4px 2px rgba(0,0,0,.2)}.shadow-4-m{box-shadow:2px 2px 8px 0 rgba(0,0,0,.2)}.shadow-5-m{box-shadow:4px 4px 8px 0 rgba(0,0,0,.2)}}@media screen and (min-width:60em){.shadow-1-l{box-shadow:0 0 4px 2px rgba(0,0,0,.2)}.shadow-2-l{box-shadow:0 0 8px 2px rgba(0,0,0,.2)}.shadow-3-l{box-shadow:2px 2px 4px 2px rgba(0,0,0,.2)}.shadow-4-l{box-shadow:2px 2px 8px 0 rgba(0,0,0,.2)}.shadow-5-l{box-shadow:4px 4px 8px 0 rgba(0,0,0,.2)}}.top-0{top:0}.right-0{right:0}.bottom-0{bottom:0}.left-0{left:0}.top-1{top:1rem}.right-1{right:1rem}.bottom-1{bottom:1rem}.left-1{left:1rem}.top-2{top:2rem}.right-2{right:2rem}.bottom-2{bottom:2rem}.left-2{left:2rem}.top--1{top:-1rem}.right--1{right:-1rem}.bottom--1{bottom:-1rem}.left--1{left:-1rem}.top--2{top:-2rem}.right--2{right:-2rem}.bottom--2{bottom:-2rem}.left--2{left:-2rem}.absolute--fill{top:0;right:0;bottom:0;left:0}@media screen and (min-width:30em){.top-0-ns{top:0}.left-0-ns{left:0}.right-0-ns{right:0}.bottom-0-ns{bottom:0}.top-1-ns{top:1rem}.left-1-ns{left:1rem}.right-1-ns{right:1rem}.bottom-1-ns{bottom:1rem}.top-2-ns{top:2rem}.left-2-ns{left:2rem}.right-2-ns{right:2rem}.bottom-2-ns{bottom:2rem}.top--1-ns{top:-1rem}.right--1-ns{right:-1rem}.bottom--1-ns{bottom:-1rem}.left--1-ns{left:-1rem}.top--2-ns{top:-2rem}.right--2-ns{right:-2rem}.bottom--2-ns{bottom:-2rem}.left--2-ns{left:-2rem}.absolute--fill-ns{top:0;right:0;bottom:0;left:0}}@media screen and (min-width:30em) and (max-width:60em){.top-0-m{top:0}.left-0-m{left:0}.right-0-m{right:0}.bottom-0-m{bottom:0}.top-1-m{top:1rem}.left-1-m{left:1rem}.right-1-m{right:1rem}.bottom-1-m{bottom:1rem}.top-2-m{top:2rem}.left-2-m{left:2rem}.right-2-m{right:2rem}.bottom-2-m{bottom:2rem}.top--1-m{top:-1rem}.right--1-m{right:-1rem}.bottom--1-m{bottom:-1rem}.left--1-m{left:-1rem}.top--2-m{top:-2rem}.right--2-m{right:-2rem}.bottom--2-m{bottom:-2rem}.left--2-m{left:-2rem}.absolute--fill-m{top:0;right:0;bottom:0;left:0}}@media screen and (min-width:60em){.top-0-l{top:0}.left-0-l{left:0}.right-0-l{right:0}.bottom-0-l{bottom:0}.top-1-l{top:1rem}.left-1-l{left:1rem}.right-1-l{right:1rem}.bottom-1-l{bottom:1rem}.top-2-l{top:2rem}.left-2-l{left:2rem}.right-2-l{right:2rem}.bottom-2-l{bottom:2rem}.top--1-l{top:-1rem}.right--1-l{right:-1rem}.bottom--1-l{bottom:-1rem}.left--1-l{left:-1rem}.top--2-l{top:-2rem}.right--2-l{right:-2rem}.bottom--2-l{bottom:-2rem}.left--2-l{left:-2rem}.absolute--fill-l{top:0;right:0;bottom:0;left:0}}.cf:after,.cf:before{content:" ";display:table}.cf:after{clear:both}.cf{*zoom:1}.cl{clear:left}.cr{clear:right}.cb{clear:both}.cn{clear:none}@media screen and (min-width:30em){.cl-ns{clear:left}.cr-ns{clear:right}.cb-ns{clear:both}.cn-ns{clear:none}}@media screen and (min-width:30em) and (max-width:60em){.cl-m{clear:left}.cr-m{clear:right}.cb-m{clear:both}.cn-m{clear:none}}@media screen and (min-width:60em){.cl-l{clear:left}.cr-l{clear:right}.cb-l{clear:both}.cn-l{clear:none}}.dn{display:none}.di{display:inline}.db{display:block}.dib{display:inline-block}.dit{display:inline-table}.dt{display:table}.dtc{display:table-cell}.dt-row{display:table-row}.dt-row-group{display:table-row-group}.dt-column{display:table-column}.dt-column-group{display:table-column-group}.dt--fixed{table-layout:fixed;width:100%}@media screen and (min-width:30em){.dn-ns{display:none}.di-ns{display:inline}.db-ns{display:block}.dib-ns{display:inline-block}.dit-ns{display:inline-table}.dt-ns{display:table}.dtc-ns{display:table-cell}.dt-row-ns{display:table-row}.dt-row-group-ns{display:table-row-group}.dt-column-ns{display:table-column}.dt-column-group-ns{display:table-column-group}.dt--fixed-ns{table-layout:fixed;width:100%}}@media screen and (min-width:30em) and (max-width:60em){.dn-m{display:none}.di-m{display:inline}.db-m{display:block}.dib-m{display:inline-block}.dit-m{display:inline-table}.dt-m{display:table}.dtc-m{display:table-cell}.dt-row-m{display:table-row}.dt-row-group-m{display:table-row-group}.dt-column-m{display:table-column}.dt-column-group-m{display:table-column-group}.dt--fixed-m{table-layout:fixed;width:100%}}@media screen and (min-width:60em){.dn-l{display:none}.di-l{display:inline}.db-l{display:block}.dib-l{display:inline-block}.dit-l{display:inline-table}.dt-l{display:table}.dtc-l{display:table-cell}.dt-row-l{display:table-row}.dt-row-group-l{display:table-row-group}.dt-column-l{display:table-column}.dt-column-group-l{display:table-column-group}.dt--fixed-l{table-layout:fixed;width:100%}}.flex{display:-webkit-box;display:-ms-flexbox;display:flex}.inline-flex{display:-webkit-inline-box;display:-ms-inline-flexbox;display:inline-flex}.flex-auto{-webkit-box-flex:1;-ms-flex:1 1 auto;flex:1 1 auto;min-width:0;min-height:0}.flex-none{-webkit-box-flex:0;-ms-flex:none;flex:none}.flex-column{-webkit-box-orient:vertical;-ms-flex-direction:column;flex-direction:column}.flex-column,.flex-row{-webkit-box-direction:normal}.flex-row{-webkit-box-orient:horizontal;-ms-flex-direction:row;flex-direction:row}.flex-wrap{-ms-flex-wrap:wrap;flex-wrap:wrap}.flex-column-reverse{-webkit-box-orient:vertical;-webkit-box-direction:reverse;-ms-flex-direction:column-reverse;flex-direction:column-reverse}.flex-row-reverse{-webkit-box-orient:horizontal;-webkit-box-direction:reverse;-ms-flex-direction:row-reverse;flex-direction:row-reverse}.flex-wrap-reverse{-ms-flex-wrap:wrap-reverse;flex-wrap:wrap-reverse}.items-start{-webkit-box-align:start;-ms-flex-align:start;align-items:flex-start}.items-end{-webkit-box-align:end;-ms-flex-align:end;align-items:flex-end}.items-center{-webkit-box-align:center;-ms-flex-align:center;align-items:center}.items-baseline{-webkit-box-align:baseline;-ms-flex-align:baseline;align-items:baseline}.items-stretch{-webkit-box-align:stretch;-ms-flex-align:stretch;align-items:stretch}.self-start{-ms-flex-item-align:start;align-self:flex-start}.self-end{-ms-flex-item-align:end;align-self:flex-end}.self-center{-ms-flex-item-align:center;-ms-grid-row-align:center;align-self:center}.self-baseline{-ms-flex-item-align:baseline;align-self:baseline}.self-stretch{-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch}.justify-start{-webkit-box-pack:start;-ms-flex-pack:start;justify-content:flex-start}.justify-end{-webkit-box-pack:end;-ms-flex-pack:end;justify-content:flex-end}.justify-center{-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center}.justify-between{-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between}.justify-around{-ms-flex-pack:distribute;justify-content:space-around}.content-start{-ms-flex-line-pack:start;align-content:flex-start}.content-end{-ms-flex-line-pack:end;align-content:flex-end}.content-center{-ms-flex-line-pack:center;align-content:center}.content-between{-ms-flex-line-pack:justify;align-content:space-between}.content-around{-ms-flex-line-pack:distribute;align-content:space-around}.content-stretch{-ms-flex-line-pack:stretch;align-content:stretch}.order-0{-webkit-box-ordinal-group:1;-ms-flex-order:0;order:0}.order-1{-webkit-box-ordinal-group:2;-ms-flex-order:1;order:1}.order-2{-webkit-box-ordinal-group:3;-ms-flex-order:2;order:2}.order-3{-webkit-box-ordinal-group:4;-ms-flex-order:3;order:3}.order-4{-webkit-box-ordinal-group:5;-ms-flex-order:4;order:4}.order-5{-webkit-box-ordinal-group:6;-ms-flex-order:5;order:5}.order-6{-webkit-box-ordinal-group:7;-ms-flex-order:6;order:6}.order-7{-webkit-box-ordinal-group:8;-ms-flex-order:7;order:7}.order-8{-webkit-box-ordinal-group:9;-ms-flex-order:8;order:8}.order-last{-webkit-box-ordinal-group:100000;-ms-flex-order:99999;order:99999}@media screen and (min-width:30em){.flex-ns{display:-webkit-box;display:-ms-flexbox;display:flex}.inline-flex-ns{display:-webkit-inline-box;display:-ms-inline-flexbox;display:inline-flex}.flex-auto-ns{-webkit-box-flex:1;-ms-flex:1 1 auto;flex:1 1 auto;min-width:0;min-height:0}.flex-none-ns{-webkit-box-flex:0;-ms-flex:none;flex:none}.flex-column-ns{-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column}.flex-row-ns{-webkit-box-orient:horizontal;-webkit-box-direction:normal;-ms-flex-direction:row;flex-direction:row}.flex-wrap-ns{-ms-flex-wrap:wrap;flex-wrap:wrap}.flex-column-reverse-ns{-webkit-box-orient:vertical;-webkit-box-direction:reverse;-ms-flex-direction:column-reverse;flex-direction:column-reverse}.flex-row-reverse-ns{-webkit-box-orient:horizontal;-webkit-box-direction:reverse;-ms-flex-direction:row-reverse;flex-direction:row-reverse}.flex-wrap-reverse-ns{-ms-flex-wrap:wrap-reverse;flex-wrap:wrap-reverse}.items-start-ns{-webkit-box-align:start;-ms-flex-align:start;align-items:flex-start}.items-end-ns{-webkit-box-align:end;-ms-flex-align:end;align-items:flex-end}.items-center-ns{-webkit-box-align:center;-ms-flex-align:center;align-items:center}.items-baseline-ns{-webkit-box-align:baseline;-ms-flex-align:baseline;align-items:baseline}.items-stretch-ns{-webkit-box-align:stretch;-ms-flex-align:stretch;align-items:stretch}.self-start-ns{-ms-flex-item-align:start;align-self:flex-start}.self-end-ns{-ms-flex-item-align:end;align-self:flex-end}.self-center-ns{-ms-flex-item-align:center;-ms-grid-row-align:center;align-self:center}.self-baseline-ns{-ms-flex-item-align:baseline;align-self:baseline}.self-stretch-ns{-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch}.justify-start-ns{-webkit-box-pack:start;-ms-flex-pack:start;justify-content:flex-start}.justify-end-ns{-webkit-box-pack:end;-ms-flex-pack:end;justify-content:flex-end}.justify-center-ns{-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center}.justify-between-ns{-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between}.justify-around-ns{-ms-flex-pack:distribute;justify-content:space-around}.content-start-ns{-ms-flex-line-pack:start;align-content:flex-start}.content-end-ns{-ms-flex-line-pack:end;align-content:flex-end}.content-center-ns{-ms-flex-line-pack:center;align-content:center}.content-between-ns{-ms-flex-line-pack:justify;align-content:space-between}.content-around-ns{-ms-flex-line-pack:distribute;align-content:space-around}.content-stretch-ns{-ms-flex-line-pack:stretch;align-content:stretch}.order-0-ns{-webkit-box-ordinal-group:1;-ms-flex-order:0;order:0}.order-1-ns{-webkit-box-ordinal-group:2;-ms-flex-order:1;order:1}.order-2-ns{-webkit-box-ordinal-group:3;-ms-flex-order:2;order:2}.order-3-ns{-webkit-box-ordinal-group:4;-ms-flex-order:3;order:3}.order-4-ns{-webkit-box-ordinal-group:5;-ms-flex-order:4;order:4}.order-5-ns{-webkit-box-ordinal-group:6;-ms-flex-order:5;order:5}.order-6-ns{-webkit-box-ordinal-group:7;-ms-flex-order:6;order:6}.order-7-ns{-webkit-box-ordinal-group:8;-ms-flex-order:7;order:7}.order-8-ns{-webkit-box-ordinal-group:9;-ms-flex-order:8;order:8}.order-last-ns{-webkit-box-ordinal-group:100000;-ms-flex-order:99999;order:99999}}@media screen and (min-width:30em) and (max-width:60em){.flex-m{display:-webkit-box;display:-ms-flexbox;display:flex}.inline-flex-m{display:-webkit-inline-box;display:-ms-inline-flexbox;display:inline-flex}.flex-auto-m{-webkit-box-flex:1;-ms-flex:1 1 auto;flex:1 1 auto;min-width:0;min-height:0}.flex-none-m{-webkit-box-flex:0;-ms-flex:none;flex:none}.flex-column-m{-webkit-box-orient:vertical;-ms-flex-direction:column;flex-direction:column}.flex-column-m,.flex-row-m{-webkit-box-direction:normal}.flex-row-m{-webkit-box-orient:horizontal;-ms-flex-direction:row;flex-direction:row}.flex-wrap-m{-ms-flex-wrap:wrap;flex-wrap:wrap}.flex-column-reverse-m{-webkit-box-orient:vertical;-webkit-box-direction:reverse;-ms-flex-direction:column-reverse;flex-direction:column-reverse}.flex-row-reverse-m{-webkit-box-orient:horizontal;-webkit-box-direction:reverse;-ms-flex-direction:row-reverse;flex-direction:row-reverse}.flex-wrap-reverse-m{-ms-flex-wrap:wrap-reverse;flex-wrap:wrap-reverse}.items-start-m{-webkit-box-align:start;-ms-flex-align:start;align-items:flex-start}.items-end-m{-webkit-box-align:end;-ms-flex-align:end;align-items:flex-end}.items-center-m{-webkit-box-align:center;-ms-flex-align:center;align-items:center}.items-baseline-m{-webkit-box-align:baseline;-ms-flex-align:baseline;align-items:baseline}.items-stretch-m{-webkit-box-align:stretch;-ms-flex-align:stretch;align-items:stretch}.self-start-m{-ms-flex-item-align:start;align-self:flex-start}.self-end-m{-ms-flex-item-align:end;align-self:flex-end}.self-center-m{-ms-flex-item-align:center;-ms-grid-row-align:center;align-self:center}.self-baseline-m{-ms-flex-item-align:baseline;align-self:baseline}.self-stretch-m{-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch}.justify-start-m{-webkit-box-pack:start;-ms-flex-pack:start;justify-content:flex-start}.justify-end-m{-webkit-box-pack:end;-ms-flex-pack:end;justify-content:flex-end}.justify-center-m{-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center}.justify-between-m{-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between}.justify-around-m{-ms-flex-pack:distribute;justify-content:space-around}.content-start-m{-ms-flex-line-pack:start;align-content:flex-start}.content-end-m{-ms-flex-line-pack:end;align-content:flex-end}.content-center-m{-ms-flex-line-pack:center;align-content:center}.content-between-m{-ms-flex-line-pack:justify;align-content:space-between}.content-around-m{-ms-flex-line-pack:distribute;align-content:space-around}.content-stretch-m{-ms-flex-line-pack:stretch;align-content:stretch}.order-0-m{-webkit-box-ordinal-group:1;-ms-flex-order:0;order:0}.order-1-m{-webkit-box-ordinal-group:2;-ms-flex-order:1;order:1}.order-2-m{-webkit-box-ordinal-group:3;-ms-flex-order:2;order:2}.order-3-m{-webkit-box-ordinal-group:4;-ms-flex-order:3;order:3}.order-4-m{-webkit-box-ordinal-group:5;-ms-flex-order:4;order:4}.order-5-m{-webkit-box-ordinal-group:6;-ms-flex-order:5;order:5}.order-6-m{-webkit-box-ordinal-group:7;-ms-flex-order:6;order:6}.order-7-m{-webkit-box-ordinal-group:8;-ms-flex-order:7;order:7}.order-8-m{-webkit-box-ordinal-group:9;-ms-flex-order:8;order:8}.order-last-m{-webkit-box-ordinal-group:100000;-ms-flex-order:99999;order:99999}}@media screen and (min-width:60em){.flex-l{display:-webkit-box;display:-ms-flexbox;display:flex}.inline-flex-l{display:-webkit-inline-box;display:-ms-inline-flexbox;display:inline-flex}.flex-auto-l{-webkit-box-flex:1;-ms-flex:1 1 auto;flex:1 1 auto;min-width:0;min-height:0}.flex-none-l{-webkit-box-flex:0;-ms-flex:none;flex:none}.flex-column-l{-webkit-box-orient:vertical;-ms-flex-direction:column;flex-direction:column}.flex-column-l,.flex-row-l{-webkit-box-direction:normal}.flex-row-l{-webkit-box-orient:horizontal;-ms-flex-direction:row;flex-direction:row}.flex-wrap-l{-ms-flex-wrap:wrap;flex-wrap:wrap}.flex-column-reverse-l{-webkit-box-orient:vertical;-webkit-box-direction:reverse;-ms-flex-direction:column-reverse;flex-direction:column-reverse}.flex-row-reverse-l{-webkit-box-orient:horizontal;-webkit-box-direction:reverse;-ms-flex-direction:row-reverse;flex-direction:row-reverse}.flex-wrap-reverse-l{-ms-flex-wrap:wrap-reverse;flex-wrap:wrap-reverse}.items-start-l{-webkit-box-align:start;-ms-flex-align:start;align-items:flex-start}.items-end-l{-webkit-box-align:end;-ms-flex-align:end;align-items:flex-end}.items-center-l{-webkit-box-align:center;-ms-flex-align:center;align-items:center}.items-baseline-l{-webkit-box-align:baseline;-ms-flex-align:baseline;align-items:baseline}.items-stretch-l{-webkit-box-align:stretch;-ms-flex-align:stretch;align-items:stretch}.self-start-l{-ms-flex-item-align:start;align-self:flex-start}.self-end-l{-ms-flex-item-align:end;align-self:flex-end}.self-center-l{-ms-flex-item-align:center;-ms-grid-row-align:center;align-self:center}.self-baseline-l{-ms-flex-item-align:baseline;align-self:baseline}.self-stretch-l{-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch}.justify-start-l{-webkit-box-pack:start;-ms-flex-pack:start;justify-content:flex-start}.justify-end-l{-webkit-box-pack:end;-ms-flex-pack:end;justify-content:flex-end}.justify-center-l{-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center}.justify-between-l{-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between}.justify-around-l{-ms-flex-pack:distribute;justify-content:space-around}.content-start-l{-ms-flex-line-pack:start;align-content:flex-start}.content-end-l{-ms-flex-line-pack:end;align-content:flex-end}.content-center-l{-ms-flex-line-pack:center;align-content:center}.content-between-l{-ms-flex-line-pack:justify;align-content:space-between}.content-around-l{-ms-flex-line-pack:distribute;align-content:space-around}.content-stretch-l{-ms-flex-line-pack:stretch;align-content:stretch}.order-0-l{-webkit-box-ordinal-group:1;-ms-flex-order:0;order:0}.order-1-l{-webkit-box-ordinal-group:2;-ms-flex-order:1;order:1}.order-2-l{-webkit-box-ordinal-group:3;-ms-flex-order:2;order:2}.order-3-l{-webkit-box-ordinal-group:4;-ms-flex-order:3;order:3}.order-4-l{-webkit-box-ordinal-group:5;-ms-flex-order:4;order:4}.order-5-l{-webkit-box-ordinal-group:6;-ms-flex-order:5;order:5}.order-6-l{-webkit-box-ordinal-group:7;-ms-flex-order:6;order:6}.order-7-l{-webkit-box-ordinal-group:8;-ms-flex-order:7;order:7}.order-8-l{-webkit-box-ordinal-group:9;-ms-flex-order:8;order:8}.order-last-l{-webkit-box-ordinal-group:100000;-ms-flex-order:99999;order:99999}}.fl{float:left}.fl,.fr{_display:inline}.fr{float:right}.fn{float:none}@media screen and (min-width:30em){.fl-ns{float:left}.fl-ns,.fr-ns{_display:inline}.fr-ns{float:right}.fn-ns{float:none}}@media screen and (min-width:30em) and (max-width:60em){.fl-m{float:left}.fl-m,.fr-m{_display:inline}.fr-m{float:right}.fn-m{float:none}}@media screen and (min-width:60em){.fl-l{float:left}.fl-l,.fr-l{_display:inline}.fr-l{float:right}.fn-l{float:none}}.i{font-style:italic}.fs-normal{font-style:normal}@media screen and (min-width:30em){.i-ns{font-style:italic}.fs-normal-ns{font-style:normal}}@media screen and (min-width:30em) and (max-width:60em){.i-m{font-style:italic}.fs-normal-m{font-style:normal}}@media screen and (min-width:60em){.i-l{font-style:italic}.fs-normal-l{font-style:normal}}.normal{font-weight:normal}.b{font-weight:bold}.fw1{font-weight:100}.fw2{font-weight:200}.fw3{font-weight:300}.fw4{font-weight:400}.fw5{font-weight:500}.fw6{font-weight:600}.fw7{font-weight:700}.fw8{font-weight:800}.fw9{font-weight:900}@media screen and (min-width:30em){.normal-ns{font-weight:normal}.b-ns{font-weight:bold}.fw1-ns{font-weight:100}.fw2-ns{font-weight:200}.fw3-ns{font-weight:300}.fw4-ns{font-weight:400}.fw5-ns{font-weight:500}.fw6-ns{font-weight:600}.fw7-ns{font-weight:700}.fw8-ns{font-weight:800}.fw9-ns{font-weight:900}}@media screen and (min-width:30em) and (max-width:60em){.normal-m{font-weight:normal}.b-m{font-weight:bold}.fw1-m{font-weight:100}.fw2-m{font-weight:200}.fw3-m{font-weight:300}.fw4-m{font-weight:400}.fw5-m{font-weight:500}.fw6-m{font-weight:600}.fw7-m{font-weight:700}.fw8-m{font-weight:800}.fw9-m{font-weight:900}}@media screen and (min-width:60em){.normal-l{font-weight:normal}.b-l{font-weight:bold}.fw1-l{font-weight:100}.fw2-l{font-weight:200}.fw3-l{font-weight:300}.fw4-l{font-weight:400}.fw5-l{font-weight:500}.fw6-l{font-weight:600}.fw7-l{font-weight:700}.fw8-l{font-weight:800}.fw9-l{font-weight:900}}.input-reset{-webkit-appearance:none;-moz-appearance:none}.button-reset::-moz-focus-inner,.input-reset::-moz-focus-inner{border:0;padding:0}.h1{height:1rem}.h2{height:2rem}.h3{height:4rem}.h4{height:8rem}.h5{height:16rem}.h-25{height:25%}.h-50{height:50%}.h-75{height:75%}.h-100{height:100%}.min-h-100{min-height:100%}.vh-25{height:25vh}.vh-50{height:50vh}.vh-75{height:75vh}.vh-100{height:100vh}.min-vh-100{min-height:100vh}.h-auto{height:auto}.h-inherit{height:inherit}@media screen and (min-width:30em){.h1-ns{height:1rem}.h2-ns{height:2rem}.h3-ns{height:4rem}.h4-ns{height:8rem}.h5-ns{height:16rem}.h-25-ns{height:25%}.h-50-ns{height:50%}.h-75-ns{height:75%}.h-100-ns{height:100%}.min-h-100-ns{min-height:100%}.vh-25-ns{height:25vh}.vh-50-ns{height:50vh}.vh-75-ns{height:75vh}.vh-100-ns{height:100vh}.min-vh-100-ns{min-height:100vh}.h-auto-ns{height:auto}.h-inherit-ns{height:inherit}}@media screen and (min-width:30em) and (max-width:60em){.h1-m{height:1rem}.h2-m{height:2rem}.h3-m{height:4rem}.h4-m{height:8rem}.h5-m{height:16rem}.h-25-m{height:25%}.h-50-m{height:50%}.h-75-m{height:75%}.h-100-m{height:100%}.min-h-100-m{min-height:100%}.vh-25-m{height:25vh}.vh-50-m{height:50vh}.vh-75-m{height:75vh}.vh-100-m{height:100vh}.min-vh-100-m{min-height:100vh}.h-auto-m{height:auto}.h-inherit-m{height:inherit}}@media screen and (min-width:60em){.h1-l{height:1rem}.h2-l{height:2rem}.h3-l{height:4rem}.h4-l{height:8rem}.h5-l{height:16rem}.h-25-l{height:25%}.h-50-l{height:50%}.h-75-l{height:75%}.h-100-l{height:100%}.min-h-100-l{min-height:100%}.vh-25-l{height:25vh}.vh-50-l{height:50vh}.vh-75-l{height:75vh}.vh-100-l{height:100vh}.min-vh-100-l{min-height:100vh}.h-auto-l{height:auto}.h-inherit-l{height:inherit}}.tracked{letter-spacing:.1em}.tracked-tight{letter-spacing:-.05em}.tracked-mega{letter-spacing:.25em}@media screen and (min-width:30em){.tracked-ns{letter-spacing:.1em}.tracked-tight-ns{letter-spacing:-.05em}.tracked-mega-ns{letter-spacing:.25em}}@media screen and (min-width:30em) and (max-width:60em){.tracked-m{letter-spacing:.1em}.tracked-tight-m{letter-spacing:-.05em}.tracked-mega-m{letter-spacing:.25em}}@media screen and (min-width:60em){.tracked-l{letter-spacing:.1em}.tracked-tight-l{letter-spacing:-.05em}.tracked-mega-l{letter-spacing:.25em}}.lh-solid{line-height:1}.lh-title{line-height:1.25}.lh-copy{line-height:1.5}@media screen and (min-width:30em){.lh-solid-ns{line-height:1}.lh-title-ns{line-height:1.25}.lh-copy-ns{line-height:1.5}}@media screen and (min-width:30em) and (max-width:60em){.lh-solid-m{line-height:1}.lh-title-m{line-height:1.25}.lh-copy-m{line-height:1.5}}@media screen and (min-width:60em){.lh-solid-l{line-height:1}.lh-title-l{line-height:1.25}.lh-copy-l{line-height:1.5}}.link{text-decoration:none}.link,.link:active,.link:focus,.link:hover,.link:link,.link:visited{transition:color .15s ease-in}.link:focus{outline:1px dotted currentColor}.list{list-style-type:none}.mw-100{max-width:100%}.mw1{max-width:1rem}.mw2{max-width:2rem}.mw3{max-width:4rem}.mw4{max-width:8rem}.mw5{max-width:16rem}.mw6{max-width:32rem}.mw7{max-width:48rem}.mw8{max-width:64rem}.mw9{max-width:96rem}.mw-none{max-width:none}@media screen and (min-width:30em){.mw-100-ns{max-width:100%}.mw1-ns{max-width:1rem}.mw2-ns{max-width:2rem}.mw3-ns{max-width:4rem}.mw4-ns{max-width:8rem}.mw5-ns{max-width:16rem}.mw6-ns{max-width:32rem}.mw7-ns{max-width:48rem}.mw8-ns{max-width:64rem}.mw9-ns{max-width:96rem}.mw-none-ns{max-width:none}}@media screen and (min-width:30em) and (max-width:60em){.mw-100-m{max-width:100%}.mw1-m{max-width:1rem}.mw2-m{max-width:2rem}.mw3-m{max-width:4rem}.mw4-m{max-width:8rem}.mw5-m{max-width:16rem}.mw6-m{max-width:32rem}.mw7-m{max-width:48rem}.mw8-m{max-width:64rem}.mw9-m{max-width:96rem}.mw-none-m{max-width:none}}@media screen and (min-width:60em){.mw-100-l{max-width:100%}.mw1-l{max-width:1rem}.mw2-l{max-width:2rem}.mw3-l{max-width:4rem}.mw4-l{max-width:8rem}.mw5-l{max-width:16rem}.mw6-l{max-width:32rem}.mw7-l{max-width:48rem}.mw8-l{max-width:64rem}.mw9-l{max-width:96rem}.mw-none-l{max-width:none}}.w1{width:1rem}.w2{width:2rem}.w3{width:4rem}.w4{width:8rem}.w5{width:16rem}.w-10{width:10%}.w-20{width:20%}.w-25{width:25%}.w-30{width:30%}.w-33{width:33%}.w-34{width:34%}.w-40{width:40%}.w-50{width:50%}.w-60{width:60%}.w-70{width:70%}.w-75{width:75%}.w-80{width:80%}.w-90{width:90%}.w-100{width:100%}.w-third{width:33.33333%}.w-two-thirds{width:66.66667%}.w-auto{width:auto}@media screen and (min-width:30em){.w1-ns{width:1rem}.w2-ns{width:2rem}.w3-ns{width:4rem}.w4-ns{width:8rem}.w5-ns{width:16rem}.w-10-ns{width:10%}.w-20-ns{width:20%}.w-25-ns{width:25%}.w-30-ns{width:30%}.w-33-ns{width:33%}.w-34-ns{width:34%}.w-40-ns{width:40%}.w-50-ns{width:50%}.w-60-ns{width:60%}.w-70-ns{width:70%}.w-75-ns{width:75%}.w-80-ns{width:80%}.w-90-ns{width:90%}.w-100-ns{width:100%}.w-third-ns{width:33.33333%}.w-two-thirds-ns{width:66.66667%}.w-auto-ns{width:auto}}@media screen and (min-width:30em) and (max-width:60em){.w1-m{width:1rem}.w2-m{width:2rem}.w3-m{width:4rem}.w4-m{width:8rem}.w5-m{width:16rem}.w-10-m{width:10%}.w-20-m{width:20%}.w-25-m{width:25%}.w-30-m{width:30%}.w-33-m{width:33%}.w-34-m{width:34%}.w-40-m{width:40%}.w-50-m{width:50%}.w-60-m{width:60%}.w-70-m{width:70%}.w-75-m{width:75%}.w-80-m{width:80%}.w-90-m{width:90%}.w-100-m{width:100%}.w-third-m{width:33.33333%}.w-two-thirds-m{width:66.66667%}.w-auto-m{width:auto}}@media screen and (min-width:60em){.w1-l{width:1rem}.w2-l{width:2rem}.w3-l{width:4rem}.w4-l{width:8rem}.w5-l{width:16rem}.w-10-l{width:10%}.w-20-l{width:20%}.w-25-l{width:25%}.w-30-l{width:30%}.w-33-l{width:33%}.w-34-l{width:34%}.w-40-l{width:40%}.w-50-l{width:50%}.w-60-l{width:60%}.w-70-l{width:70%}.w-75-l{width:75%}.w-80-l{width:80%}.w-90-l{width:90%}.w-100-l{width:100%}.w-third-l{width:33.33333%}.w-two-thirds-l{width:66.66667%}.w-auto-l{width:auto}}.overflow-visible{overflow:visible}.overflow-hidden{overflow:hidden}.overflow-scroll{overflow:scroll}.overflow-auto{overflow:auto}.overflow-x-visible{overflow-x:visible}.overflow-x-hidden{overflow-x:hidden}.overflow-x-scroll{overflow-x:scroll}.overflow-x-auto{overflow-x:auto}.overflow-y-visible{overflow-y:visible}.overflow-y-hidden{overflow-y:hidden}.overflow-y-scroll{overflow-y:scroll}.overflow-y-auto{overflow-y:auto}@media screen and (min-width:30em){.overflow-visible-ns{overflow:visible}.overflow-hidden-ns{overflow:hidden}.overflow-scroll-ns{overflow:scroll}.overflow-auto-ns{overflow:auto}.overflow-x-visible-ns{overflow-x:visible}.overflow-x-hidden-ns{overflow-x:hidden}.overflow-x-scroll-ns{overflow-x:scroll}.overflow-x-auto-ns{overflow-x:auto}.overflow-y-visible-ns{overflow-y:visible}.overflow-y-hidden-ns{overflow-y:hidden}.overflow-y-scroll-ns{overflow-y:scroll}.overflow-y-auto-ns{overflow-y:auto}}@media screen and (min-width:30em) and (max-width:60em){.overflow-visible-m{overflow:visible}.overflow-hidden-m{overflow:hidden}.overflow-scroll-m{overflow:scroll}.overflow-auto-m{overflow:auto}.overflow-x-visible-m{overflow-x:visible}.overflow-x-hidden-m{overflow-x:hidden}.overflow-x-scroll-m{overflow-x:scroll}.overflow-x-auto-m{overflow-x:auto}.overflow-y-visible-m{overflow-y:visible}.overflow-y-hidden-m{overflow-y:hidden}.overflow-y-scroll-m{overflow-y:scroll}.overflow-y-auto-m{overflow-y:auto}}@media screen and (min-width:60em){.overflow-visible-l{overflow:visible}.overflow-hidden-l{overflow:hidden}.overflow-scroll-l{overflow:scroll}.overflow-auto-l{overflow:auto}.overflow-x-visible-l{overflow-x:visible}.overflow-x-hidden-l{overflow-x:hidden}.overflow-x-scroll-l{overflow-x:scroll}.overflow-x-auto-l{overflow-x:auto}.overflow-y-visible-l{overflow-y:visible}.overflow-y-hidden-l{overflow-y:hidden}.overflow-y-scroll-l{overflow-y:scroll}.overflow-y-auto-l{overflow-y:auto}}.static{position:static}.relative{position:relative}.absolute{position:absolute}.fixed{position:fixed}@media screen and (min-width:30em){.static-ns{position:static}.relative-ns{position:relative}.absolute-ns{position:absolute}.fixed-ns{position:fixed}}@media screen and (min-width:30em) and (max-width:60em){.static-m{position:static}.relative-m{position:relative}.absolute-m{position:absolute}.fixed-m{position:fixed}}@media screen and (min-width:60em){.static-l{position:static}.relative-l{position:relative}.absolute-l{position:absolute}.fixed-l{position:fixed}}.o-100{opacity:1}.o-90{opacity:.9}.o-80{opacity:.8}.o-70{opacity:.7}.o-60{opacity:.6}.o-50{opacity:.5}.o-40{opacity:.4}.o-30{opacity:.3}.o-20{opacity:.2}.o-10{opacity:.1}.o-05{opacity:.05}.o-025{opacity:.025}.o-0{opacity:0}.black-90{color:rgba(0,0,0,.9)}.black-80{color:rgba(0,0,0,.8)}.black-70{color:rgba(0,0,0,.7)}.black-60{color:rgba(0,0,0,.6)}.black-50{color:rgba(0,0,0,.5)}.black-40{color:rgba(0,0,0,.4)}.black-30{color:rgba(0,0,0,.3)}.black-20{color:rgba(0,0,0,.2)}.black-10{color:rgba(0,0,0,.1)}.black-05{color:rgba(0,0,0,.05)}.white-90{color:hsla(0,0%,100%,.9)}.white-80{color:hsla(0,0%,100%,.8)}.white-70{color:hsla(0,0%,100%,.7)}.white-60{color:hsla(0,0%,100%,.6)}.white-50{color:hsla(0,0%,100%,.5)}.white-40{color:hsla(0,0%,100%,.4)}.white-30{color:hsla(0,0%,100%,.3)}.white-20{color:hsla(0,0%,100%,.2)}.white-10{color:hsla(0,0%,100%,.1)}.black{color:#000}.near-black{color:#111}.dark-gray{color:#333}.mid-gray{color:#555}.gray{color:#777}.silver{color:#999}.light-silver{color:#aaa}.moon-gray{color:#ccc}.light-gray{color:#eee}.near-white{color:#f4f4f4}.white{color:#fff}.dark-red{color:#e7040f}.red{color:#ff4136}.light-red{color:#ff725c}.orange{color:#ff6300}.gold{color:#ffb700}.yellow{color:gold}.light-yellow{color:#fbf1a9}.purple{color:#5e2ca5}.light-purple{color:#a463f2}.dark-pink{color:#d5008f}.hot-pink{color:#ff41b4}.pink{color:#ff80cc}.light-pink{color:#ffa3d7}.dark-green{color:#137752}.green{color:#19a974}.light-green{color:#9eebcf}.navy{color:#001b44}.dark-blue{color:#00449e}.blue{color:#0594cb}.light-blue{color:#96ccff}.lightest-blue{color:#cdecff}.washed-blue{color:#f6fffe}.washed-green{color:#e8fdf5}.washed-yellow{color:#fffceb}.washed-red{color:#ffdfdf}.color-inherit{color:inherit}.bg-black-90{background-color:rgba(0,0,0,.9)}.bg-black-80{background-color:rgba(0,0,0,.8)}.bg-black-70{background-color:rgba(0,0,0,.7)}.bg-black-60{background-color:rgba(0,0,0,.6)}.bg-black-50{background-color:rgba(0,0,0,.5)}.bg-black-40{background-color:rgba(0,0,0,.4)}.bg-black-30{background-color:rgba(0,0,0,.3)}.bg-black-20{background-color:rgba(0,0,0,.2)}.bg-black-10{background-color:rgba(0,0,0,.1)}.bg-black-05{background-color:rgba(0,0,0,.05)}.bg-white-90{background-color:hsla(0,0%,100%,.9)}.bg-white-80{background-color:hsla(0,0%,100%,.8)}.bg-white-70{background-color:hsla(0,0%,100%,.7)}.bg-white-60{background-color:hsla(0,0%,100%,.6)}.bg-white-50{background-color:hsla(0,0%,100%,.5)}.bg-white-40{background-color:hsla(0,0%,100%,.4)}.bg-white-30{background-color:hsla(0,0%,100%,.3)}.bg-white-20{background-color:hsla(0,0%,100%,.2)}.bg-white-10{background-color:hsla(0,0%,100%,.1)}.bg-black{background-color:#000}.bg-near-black{background-color:#111}.bg-dark-gray{background-color:#333}.bg-mid-gray{background-color:#555}.bg-gray{background-color:#777}.bg-silver{background-color:#999}.bg-light-silver{background-color:#aaa}.bg-moon-gray{background-color:#ccc}.bg-light-gray{background-color:#eee}.bg-near-white{background-color:#f4f4f4}.bg-white{background-color:#fff}.bg-transparent{background-color:transparent}.bg-dark-red{background-color:#e7040f}.bg-red{background-color:#ff4136}.bg-light-red{background-color:#ff725c}.bg-orange{background-color:#ff6300}.bg-gold{background-color:#ffb700}.bg-yellow{background-color:gold}.bg-light-yellow{background-color:#fbf1a9}.bg-purple{background-color:#5e2ca5}.bg-light-purple{background-color:#a463f2}.bg-dark-pink{background-color:#d5008f}.bg-hot-pink{background-color:#ff41b4}.bg-pink{background-color:#ff80cc}.bg-light-pink{background-color:#ffa3d7}.bg-dark-green{background-color:#137752}.bg-green{background-color:#19a974}.bg-light-green{background-color:#9eebcf}.bg-navy{background-color:#001b44}.bg-dark-blue{background-color:#00449e}.bg-blue{background-color:#0594cb}.bg-light-blue{background-color:#96ccff}.bg-lightest-blue{background-color:#cdecff}.bg-washed-blue{background-color:#f6fffe}.bg-washed-green{background-color:#e8fdf5}.bg-washed-yellow{background-color:#fffceb}.bg-washed-red{background-color:#ffdfdf}.bg-inherit{background-color:inherit}.hover-black:focus,.hover-black:hover{color:#000}.hover-near-black:focus,.hover-near-black:hover{color:#111}.hover-dark-gray:focus,.hover-dark-gray:hover{color:#333}.hover-mid-gray:focus,.hover-mid-gray:hover{color:#555}.hover-gray:focus,.hover-gray:hover{color:#777}.hover-silver:focus,.hover-silver:hover{color:#999}.hover-light-silver:focus,.hover-light-silver:hover{color:#aaa}.hover-moon-gray:focus,.hover-moon-gray:hover{color:#ccc}.hover-light-gray:focus,.hover-light-gray:hover{color:#eee}.hover-near-white:focus,.hover-near-white:hover{color:#f4f4f4}.hover-white:focus,.hover-white:hover{color:#fff}.hover-black-90:focus,.hover-black-90:hover{color:rgba(0,0,0,.9)}.hover-black-80:focus,.hover-black-80:hover{color:rgba(0,0,0,.8)}.hover-black-70:focus,.hover-black-70:hover{color:rgba(0,0,0,.7)}.hover-black-60:focus,.hover-black-60:hover{color:rgba(0,0,0,.6)}.hover-black-50:focus,.hover-black-50:hover{color:rgba(0,0,0,.5)}.hover-black-40:focus,.hover-black-40:hover{color:rgba(0,0,0,.4)}.hover-black-30:focus,.hover-black-30:hover{color:rgba(0,0,0,.3)}.hover-black-20:focus,.hover-black-20:hover{color:rgba(0,0,0,.2)}.hover-black-10:focus,.hover-black-10:hover{color:rgba(0,0,0,.1)}.hover-white-90:focus,.hover-white-90:hover{color:hsla(0,0%,100%,.9)}.hover-white-80:focus,.hover-white-80:hover{color:hsla(0,0%,100%,.8)}.hover-white-70:focus,.hover-white-70:hover{color:hsla(0,0%,100%,.7)}.hover-white-60:focus,.hover-white-60:hover{color:hsla(0,0%,100%,.6)}.hover-white-50:focus,.hover-white-50:hover{color:hsla(0,0%,100%,.5)}.hover-white-40:focus,.hover-white-40:hover{color:hsla(0,0%,100%,.4)}.hover-white-30:focus,.hover-white-30:hover{color:hsla(0,0%,100%,.3)}.hover-white-20:focus,.hover-white-20:hover{color:hsla(0,0%,100%,.2)}.hover-white-10:focus,.hover-white-10:hover{color:hsla(0,0%,100%,.1)}.hover-inherit:focus,.hover-inherit:hover{color:inherit}.hover-bg-black:focus,.hover-bg-black:hover{background-color:#000}.hover-bg-near-black:focus,.hover-bg-near-black:hover{background-color:#111}.hover-bg-dark-gray:focus,.hover-bg-dark-gray:hover{background-color:#333}.hover-bg-dark-gray:focus,.hover-bg-mid-gray:hover{background-color:#555}.hover-bg-gray:focus,.hover-bg-gray:hover{background-color:#777}.hover-bg-silver:focus,.hover-bg-silver:hover{background-color:#999}.hover-bg-light-silver:focus,.hover-bg-light-silver:hover{background-color:#aaa}.hover-bg-moon-gray:focus,.hover-bg-moon-gray:hover{background-color:#ccc}.hover-bg-light-gray:focus,.hover-bg-light-gray:hover{background-color:#eee}.hover-bg-near-white:focus,.hover-bg-near-white:hover{background-color:#f4f4f4}.hover-bg-white:focus,.hover-bg-white:hover{background-color:#fff}.hover-bg-transparent:focus,.hover-bg-transparent:hover{background-color:transparent}.hover-bg-black-90:focus,.hover-bg-black-90:hover{background-color:rgba(0,0,0,.9)}.hover-bg-black-80:focus,.hover-bg-black-80:hover{background-color:rgba(0,0,0,.8)}.hover-bg-black-70:focus,.hover-bg-black-70:hover{background-color:rgba(0,0,0,.7)}.hover-bg-black-60:focus,.hover-bg-black-60:hover{background-color:rgba(0,0,0,.6)}.hover-bg-black-50:focus,.hover-bg-black-50:hover{background-color:rgba(0,0,0,.5)}.hover-bg-black-40:focus,.hover-bg-black-40:hover{background-color:rgba(0,0,0,.4)}.hover-bg-black-30:focus,.hover-bg-black-30:hover{background-color:rgba(0,0,0,.3)}.hover-bg-black-20:focus,.hover-bg-black-20:hover{background-color:rgba(0,0,0,.2)}.hover-bg-black-10:focus,.hover-bg-black-10:hover{background-color:rgba(0,0,0,.1)}.hover-bg-white-90:focus,.hover-bg-white-90:hover{background-color:hsla(0,0%,100%,.9)}.hover-bg-white-80:focus,.hover-bg-white-80:hover{background-color:hsla(0,0%,100%,.8)}.hover-bg-white-70:focus,.hover-bg-white-70:hover{background-color:hsla(0,0%,100%,.7)}.hover-bg-white-60:focus,.hover-bg-white-60:hover{background-color:hsla(0,0%,100%,.6)}.hover-bg-white-50:focus,.hover-bg-white-50:hover{background-color:hsla(0,0%,100%,.5)}.hover-bg-white-40:focus,.hover-bg-white-40:hover{background-color:hsla(0,0%,100%,.4)}.hover-bg-white-30:focus,.hover-bg-white-30:hover{background-color:hsla(0,0%,100%,.3)}.hover-bg-white-20:focus,.hover-bg-white-20:hover{background-color:hsla(0,0%,100%,.2)}.hover-bg-white-10:focus,.hover-bg-white-10:hover{background-color:hsla(0,0%,100%,.1)}.hover-dark-red:focus,.hover-dark-red:hover{color:#e7040f}.hover-red:focus,.hover-red:hover{color:#ff4136}.hover-light-red:focus,.hover-light-red:hover{color:#ff725c}.hover-orange:focus,.hover-orange:hover{color:#ff6300}.hover-gold:focus,.hover-gold:hover{color:#ffb700}.hover-yellow:focus,.hover-yellow:hover{color:gold}.hover-light-yellow:focus,.hover-light-yellow:hover{color:#fbf1a9}.hover-purple:focus,.hover-purple:hover{color:#5e2ca5}.hover-light-purple:focus,.hover-light-purple:hover{color:#a463f2}.hover-dark-pink:focus,.hover-dark-pink:hover{color:#d5008f}.hover-hot-pink:focus,.hover-hot-pink:hover{color:#ff41b4}.hover-pink:focus,.hover-pink:hover{color:#ff80cc}.hover-light-pink:focus,.hover-light-pink:hover{color:#ffa3d7}.hover-dark-green:focus,.hover-dark-green:hover{color:#137752}.hover-green:focus,.hover-green:hover{color:#19a974}.hover-light-green:focus,.hover-light-green:hover{color:#9eebcf}.hover-navy:focus,.hover-navy:hover{color:#001b44}.hover-dark-blue:focus,.hover-dark-blue:hover{color:#00449e}.hover-blue:focus,.hover-blue:hover{color:#0594cb}.hover-light-blue:focus,.hover-light-blue:hover{color:#96ccff}.hover-lightest-blue:focus,.hover-lightest-blue:hover{color:#cdecff}.hover-washed-blue:focus,.hover-washed-blue:hover{color:#f6fffe}.hover-washed-green:focus,.hover-washed-green:hover{color:#e8fdf5}.hover-washed-yellow:focus,.hover-washed-yellow:hover{color:#fffceb}.hover-washed-red:focus,.hover-washed-red:hover{color:#ffdfdf}.hover-bg-dark-red:focus,.hover-bg-dark-red:hover{background-color:#e7040f}.hover-bg-red:focus,.hover-bg-red:hover{background-color:#ff4136}.hover-bg-light-red:focus,.hover-bg-light-red:hover{background-color:#ff725c}.hover-bg-orange:focus,.hover-bg-orange:hover{background-color:#ff6300}.hover-bg-gold:focus,.hover-bg-gold:hover{background-color:#ffb700}.hover-bg-yellow:focus,.hover-bg-yellow:hover{background-color:gold}.hover-bg-light-yellow:focus,.hover-bg-light-yellow:hover{background-color:#fbf1a9}.hover-bg-purple:focus,.hover-bg-purple:hover{background-color:#5e2ca5}.hover-bg-light-purple:focus,.hover-bg-light-purple:hover{background-color:#a463f2}.hover-bg-dark-pink:focus,.hover-bg-dark-pink:hover{background-color:#d5008f}.hover-bg-hot-pink:focus,.hover-bg-hot-pink:hover{background-color:#ff41b4}.hover-bg-pink:focus,.hover-bg-pink:hover{background-color:#ff80cc}.hover-bg-light-pink:focus,.hover-bg-light-pink:hover{background-color:#ffa3d7}.hover-bg-dark-green:focus,.hover-bg-dark-green:hover{background-color:#137752}.hover-bg-green:focus,.hover-bg-green:hover{background-color:#19a974}.hover-bg-light-green:focus,.hover-bg-light-green:hover{background-color:#9eebcf}.hover-bg-navy:focus,.hover-bg-navy:hover{background-color:#001b44}.hover-bg-dark-blue:focus,.hover-bg-dark-blue:hover{background-color:#00449e}.hover-bg-blue:focus,.hover-bg-blue:hover{background-color:#0594cb}.hover-bg-light-blue:focus,.hover-bg-light-blue:hover{background-color:#96ccff}.hover-bg-lightest-blue:focus,.hover-bg-lightest-blue:hover{background-color:#cdecff}.hover-bg-washed-blue:focus,.hover-bg-washed-blue:hover{background-color:#f6fffe}.hover-bg-washed-green:focus,.hover-bg-washed-green:hover{background-color:#e8fdf5}.hover-bg-washed-yellow:focus,.hover-bg-washed-yellow:hover{background-color:#fffceb}.hover-bg-washed-red:focus,.hover-bg-washed-red:hover{background-color:#ffdfdf}.hover-bg-inherit:focus,.hover-bg-inherit:hover{background-color:inherit}.pa0{padding:0}.pa1{padding:.25rem}.pa2{padding:.5rem}.pa3{padding:1rem}.pa4{padding:2rem}.pa5{padding:4rem}.pa6{padding:8rem}.pa7{padding:16rem}.pl0{padding-left:0}.pl1{padding-left:.25rem}.pl2{padding-left:.5rem}.pl3{padding-left:1rem}.pl4{padding-left:2rem}.pl5{padding-left:4rem}.pl6{padding-left:8rem}.pl7{padding-left:16rem}.pr0{padding-right:0}.pr1{padding-right:.25rem}.pr2{padding-right:.5rem}.pr3{padding-right:1rem}.pr4{padding-right:2rem}.pr5{padding-right:4rem}.pr6{padding-right:8rem}.pr7{padding-right:16rem}.pb0{padding-bottom:0}.pb1{padding-bottom:.25rem}.pb2{padding-bottom:.5rem}.pb3{padding-bottom:1rem}.pb4{padding-bottom:2rem}.pb5{padding-bottom:4rem}.pb6{padding-bottom:8rem}.pb7{padding-bottom:16rem}.pt0{padding-top:0}.pt1{padding-top:.25rem}.pt2{padding-top:.5rem}.pt3{padding-top:1rem}.pt4{padding-top:2rem}.pt5{padding-top:4rem}.pt6{padding-top:8rem}.pt7{padding-top:16rem}.pv0{padding-top:0;padding-bottom:0}.pv1{padding-top:.25rem;padding-bottom:.25rem}.pv2{padding-top:.5rem;padding-bottom:.5rem}.pv3{padding-top:1rem;padding-bottom:1rem}.pv4{padding-top:2rem;padding-bottom:2rem}.pv5{padding-top:4rem;padding-bottom:4rem}.pv6{padding-top:8rem;padding-bottom:8rem}.pv7{padding-top:16rem;padding-bottom:16rem}.ph0{padding-left:0;padding-right:0}.ph1{padding-left:.25rem;padding-right:.25rem}.ph2{padding-left:.5rem;padding-right:.5rem}.ph3{padding-left:1rem;padding-right:1rem}.ph4{padding-left:2rem;padding-right:2rem}.ph5{padding-left:4rem;padding-right:4rem}.ph6{padding-left:8rem;padding-right:8rem}.ph7{padding-left:16rem;padding-right:16rem}.ma0{margin:0}.ma1{margin:.25rem}.ma2{margin:.5rem}.ma3{margin:1rem}.ma4{margin:2rem}.ma5{margin:4rem}.ma6{margin:8rem}.ma7{margin:16rem}.ml0{margin-left:0}.ml1{margin-left:.25rem}.ml2{margin-left:.5rem}.ml3{margin-left:1rem}.ml4{margin-left:2rem}.ml5{margin-left:4rem}.ml6{margin-left:8rem}.ml7{margin-left:16rem}.mr0{margin-right:0}.mr1{margin-right:.25rem}.mr2{margin-right:.5rem}.mr3{margin-right:1rem}.mr4{margin-right:2rem}.mr5{margin-right:4rem}.mr6{margin-right:8rem}.mr7{margin-right:16rem}.mb0{margin-bottom:0}.mb1{margin-bottom:.25rem}.mb2{margin-bottom:.5rem}.mb3{margin-bottom:1rem}.mb4{margin-bottom:2rem}.mb5{margin-bottom:4rem}.mb6{margin-bottom:8rem}.mb7{margin-bottom:16rem}.mt0{margin-top:0}.mt1{margin-top:.25rem}.mt2{margin-top:.5rem}.mt3{margin-top:1rem}.mt4{margin-top:2rem}.mt5{margin-top:4rem}.mt6{margin-top:8rem}.mt7{margin-top:16rem}.mv0{margin-top:0;margin-bottom:0}.mv1{margin-top:.25rem;margin-bottom:.25rem}.mv2{margin-top:.5rem;margin-bottom:.5rem}.mv3{margin-top:1rem;margin-bottom:1rem}.mv4{margin-top:2rem;margin-bottom:2rem}.mv5{margin-top:4rem;margin-bottom:4rem}.mv6{margin-top:8rem;margin-bottom:8rem}.mv7{margin-top:16rem;margin-bottom:16rem}.mh0{margin-left:0;margin-right:0}.mh1{margin-left:.25rem;margin-right:.25rem}.mh2{margin-left:.5rem;margin-right:.5rem}.mh3{margin-left:1rem;margin-right:1rem}.mh4{margin-left:2rem;margin-right:2rem}.mh5{margin-left:4rem;margin-right:4rem}.mh6{margin-left:8rem;margin-right:8rem}.mh7{margin-left:16rem;margin-right:16rem}@media screen and (min-width:30em){.pa0-ns{padding:0}.pa1-ns{padding:.25rem}.pa2-ns{padding:.5rem}.pa3-ns{padding:1rem}.pa4-ns{padding:2rem}.pa5-ns{padding:4rem}.pa6-ns{padding:8rem}.pa7-ns{padding:16rem}.pl0-ns{padding-left:0}.pl1-ns{padding-left:.25rem}.pl2-ns{padding-left:.5rem}.pl3-ns{padding-left:1rem}.pl4-ns{padding-left:2rem}.pl5-ns{padding-left:4rem}.pl6-ns{padding-left:8rem}.pl7-ns{padding-left:16rem}.pr0-ns{padding-right:0}.pr1-ns{padding-right:.25rem}.pr2-ns{padding-right:.5rem}.pr3-ns{padding-right:1rem}.pr4-ns{padding-right:2rem}.pr5-ns{padding-right:4rem}.pr6-ns{padding-right:8rem}.pr7-ns{padding-right:16rem}.pb0-ns{padding-bottom:0}.pb1-ns{padding-bottom:.25rem}.pb2-ns{padding-bottom:.5rem}.pb3-ns{padding-bottom:1rem}.pb4-ns{padding-bottom:2rem}.pb5-ns{padding-bottom:4rem}.pb6-ns{padding-bottom:8rem}.pb7-ns{padding-bottom:16rem}.pt0-ns{padding-top:0}.pt1-ns{padding-top:.25rem}.pt2-ns{padding-top:.5rem}.pt3-ns{padding-top:1rem}.pt4-ns{padding-top:2rem}.pt5-ns{padding-top:4rem}.pt6-ns{padding-top:8rem}.pt7-ns{padding-top:16rem}.pv0-ns{padding-top:0;padding-bottom:0}.pv1-ns{padding-top:.25rem;padding-bottom:.25rem}.pv2-ns{padding-top:.5rem;padding-bottom:.5rem}.pv3-ns{padding-top:1rem;padding-bottom:1rem}.pv4-ns{padding-top:2rem;padding-bottom:2rem}.pv5-ns{padding-top:4rem;padding-bottom:4rem}.pv6-ns{padding-top:8rem;padding-bottom:8rem}.pv7-ns{padding-top:16rem;padding-bottom:16rem}.ph0-ns{padding-left:0;padding-right:0}.ph1-ns{padding-left:.25rem;padding-right:.25rem}.ph2-ns{padding-left:.5rem;padding-right:.5rem}.ph3-ns{padding-left:1rem;padding-right:1rem}.ph4-ns{padding-left:2rem;padding-right:2rem}.ph5-ns{padding-left:4rem;padding-right:4rem}.ph6-ns{padding-left:8rem;padding-right:8rem}.ph7-ns{padding-left:16rem;padding-right:16rem}.ma0-ns{margin:0}.ma1-ns{margin:.25rem}.ma2-ns{margin:.5rem}.ma3-ns{margin:1rem}.ma4-ns{margin:2rem}.ma5-ns{margin:4rem}.ma6-ns{margin:8rem}.ma7-ns{margin:16rem}.ml0-ns{margin-left:0}.ml1-ns{margin-left:.25rem}.ml2-ns{margin-left:.5rem}.ml3-ns{margin-left:1rem}.ml4-ns{margin-left:2rem}.ml5-ns{margin-left:4rem}.ml6-ns{margin-left:8rem}.ml7-ns{margin-left:16rem}.mr0-ns{margin-right:0}.mr1-ns{margin-right:.25rem}.mr2-ns{margin-right:.5rem}.mr3-ns{margin-right:1rem}.mr4-ns{margin-right:2rem}.mr5-ns{margin-right:4rem}.mr6-ns{margin-right:8rem}.mr7-ns{margin-right:16rem}.mb0-ns{margin-bottom:0}.mb1-ns{margin-bottom:.25rem}.mb2-ns{margin-bottom:.5rem}.mb3-ns{margin-bottom:1rem}.mb4-ns{margin-bottom:2rem}.mb5-ns{margin-bottom:4rem}.mb6-ns{margin-bottom:8rem}.mb7-ns{margin-bottom:16rem}.mt0-ns{margin-top:0}.mt1-ns{margin-top:.25rem}.mt2-ns{margin-top:.5rem}.mt3-ns{margin-top:1rem}.mt4-ns{margin-top:2rem}.mt5-ns{margin-top:4rem}.mt6-ns{margin-top:8rem}.mt7-ns{margin-top:16rem}.mv0-ns{margin-top:0;margin-bottom:0}.mv1-ns{margin-top:.25rem;margin-bottom:.25rem}.mv2-ns{margin-top:.5rem;margin-bottom:.5rem}.mv3-ns{margin-top:1rem;margin-bottom:1rem}.mv4-ns{margin-top:2rem;margin-bottom:2rem}.mv5-ns{margin-top:4rem;margin-bottom:4rem}.mv6-ns{margin-top:8rem;margin-bottom:8rem}.mv7-ns{margin-top:16rem;margin-bottom:16rem}.mh0-ns{margin-left:0;margin-right:0}.mh1-ns{margin-left:.25rem;margin-right:.25rem}.mh2-ns{margin-left:.5rem;margin-right:.5rem}.mh3-ns{margin-left:1rem;margin-right:1rem}.mh4-ns{margin-left:2rem;margin-right:2rem}.mh5-ns{margin-left:4rem;margin-right:4rem}.mh6-ns{margin-left:8rem;margin-right:8rem}.mh7-ns{margin-left:16rem;margin-right:16rem}}@media screen and (min-width:30em) and (max-width:60em){.pa0-m{padding:0}.pa1-m{padding:.25rem}.pa2-m{padding:.5rem}.pa3-m{padding:1rem}.pa4-m{padding:2rem}.pa5-m{padding:4rem}.pa6-m{padding:8rem}.pa7-m{padding:16rem}.pl0-m{padding-left:0}.pl1-m{padding-left:.25rem}.pl2-m{padding-left:.5rem}.pl3-m{padding-left:1rem}.pl4-m{padding-left:2rem}.pl5-m{padding-left:4rem}.pl6-m{padding-left:8rem}.pl7-m{padding-left:16rem}.pr0-m{padding-right:0}.pr1-m{padding-right:.25rem}.pr2-m{padding-right:.5rem}.pr3-m{padding-right:1rem}.pr4-m{padding-right:2rem}.pr5-m{padding-right:4rem}.pr6-m{padding-right:8rem}.pr7-m{padding-right:16rem}.pb0-m{padding-bottom:0}.pb1-m{padding-bottom:.25rem}.pb2-m{padding-bottom:.5rem}.pb3-m{padding-bottom:1rem}.pb4-m{padding-bottom:2rem}.pb5-m{padding-bottom:4rem}.pb6-m{padding-bottom:8rem}.pb7-m{padding-bottom:16rem}.pt0-m{padding-top:0}.pt1-m{padding-top:.25rem}.pt2-m{padding-top:.5rem}.pt3-m{padding-top:1rem}.pt4-m{padding-top:2rem}.pt5-m{padding-top:4rem}.pt6-m{padding-top:8rem}.pt7-m{padding-top:16rem}.pv0-m{padding-top:0;padding-bottom:0}.pv1-m{padding-top:.25rem;padding-bottom:.25rem}.pv2-m{padding-top:.5rem;padding-bottom:.5rem}.pv3-m{padding-top:1rem;padding-bottom:1rem}.pv4-m{padding-top:2rem;padding-bottom:2rem}.pv5-m{padding-top:4rem;padding-bottom:4rem}.pv6-m{padding-top:8rem;padding-bottom:8rem}.pv7-m{padding-top:16rem;padding-bottom:16rem}.ph0-m{padding-left:0;padding-right:0}.ph1-m{padding-left:.25rem;padding-right:.25rem}.ph2-m{padding-left:.5rem;padding-right:.5rem}.ph3-m{padding-left:1rem;padding-right:1rem}.ph4-m{padding-left:2rem;padding-right:2rem}.ph5-m{padding-left:4rem;padding-right:4rem}.ph6-m{padding-left:8rem;padding-right:8rem}.ph7-m{padding-left:16rem;padding-right:16rem}.ma0-m{margin:0}.ma1-m{margin:.25rem}.ma2-m{margin:.5rem}.ma3-m{margin:1rem}.ma4-m{margin:2rem}.ma5-m{margin:4rem}.ma6-m{margin:8rem}.ma7-m{margin:16rem}.ml0-m{margin-left:0}.ml1-m{margin-left:.25rem}.ml2-m{margin-left:.5rem}.ml3-m{margin-left:1rem}.ml4-m{margin-left:2rem}.ml5-m{margin-left:4rem}.ml6-m{margin-left:8rem}.ml7-m{margin-left:16rem}.mr0-m{margin-right:0}.mr1-m{margin-right:.25rem}.mr2-m{margin-right:.5rem}.mr3-m{margin-right:1rem}.mr4-m{margin-right:2rem}.mr5-m{margin-right:4rem}.mr6-m{margin-right:8rem}.mr7-m{margin-right:16rem}.mb0-m{margin-bottom:0}.mb1-m{margin-bottom:.25rem}.mb2-m{margin-bottom:.5rem}.mb3-m{margin-bottom:1rem}.mb4-m{margin-bottom:2rem}.mb5-m{margin-bottom:4rem}.mb6-m{margin-bottom:8rem}.mb7-m{margin-bottom:16rem}.mt0-m{margin-top:0}.mt1-m{margin-top:.25rem}.mt2-m{margin-top:.5rem}.mt3-m{margin-top:1rem}.mt4-m{margin-top:2rem}.mt5-m{margin-top:4rem}.mt6-m{margin-top:8rem}.mt7-m{margin-top:16rem}.mv0-m{margin-top:0;margin-bottom:0}.mv1-m{margin-top:.25rem;margin-bottom:.25rem}.mv2-m{margin-top:.5rem;margin-bottom:.5rem}.mv3-m{margin-top:1rem;margin-bottom:1rem}.mv4-m{margin-top:2rem;margin-bottom:2rem}.mv5-m{margin-top:4rem;margin-bottom:4rem}.mv6-m{margin-top:8rem;margin-bottom:8rem}.mv7-m{margin-top:16rem;margin-bottom:16rem}.mh0-m{margin-left:0;margin-right:0}.mh1-m{margin-left:.25rem;margin-right:.25rem}.mh2-m{margin-left:.5rem;margin-right:.5rem}.mh3-m{margin-left:1rem;margin-right:1rem}.mh4-m{margin-left:2rem;margin-right:2rem}.mh5-m{margin-left:4rem;margin-right:4rem}.mh6-m{margin-left:8rem;margin-right:8rem}.mh7-m{margin-left:16rem;margin-right:16rem}}@media screen and (min-width:60em){.pa0-l{padding:0}.pa1-l{padding:.25rem}.pa2-l{padding:.5rem}.pa3-l{padding:1rem}.pa4-l{padding:2rem}.pa5-l{padding:4rem}.pa6-l{padding:8rem}.pa7-l{padding:16rem}.pl0-l{padding-left:0}.pl1-l{padding-left:.25rem}.pl2-l{padding-left:.5rem}.pl3-l{padding-left:1rem}.pl4-l{padding-left:2rem}.pl5-l{padding-left:4rem}.pl6-l{padding-left:8rem}.pl7-l{padding-left:16rem}.pr0-l{padding-right:0}.pr1-l{padding-right:.25rem}.pr2-l{padding-right:.5rem}.pr3-l{padding-right:1rem}.pr4-l{padding-right:2rem}.pr5-l{padding-right:4rem}.pr6-l{padding-right:8rem}.pr7-l{padding-right:16rem}.pb0-l{padding-bottom:0}.pb1-l{padding-bottom:.25rem}.pb2-l{padding-bottom:.5rem}.pb3-l{padding-bottom:1rem}.pb4-l{padding-bottom:2rem}.pb5-l{padding-bottom:4rem}.pb6-l{padding-bottom:8rem}.pb7-l{padding-bottom:16rem}.pt0-l{padding-top:0}.pt1-l{padding-top:.25rem}.pt2-l{padding-top:.5rem}.pt3-l{padding-top:1rem}.pt4-l{padding-top:2rem}.pt5-l{padding-top:4rem}.pt6-l{padding-top:8rem}.pt7-l{padding-top:16rem}.pv0-l{padding-top:0;padding-bottom:0}.pv1-l{padding-top:.25rem;padding-bottom:.25rem}.pv2-l{padding-top:.5rem;padding-bottom:.5rem}.pv3-l{padding-top:1rem;padding-bottom:1rem}.pv4-l{padding-top:2rem;padding-bottom:2rem}.pv5-l{padding-top:4rem;padding-bottom:4rem}.pv6-l{padding-top:8rem;padding-bottom:8rem}.pv7-l{padding-top:16rem;padding-bottom:16rem}.ph0-l{padding-left:0;padding-right:0}.ph1-l{padding-left:.25rem;padding-right:.25rem}.ph2-l{padding-left:.5rem;padding-right:.5rem}.ph3-l{padding-left:1rem;padding-right:1rem}.ph4-l{padding-left:2rem;padding-right:2rem}.ph5-l{padding-left:4rem;padding-right:4rem}.ph6-l{padding-left:8rem;padding-right:8rem}.ph7-l{padding-left:16rem;padding-right:16rem}.ma0-l{margin:0}.ma1-l{margin:.25rem}.ma2-l{margin:.5rem}.ma3-l{margin:1rem}.ma4-l{margin:2rem}.ma5-l{margin:4rem}.ma6-l{margin:8rem}.ma7-l{margin:16rem}.ml0-l{margin-left:0}.ml1-l{margin-left:.25rem}.ml2-l{margin-left:.5rem}.ml3-l{margin-left:1rem}.ml4-l{margin-left:2rem}.ml5-l{margin-left:4rem}.ml6-l{margin-left:8rem}.ml7-l{margin-left:16rem}.mr0-l{margin-right:0}.mr1-l{margin-right:.25rem}.mr2-l{margin-right:.5rem}.mr3-l{margin-right:1rem}.mr4-l{margin-right:2rem}.mr5-l{margin-right:4rem}.mr6-l{margin-right:8rem}.mr7-l{margin-right:16rem}.mb0-l{margin-bottom:0}.mb1-l{margin-bottom:.25rem}.mb2-l{margin-bottom:.5rem}.mb3-l{margin-bottom:1rem}.mb4-l{margin-bottom:2rem}.mb5-l{margin-bottom:4rem}.mb6-l{margin-bottom:8rem}.mb7-l{margin-bottom:16rem}.mt0-l{margin-top:0}.mt1-l{margin-top:.25rem}.mt2-l{margin-top:.5rem}.mt3-l{margin-top:1rem}.mt4-l{margin-top:2rem}.mt5-l{margin-top:4rem}.mt6-l{margin-top:8rem}.mt7-l{margin-top:16rem}.mv0-l{margin-top:0;margin-bottom:0}.mv1-l{margin-top:.25rem;margin-bottom:.25rem}.mv2-l{margin-top:.5rem;margin-bottom:.5rem}.mv3-l{margin-top:1rem;margin-bottom:1rem}.mv4-l{margin-top:2rem;margin-bottom:2rem}.mv5-l{margin-top:4rem;margin-bottom:4rem}.mv6-l{margin-top:8rem;margin-bottom:8rem}.mv7-l{margin-top:16rem;margin-bottom:16rem}.mh0-l{margin-left:0;margin-right:0}.mh1-l{margin-left:.25rem;margin-right:.25rem}.mh2-l{margin-left:.5rem;margin-right:.5rem}.mh3-l{margin-left:1rem;margin-right:1rem}.mh4-l{margin-left:2rem;margin-right:2rem}.mh5-l{margin-left:4rem;margin-right:4rem}.mh6-l{margin-left:8rem;margin-right:8rem}.mh7-l{margin-left:16rem;margin-right:16rem}}.na1{margin:-.25rem}.na2{margin:-.5rem}.na3{margin:-1rem}.na4{margin:-2rem}.na5{margin:-4rem}.na6{margin:-8rem}.na7{margin:-16rem}.nl1{margin-left:-.25rem}.nl2{margin-left:-.5rem}.nl3{margin-left:-1rem}.nl4{margin-left:-2rem}.nl5{margin-left:-4rem}.nl6{margin-left:-8rem}.nl7{margin-left:-16rem}.nr1{margin-right:-.25rem}.nr2{margin-right:-.5rem}.nr3{margin-right:-1rem}.nr4{margin-right:-2rem}.nr5{margin-right:-4rem}.nr6{margin-right:-8rem}.nr7{margin-right:-16rem}.nb1{margin-bottom:-.25rem}.nb2{margin-bottom:-.5rem}.nb3{margin-bottom:-1rem}.nb4{margin-bottom:-2rem}.nb5{margin-bottom:-4rem}.nb6{margin-bottom:-8rem}.nb7{margin-bottom:-16rem}.nt1{margin-top:-.25rem}.nt2{margin-top:-.5rem}.nt3{margin-top:-1rem}.nt4{margin-top:-2rem}.nt5{margin-top:-4rem}.nt6{margin-top:-8rem}.nt7{margin-top:-16rem}@media screen and (min-width:30em){.na1-ns{margin:-.25rem}.na2-ns{margin:-.5rem}.na3-ns{margin:-1rem}.na4-ns{margin:-2rem}.na5-ns{margin:-4rem}.na6-ns{margin:-8rem}.na7-ns{margin:-16rem}.nl1-ns{margin-left:-.25rem}.nl2-ns{margin-left:-.5rem}.nl3-ns{margin-left:-1rem}.nl4-ns{margin-left:-2rem}.nl5-ns{margin-left:-4rem}.nl6-ns{margin-left:-8rem}.nl7-ns{margin-left:-16rem}.nr1-ns{margin-right:-.25rem}.nr2-ns{margin-right:-.5rem}.nr3-ns{margin-right:-1rem}.nr4-ns{margin-right:-2rem}.nr5-ns{margin-right:-4rem}.nr6-ns{margin-right:-8rem}.nr7-ns{margin-right:-16rem}.nb1-ns{margin-bottom:-.25rem}.nb2-ns{margin-bottom:-.5rem}.nb3-ns{margin-bottom:-1rem}.nb4-ns{margin-bottom:-2rem}.nb5-ns{margin-bottom:-4rem}.nb6-ns{margin-bottom:-8rem}.nb7-ns{margin-bottom:-16rem}.nt1-ns{margin-top:-.25rem}.nt2-ns{margin-top:-.5rem}.nt3-ns{margin-top:-1rem}.nt4-ns{margin-top:-2rem}.nt5-ns{margin-top:-4rem}.nt6-ns{margin-top:-8rem}.nt7-ns{margin-top:-16rem}}@media screen and (min-width:30em) and (max-width:60em){.na1-m{margin:-.25rem}.na2-m{margin:-.5rem}.na3-m{margin:-1rem}.na4-m{margin:-2rem}.na5-m{margin:-4rem}.na6-m{margin:-8rem}.na7-m{margin:-16rem}.nl1-m{margin-left:-.25rem}.nl2-m{margin-left:-.5rem}.nl3-m{margin-left:-1rem}.nl4-m{margin-left:-2rem}.nl5-m{margin-left:-4rem}.nl6-m{margin-left:-8rem}.nl7-m{margin-left:-16rem}.nr1-m{margin-right:-.25rem}.nr2-m{margin-right:-.5rem}.nr3-m{margin-right:-1rem}.nr4-m{margin-right:-2rem}.nr5-m{margin-right:-4rem}.nr6-m{margin-right:-8rem}.nr7-m{margin-right:-16rem}.nb1-m{margin-bottom:-.25rem}.nb2-m{margin-bottom:-.5rem}.nb3-m{margin-bottom:-1rem}.nb4-m{margin-bottom:-2rem}.nb5-m{margin-bottom:-4rem}.nb6-m{margin-bottom:-8rem}.nb7-m{margin-bottom:-16rem}.nt1-m{margin-top:-.25rem}.nt2-m{margin-top:-.5rem}.nt3-m{margin-top:-1rem}.nt4-m{margin-top:-2rem}.nt5-m{margin-top:-4rem}.nt6-m{margin-top:-8rem}.nt7-m{margin-top:-16rem}}@media screen and (min-width:60em){.na1-l{margin:-.25rem}.na2-l{margin:-.5rem}.na3-l{margin:-1rem}.na4-l{margin:-2rem}.na5-l{margin:-4rem}.na6-l{margin:-8rem}.na7-l{margin:-16rem}.nl1-l{margin-left:-.25rem}.nl2-l{margin-left:-.5rem}.nl3-l{margin-left:-1rem}.nl4-l{margin-left:-2rem}.nl5-l{margin-left:-4rem}.nl6-l{margin-left:-8rem}.nl7-l{margin-left:-16rem}.nr1-l{margin-right:-.25rem}.nr2-l{margin-right:-.5rem}.nr3-l{margin-right:-1rem}.nr4-l{margin-right:-2rem}.nr5-l{margin-right:-4rem}.nr6-l{margin-right:-8rem}.nr7-l{margin-right:-16rem}.nb1-l{margin-bottom:-.25rem}.nb2-l{margin-bottom:-.5rem}.nb3-l{margin-bottom:-1rem}.nb4-l{margin-bottom:-2rem}.nb5-l{margin-bottom:-4rem}.nb6-l{margin-bottom:-8rem}.nb7-l{margin-bottom:-16rem}.nt1-l{margin-top:-.25rem}.nt2-l{margin-top:-.5rem}.nt3-l{margin-top:-1rem}.nt4-l{margin-top:-2rem}.nt5-l{margin-top:-4rem}.nt6-l{margin-top:-8rem}.nt7-l{margin-top:-16rem}}.collapse{border-collapse:collapse;border-spacing:0}.striped--light-silver:nth-child(odd){background-color:#aaa}.striped--moon-gray:nth-child(odd){background-color:#ccc}.striped--light-gray:nth-child(odd){background-color:#eee}.striped--near-white:nth-child(odd){background-color:#f4f4f4}.stripe-light:nth-child(odd){background-color:hsla(0,0%,100%,.1)}.stripe-dark:nth-child(odd){background-color:rgba(0,0,0,.1)}.strike{text-decoration:line-through}.underline{text-decoration:underline}.no-underline{text-decoration:none}@media screen and (min-width:30em){.strike-ns{text-decoration:line-through}.underline-ns{text-decoration:underline}.no-underline-ns{text-decoration:none}}@media screen and (min-width:30em) and (max-width:60em){.strike-m{text-decoration:line-through}.underline-m{text-decoration:underline}.no-underline-m{text-decoration:none}}@media screen and (min-width:60em){.strike-l{text-decoration:line-through}.underline-l{text-decoration:underline}.no-underline-l{text-decoration:none}}.tl{text-align:left}.tr{text-align:right}.tc{text-align:center}@media screen and (min-width:30em){.tl-ns{text-align:left}.tr-ns{text-align:right}.tc-ns{text-align:center}}@media screen and (min-width:30em) and (max-width:60em){.tl-m{text-align:left}.tr-m{text-align:right}.tc-m{text-align:center}}@media screen and (min-width:60em){.tl-l{text-align:left}.tr-l{text-align:right}.tc-l{text-align:center}}.ttc{text-transform:capitalize}.ttl{text-transform:lowercase}.ttu{text-transform:uppercase}.ttn{text-transform:none}@media screen and (min-width:30em){.ttc-ns{text-transform:capitalize}.ttl-ns{text-transform:lowercase}.ttu-ns{text-transform:uppercase}.ttn-ns{text-transform:none}}@media screen and (min-width:30em) and (max-width:60em){.ttc-m{text-transform:capitalize}.ttl-m{text-transform:lowercase}.ttu-m{text-transform:uppercase}.ttn-m{text-transform:none}}@media screen and (min-width:60em){.ttc-l{text-transform:capitalize}.ttl-l{text-transform:lowercase}.ttu-l{text-transform:uppercase}.ttn-l{text-transform:none}}.f-6,.f-headline{font-size:6rem}.f-5,.f-subheadline{font-size:5rem}.f1{font-size:3rem}.f2{font-size:2.25rem}.f3{font-size:1.5rem}.f4{font-size:1.25rem}.f5{font-size:1rem}.f6{font-size:.875rem}.f7{font-size:.75rem}@media screen and (min-width:30em){.f-6-ns,.f-headline-ns{font-size:6rem}.f-5-ns,.f-subheadline-ns{font-size:5rem}.f1-ns{font-size:3rem}.f2-ns{font-size:2.25rem}.f3-ns{font-size:1.5rem}.f4-ns{font-size:1.25rem}.f5-ns{font-size:1rem}.f6-ns{font-size:.875rem}.f7-ns{font-size:.75rem}}@media screen and (min-width:30em) and (max-width:60em){.f-6-m,.f-headline-m{font-size:6rem}.f-5-m,.f-subheadline-m{font-size:5rem}.f1-m{font-size:3rem}.f2-m{font-size:2.25rem}.f3-m{font-size:1.5rem}.f4-m{font-size:1.25rem}.f5-m{font-size:1rem}.f6-m{font-size:.875rem}.f7-m{font-size:.75rem}}@media screen and (min-width:60em){.f-6-l,.f-headline-l{font-size:6rem}.f-5-l,.f-subheadline-l{font-size:5rem}.f1-l{font-size:3rem}.f2-l{font-size:2.25rem}.f3-l{font-size:1.5rem}.f4-l{font-size:1.25rem}.f5-l{font-size:1rem}.f6-l{font-size:.875rem}.f7-l{font-size:.75rem}}.measure{max-width:30em}.measure-wide{max-width:34em}.measure-narrow{max-width:20em}.indent{text-indent:1em;margin-top:0;margin-bottom:0}.small-caps{-webkit-font-feature-settings:"c2sc";font-feature-settings:"c2sc";font-variant:small-caps}.truncate{white-space:nowrap;overflow:hidden;text-overflow:ellipsis}@media screen and (min-width:30em){.measure-ns{max-width:30em}.measure-wide-ns{max-width:34em}.measure-narrow-ns{max-width:20em}.indent-ns{text-indent:1em;margin-top:0;margin-bottom:0}.small-caps-ns{-webkit-font-feature-settings:"c2sc";font-feature-settings:"c2sc";font-variant:small-caps}.truncate-ns{white-space:nowrap;overflow:hidden;text-overflow:ellipsis}}@media screen and (min-width:30em) and (max-width:60em){.measure-m{max-width:30em}.measure-wide-m{max-width:34em}.measure-narrow-m{max-width:20em}.indent-m{text-indent:1em;margin-top:0;margin-bottom:0}.small-caps-m{-webkit-font-feature-settings:"c2sc";font-feature-settings:"c2sc";font-variant:small-caps}.truncate-m{white-space:nowrap;overflow:hidden;text-overflow:ellipsis}}@media screen and (min-width:60em){.measure-l{max-width:30em}.measure-wide-l{max-width:34em}.measure-narrow-l{max-width:20em}.indent-l{text-indent:1em;margin-top:0;margin-bottom:0}.small-caps-l{-webkit-font-feature-settings:"c2sc";font-feature-settings:"c2sc";font-variant:small-caps}.truncate-l{white-space:nowrap;overflow:hidden;text-overflow:ellipsis}}.overflow-container{overflow-y:scroll}.center{margin-right:auto;margin-left:auto}@media screen and (min-width:30em){.center-ns{margin-right:auto;margin-left:auto}}@media screen and (min-width:30em) and (max-width:60em){.center-m{margin-right:auto;margin-left:auto}}@media screen and (min-width:60em){.center-l{margin-right:auto;margin-left:auto}}.clip{position:fixed!important;_position:absolute!important;clip:rect(1px 1px 1px 1px);clip:rect(1px,1px,1px,1px)}@media screen and (min-width:30em){.clip-ns{position:fixed!important;_position:absolute!important;clip:rect(1px 1px 1px 1px);clip:rect(1px,1px,1px,1px)}}@media screen and (min-width:30em) and (max-width:60em){.clip-m{position:fixed!important;_position:absolute!important;clip:rect(1px 1px 1px 1px);clip:rect(1px,1px,1px,1px)}}@media screen and (min-width:60em){.clip-l{position:fixed!important;_position:absolute!important;clip:rect(1px 1px 1px 1px);clip:rect(1px,1px,1px,1px)}}.ws-normal{white-space:normal}.nowrap{white-space:nowrap}.pre{white-space:pre}@media screen and (min-width:30em){.ws-normal-ns{white-space:normal}.nowrap-ns{white-space:nowrap}.pre-ns{white-space:pre}}@media screen and (min-width:30em) and (max-width:60em){.ws-normal-m{white-space:normal}.nowrap-m{white-space:nowrap}.pre-m{white-space:pre}}@media screen and (min-width:60em){.ws-normal-l{white-space:normal}.nowrap-l{white-space:nowrap}.pre-l{white-space:pre}}.v-base{vertical-align:baseline}.v-mid{vertical-align:middle}.v-top{vertical-align:top}.v-btm{vertical-align:bottom}@media screen and (min-width:30em){.v-base-ns{vertical-align:baseline}.v-mid-ns{vertical-align:middle}.v-top-ns{vertical-align:top}.v-btm-ns{vertical-align:bottom}}@media screen and (min-width:30em) and (max-width:60em){.v-base-m{vertical-align:baseline}.v-mid-m{vertical-align:middle}.v-top-m{vertical-align:top}.v-btm-m{vertical-align:bottom}}@media screen and (min-width:60em){.v-base-l{vertical-align:baseline}.v-mid-l{vertical-align:middle}.v-top-l{vertical-align:top}.v-btm-l{vertical-align:bottom}}.dim{opacity:1}.dim,.dim:focus,.dim:hover{transition:opacity .15s ease-in}.dim:focus,.dim:hover{opacity:.5}.dim:active{opacity:.8;transition:opacity .15s ease-out}.glow,.glow:focus,.glow:hover{transition:opacity .15s ease-in}.glow:focus,.glow:hover{opacity:1}.hide-child .child{opacity:0;transition:opacity .15s ease-in}.hide-child:active .child,.hide-child:focus .child,.hide-child:hover .child{opacity:1;transition:opacity .15s ease-in}.underline-hover:focus,.underline-hover:hover{text-decoration:underline}.grow{-moz-osx-font-smoothing:grayscale;-webkit-backface-visibility:hidden;backface-visibility:hidden;-webkit-transform:translateZ(0);transform:translateZ(0);transition:-webkit-transform .25s ease-out;transition:transform .25s ease-out;transition:transform .25s ease-out,-webkit-transform .25s ease-out}.grow:focus,.grow:hover{-webkit-transform:scale(1.05);transform:scale(1.05)}.grow:active{-webkit-transform:scale(.9);transform:scale(.9)}.grow-large{-moz-osx-font-smoothing:grayscale;-webkit-backface-visibility:hidden;backface-visibility:hidden;-webkit-transform:translateZ(0);transform:translateZ(0);transition:-webkit-transform .25s ease-in-out;transition:transform .25s ease-in-out;transition:transform .25s ease-in-out,-webkit-transform .25s ease-in-out}.grow-large:focus,.grow-large:hover{-webkit-transform:scale(1.2);transform:scale(1.2)}.grow-large:active{-webkit-transform:scale(.95);transform:scale(.95)}.pointer:hover,.shadow-hover{cursor:pointer}.shadow-hover{position:relative;transition:all .5s cubic-bezier(.165,.84,.44,1)}.shadow-hover:after{content:"";box-shadow:0 0 16px 2px rgba(0,0,0,.2);opacity:0;position:absolute;top:0;left:0;width:100%;height:100%;z-index:-1;transition:opacity .5s cubic-bezier(.165,.84,.44,1)}.shadow-hover:focus:after,.shadow-hover:hover:after{opacity:1}.bg-animate,.bg-animate:focus,.bg-animate:hover{transition:background-color .15s ease-in-out}.z-0{z-index:0}.z-1{z-index:1}.z-2{z-index:2}.z-3{z-index:3}.z-4{z-index:4}.z-5{z-index:5}.z-999{z-index:999}.z-9999{z-index:9999}.z-max{z-index:2147483647}.z-inherit{z-index:inherit}.z-initial{z-index:auto}.z-unset{z-index:unset}.nested-copy-line-height ol,.nested-copy-line-height p,.nested-copy-line-height ul{line-height:1.5}.nested-headline-line-height h1,.nested-headline-line-height h2,.nested-headline-line-height h3,.nested-headline-line-height h4,.nested-headline-line-height h5,.nested-headline-line-height h6{line-height:1.25}.nested-list-reset ol,.nested-list-reset ul{padding-left:0;margin-left:0;list-style-type:none}.nested-copy-indent p+p{text-indent:1em;margin-top:0;margin-bottom:0}.nested-copy-seperator p+p{margin-top:1.5em}.nested-img img{width:100%;max-width:100%;display:block}.nested-links a{transition:color .15s ease-in}.nested-links a:focus,.nested-links a:hover{color:#96ccff;transition:color .15s ease-in}@font-face{font-family:"Muli";font-style:normal;font-weight:200;src:url(/files/muli-latin-200.eot);src:local("Muli Extra Light "),local("Muli-Extra Light"),url(/files/muli-latin-200.eot?#iefix) format("embedded-opentype"),url(/files/muli-latin-200.woff2) format("woff2"),url(/files/muli-latin-200.woff) format("woff"),url(/files/muli-latin-200.svg#muli) format("svg")}@font-face{font-family:"Muli";font-style:italic;font-weight:200;src:url(/files/muli-latin-200italic.eot);src:local("Muli Extra Light italic"),local("Muli-Extra Lightitalic"),url(/files/muli-latin-200italic.eot?#iefix) format("embedded-opentype"),url(/files/muli-latin-200italic.woff2) format("woff2"),url(/files/muli-latin-200italic.woff) format("woff"),url(/files/muli-latin-200italic.svg#muli) format("svg")}@font-face{font-family:"Muli";font-style:normal;font-weight:400;src:url(/files/muli-latin-400.eot);src:local("Muli Regular "),local("Muli-Regular"),url(/files/muli-latin-400.eot?#iefix) format("embedded-opentype"),url(/files/muli-latin-400.woff2) format("woff2"),url(/files/muli-latin-400.woff) format("woff"),url(/files/muli-latin-400.svg#muli) format("svg")}@font-face{font-family:"Muli";font-style:italic;font-weight:400;src:url(/files/muli-latin-400italic.eot);src:local("Muli Regular italic"),local("Muli-Regularitalic"),url(/files/muli-latin-400italic.eot?#iefix) format("embedded-opentype"),url(/files/muli-latin-400italic.woff2) format("woff2"),url(/files/muli-latin-400italic.woff) format("woff"),url(/files/muli-latin-400italic.svg#muli) format("svg")}@font-face{font-family:"Muli";font-style:normal;font-weight:800;src:url(/files/muli-latin-800.eot);src:local("Muli ExtraBold "),local("Muli-ExtraBold"),url(/files/muli-latin-800.eot?#iefix) format("embedded-opentype"),url(/files/muli-latin-800.woff2) format("woff2"),url(/files/muli-latin-800.woff) format("woff"),url(/files/muli-latin-800.svg#muli) format("svg")}@font-face{font-family:"Muli";font-style:italic;font-weight:800;src:url(/files/muli-latin-800italic.eot);src:local("Muli ExtraBold italic"),local("Muli-ExtraBolditalic"),url(/files/muli-latin-800italic.eot?#iefix) format("embedded-opentype"),url(/files/muli-latin-800italic.woff2) format("woff2"),url(/files/muli-latin-800italic.woff) format("woff"),url(/files/muli-latin-800italic.svg#muli) format("svg")}.header-link:after{position:relative;left:.5em;opacity:0;font-size:.8em;-moz-transition:opacity .2s ease-in-out .1s;-ms-transition:opacity .2s ease-in-out .1s}h2:hover .header-link,h3:hover .header-link,h4:hover .header-link,h5:hover .header-link,h6:hover .header-link{opacity:1}.animated{-webkit-animation-duration:.5s;animation-duration:.5s;-webkit-animation-fill-mode:forwards;animation-fill-mode:forwards;-webkit-animation-timing-function:ease-in-out;animation-timing-function:ease-in-out}@-webkit-keyframes a{0%{opacity:0}to{opacity:1}}@keyframes a{0%{opacity:0}to{opacity:1}}.fadeIn{-webkit-animation-name:a;animation-name:a}.animated-delay-1{-webkit-animation-delay:.5s;animation-delay:.5s}.note,.warning{border-left-width:4px;border-left-style:solid;position:relative;border-color:#0594cb;display:block}.note #exclamation-icon,.warning #exclamation-icon{fill:#0594cb;position:absolute;top:35%;left:-12px}.admonition-content{display:block;margin:0;padding:.125em 1em;margin-top:2em;margin-bottom:2em;overflow-x:auto;background-color:rgba(0,0,0,.05)}.hide-child-menu .child-menu{display:none}.hide-child-menu:active .child-menu,.hide-child-menu:focus .child-menu,.hide-child-menu:hover .child-menu{display:block}.documentation-copy h2{margin-top:3em}.documentation-copy h2.minor{font-size:inherit;margin-top:inherit;border-bottom:none}.searchbox{display:inline-block;position:relative;width:200px;height:32px!important;white-space:nowrap;box-sizing:border-box;visibility:visible!important}.searchbox .algolia-autocomplete{display:block;width:100%;height:100%}.searchbox__wrapper{width:100%;height:100%;z-index:1;position:relative}.searchbox__input{display:inline-block;box-sizing:border-box;transition:box-shadow .4s ease,background .4s ease;border:0;border-radius:16px;box-shadow:inset 0 0 0 1px #ccc;background:#fff!important;padding:0;padding-right:26px;padding-left:32px;width:100%;height:100%;vertical-align:middle;white-space:normal;font-size:12px;-webkit-appearance:none;-moz-appearance:none;appearance:none}.searchbox__input::-webkit-search-cancel-button,.searchbox__input::-webkit-search-decoration,.searchbox__input::-webkit-search-results-button,.searchbox__input::-webkit-search-results-decoration{display:none}.searchbox__input:hover{box-shadow:inset 0 0 0 1px #b3b3b3}.searchbox__input:active,.searchbox__input:focus{outline:0;box-shadow:inset 0 0 0 1px #aaa;background:#fff}.searchbox__input::-webkit-input-placeholder{color:#aaa}.searchbox__input:-ms-input-placeholder{color:#aaa}.searchbox__input::placeholder{color:#aaa}.searchbox__submit{position:absolute;top:0;margin:0;border:0;border-radius:16px 0 0 16px;background-color:rgba(69,142,225,0);padding:0;width:32px;height:100%;vertical-align:middle;text-align:center;font-size:inherit;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;right:inherit;left:0}.searchbox__submit:before{display:inline-block;margin-right:-4px;height:100%;vertical-align:middle;content:""}.searchbox__submit:active,.searchbox__submit:hover{cursor:pointer}.searchbox__submit:focus{outline:0}.searchbox__submit svg{width:14px;height:14px;vertical-align:middle;fill:#6d7e96}.searchbox__reset{display:block;position:absolute;top:8px;right:8px;margin:0;border:0;background:none;cursor:pointer;padding:0;font-size:inherit;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;fill:rgba(0,0,0,.5)}.searchbox__reset.hide{display:none}.searchbox__reset:focus{outline:0}.searchbox__reset svg{display:block;margin:4px;width:8px;height:8px}.searchbox__input:valid~.searchbox__reset{display:block;-webkit-animation-name:b;animation-name:b;-webkit-animation-duration:.15s;animation-duration:.15s}@-webkit-keyframes b{0%{-webkit-transform:translate3d(-20%,0,0);transform:translate3d(-20%,0,0);opacity:0}to{-webkit-transform:none;transform:none;opacity:1}}@keyframes b{0%{-webkit-transform:translate3d(-20%,0,0);transform:translate3d(-20%,0,0);opacity:0}to{-webkit-transform:none;transform:none;opacity:1}}.algolia-autocomplete.algolia-autocomplete-right .ds-dropdown-menu{right:0!important;left:inherit!important}.algolia-autocomplete.algolia-autocomplete-right .ds-dropdown-menu:before{right:48px}.algolia-autocomplete.algolia-autocomplete-left .ds-dropdown-menu{left:0!important;right:inherit!important}.algolia-autocomplete.algolia-autocomplete-left .ds-dropdown-menu:before{left:48px}.algolia-autocomplete .ds-dropdown-menu{top:-6px;border-radius:4px;margin:6px 0 0;padding:0;text-align:left;height:auto;position:relative;background:transparent;border:none;z-index:1;max-width:600px;min-width:500px;box-shadow:0 1px 0 0 rgba(0,0,0,.2),0 2px 3px 0 rgba(0,0,0,.1)}.algolia-autocomplete .ds-dropdown-menu:before{display:block;position:absolute;content:"";width:14px;height:14px;background:#fff;z-index:2;top:-7px;border-top:1px solid #d9d9d9;border-right:1px solid #d9d9d9;-webkit-transform:rotate(-45deg);transform:rotate(-45deg);border-radius:2px}.algolia-autocomplete .ds-dropdown-menu .ds-suggestions{position:relative;z-index:2;margin-top:8px}.algolia-autocomplete .ds-dropdown-menu .ds-suggestion{cursor:pointer}.algolia-autocomplete .ds-dropdown-menu .ds-suggestion.ds-cursor .algolia-docsearch-suggestion.suggestion-layout-simple,.algolia-autocomplete .ds-dropdown-menu .ds-suggestion.ds-cursor .algolia-docsearch-suggestion:not(.suggestion-layout-simple) .algolia-docsearch-suggestion--content{background-color:rgba(69,142,225,.05)}.algolia-autocomplete .ds-dropdown-menu [class^=ds-dataset-]{position:relative;border:1px solid #d9d9d9;background:#fff;border-radius:4px;overflow:auto;padding:0 8px 8px}.algolia-autocomplete .ds-dropdown-menu *{box-sizing:border-box}.algolia-autocomplete .algolia-docsearch-suggestion{position:relative;padding:0 8px;background:#fff;color:#02060c;overflow:hidden}.algolia-autocomplete .algolia-docsearch-suggestion--highlight{color:#174d8c;background:rgba(143,187,237,.1);padding:.1em .05em}.algolia-autocomplete .algolia-docsearch-suggestion--category-header .algolia-docsearch-suggestion--category-header-lvl0 .algolia-docsearch-suggestion--highlight,.algolia-autocomplete .algolia-docsearch-suggestion--category-header .algolia-docsearch-suggestion--category-header-lvl1 .algolia-docsearch-suggestion--highlight{color:inherit;background:inherit}.algolia-autocomplete .algolia-docsearch-suggestion--text .algolia-docsearch-suggestion--highlight{padding:0 0 1px;background:inherit;box-shadow:inset 0 -2px 0 0 rgba(69,142,225,.8);color:inherit}.algolia-autocomplete .algolia-docsearch-suggestion--content{display:block;float:right;width:70%;position:relative;padding:5.33333px 0 5.33333px 10.66667px;cursor:pointer}.algolia-autocomplete .algolia-docsearch-suggestion--content:before{content:"";position:absolute;display:block;top:0;height:100%;width:1px;background:#ddd;left:-1px}.algolia-autocomplete .algolia-docsearch-suggestion--category-header{position:relative;border-bottom:1px solid #ddd;display:none;margin-top:8px;padding:4px 0;font-size:1em;color:#33363d}.algolia-autocomplete .algolia-docsearch-suggestion--wrapper{width:100%;float:left;padding:8px 0 0}.algolia-autocomplete .algolia-docsearch-suggestion--subcategory-column{float:left;width:30%;display:none;padding-left:0;text-align:right;position:relative;padding:5.33333px 10.66667px;color:#a4a7ae;font-size:.9em;word-wrap:break-word}.algolia-autocomplete .algolia-docsearch-suggestion--subcategory-column:before{content:"";position:absolute;display:block;top:0;height:100%;width:1px;background:#ddd;right:0}.algolia-autocomplete .algolia-docsearch-suggestion--subcategory-column .algolia-docsearch-suggestion--highlight{background-color:inherit;color:inherit}.algolia-autocomplete .algolia-docsearch-suggestion--subcategory-inline{display:none}.algolia-autocomplete .algolia-docsearch-suggestion--title{margin-bottom:4px;color:#02060c;font-size:.9em;font-weight:700}.algolia-autocomplete .algolia-docsearch-suggestion--text{display:block;line-height:1.2em;font-size:.85em;color:#63676d}.algolia-autocomplete .algolia-docsearch-suggestion--no-results{width:100%;padding:8px 0;text-align:center;font-size:1.2em}.algolia-autocomplete .algolia-docsearch-suggestion--no-results:before{display:none}.algolia-autocomplete .algolia-docsearch-suggestion code{padding:1px 5px;font-size:90%;border:none;color:#222;background-color:#ebebeb;border-radius:3px;font-family:Menlo,Monaco,Consolas,Courier New,monospace}.algolia-autocomplete .algolia-docsearch-suggestion code .algolia-docsearch-suggestion--highlight{background:none}.algolia-autocomplete .algolia-docsearch-suggestion.algolia-docsearch-suggestion__main .algolia-docsearch-suggestion--category-header,.algolia-autocomplete .algolia-docsearch-suggestion.algolia-docsearch-suggestion__secondary .algolia-docsearch-suggestion--subcategory-column{display:block}.algolia-autocomplete .suggestion-layout-simple.algolia-docsearch-suggestion{border-bottom:1px solid #eee;padding:8px;margin:0}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--content{width:100%;padding:0}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--content:before{display:none}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--category-header{margin:0;padding:0;display:block;width:100%;border:none}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--category-header-lvl0,.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--category-header-lvl1{opacity:.6;font-size:.85em}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--category-header-lvl1:before{background-image:url('data:image/svg+xml;utf8,<svg width="10" height="10" viewBox="0 0 20 38" xmlns="http://www.w3.org/2000/svg"><path d="M1.49 4.31l14 16.126.002-2.624-14 16.074-1.314 1.51 3.017 2.626 1.313-1.508 14-16.075 1.142-1.313-1.14-1.313-14-16.125L3.2.18.18 2.8l1.31 1.51z" fill-rule="evenodd" fill="%231D3657" /></svg>');content:"";width:10px;height:10px;display:inline-block}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--wrapper{width:100%;float:left;margin:0;padding:0}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--duplicate-content,.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--subcategory-column,.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--subcategory-inline{display:none!important}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--title{margin:0;color:#458ee1;font-size:.9em;font-weight:400}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--title:before{content:"#";font-weight:700;color:#458ee1;display:inline-block}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--text{margin:4px 0 0;display:block;line-height:1.4em;padding:5.33333px 8px;background:#f8f8f8;font-size:.85em;opacity:.8}.algolia-autocomplete .suggestion-layout-simple .algolia-docsearch-suggestion--text .algolia-docsearch-suggestion--highlight{color:#3f4145;font-weight:700;box-shadow:none}.algolia-autocomplete .algolia-docsearch-footer{width:110px;height:20px;z-index:3;margin-top:10.66667px;float:right;font-size:0;line-height:0}.algolia-autocomplete .algolia-docsearch-footer--logo{background-image:url("data:image/svg+xml;utf8,<svg viewBox='0 0 130 18' xmlns='http://www.w3.org/2000/svg'><defs><linearGradient x1='-36.868%' y1='134.936%' x2='129.432%' y2='-27.7%' id='a'><stop stop-color='%2300AEFF' offset='0%'/><stop stop-color='%233369E7' offset='100%'/></linearGradient></defs><g fill='none' fill-rule='evenodd'><path d='M59.399.022h13.299a2.372 2.372 0 0 1 2.377 2.364V15.62a2.372 2.372 0 0 1-2.377 2.364H59.399a2.372 2.372 0 0 1-2.377-2.364V2.381A2.368 2.368 0 0 1 59.399.022z' fill='url(%23a)'/><path d='M66.257 4.56c-2.815 0-5.1 2.272-5.1 5.078 0 2.806 2.284 5.072 5.1 5.072 2.815 0 5.1-2.272 5.1-5.078 0-2.806-2.279-5.072-5.1-5.072zm0 8.652c-1.983 0-3.593-1.602-3.593-3.574 0-1.972 1.61-3.574 3.593-3.574 1.983 0 3.593 1.602 3.593 3.574a3.582 3.582 0 0 1-3.593 3.574zm0-6.418v2.664c0 .076.082.131.153.093l2.377-1.226c.055-.027.071-.093.044-.147a2.96 2.96 0 0 0-2.465-1.487c-.055 0-.11.044-.11.104l.001-.001zm-3.33-1.956l-.312-.311a.783.783 0 0 0-1.106 0l-.372.37a.773.773 0 0 0 0 1.101l.307.305c.049.049.121.038.164-.011.181-.245.378-.479.597-.697.225-.223.455-.42.707-.599.055-.033.06-.109.016-.158h-.001zm5.001-.806v-.616a.781.781 0 0 0-.783-.779h-1.824a.78.78 0 0 0-.783.779v.632c0 .071.066.12.137.104a5.736 5.736 0 0 1 1.588-.223c.52 0 1.035.071 1.534.207a.106.106 0 0 0 .131-.104z' fill='%23FFF'/><path d='M102.162 13.762c0 1.455-.372 2.517-1.123 3.193-.75.676-1.895 1.013-3.44 1.013-.564 0-1.736-.109-2.673-.316l.345-1.689c.783.163 1.819.207 2.361.207.86 0 1.473-.174 1.84-.523.367-.349.548-.866.548-1.553v-.349a6.374 6.374 0 0 1-.838.316 4.151 4.151 0 0 1-1.194.158 4.515 4.515 0 0 1-1.616-.278 3.385 3.385 0 0 1-1.254-.817 3.744 3.744 0 0 1-.811-1.351c-.192-.539-.29-1.504-.29-2.212 0-.665.104-1.498.307-2.054a3.925 3.925 0 0 1 .904-1.433 4.124 4.124 0 0 1 1.441-.926 5.31 5.31 0 0 1 1.945-.365c.696 0 1.337.087 1.961.191a15.86 15.86 0 0 1 1.588.332v8.456h-.001zm-5.954-4.206c0 .893.197 1.885.592 2.299.394.414.904.621 1.528.621.34 0 .663-.049.964-.142a2.75 2.75 0 0 0 .734-.332v-5.29a8.531 8.531 0 0 0-1.413-.18c-.778-.022-1.369.294-1.786.801-.411.507-.619 1.395-.619 2.223zm16.12 0c0 .719-.104 1.264-.318 1.858a4.389 4.389 0 0 1-.904 1.52c-.389.42-.854.746-1.402.975-.548.229-1.391.36-1.813.36-.422-.005-1.26-.125-1.802-.36a4.088 4.088 0 0 1-1.397-.975 4.486 4.486 0 0 1-.909-1.52 5.037 5.037 0 0 1-.329-1.858c0-.719.099-1.411.318-1.999.219-.588.526-1.09.92-1.509.394-.42.865-.741 1.402-.97a4.547 4.547 0 0 1 1.786-.338 4.69 4.69 0 0 1 1.791.338c.548.229 1.019.55 1.402.97.389.42.69.921.909 1.509.23.588.345 1.28.345 1.999h.001zm-2.191.005c0-.921-.203-1.689-.597-2.223-.394-.539-.948-.806-1.654-.806-.707 0-1.26.267-1.654.806-.394.539-.586 1.302-.586 2.223 0 .932.197 1.558.592 2.098.394.545.948.812 1.654.812.707 0 1.26-.272 1.654-.812.394-.545.592-1.166.592-2.098h-.001zm6.962 4.707c-3.511.016-3.511-2.822-3.511-3.274L113.583.926l2.142-.338v10.003c0 .256 0 1.88 1.375 1.885v1.792h-.001zm3.774 0h-2.153V5.072l2.153-.338v9.534zm-1.079-10.542c.718 0 1.304-.578 1.304-1.291 0-.714-.581-1.291-1.304-1.291-.723 0-1.304.578-1.304 1.291 0 .714.586 1.291 1.304 1.291zm6.431 1.013c.707 0 1.304.087 1.786.262.482.174.871.42 1.156.73.285.311.488.735.608 1.182.126.447.186.937.186 1.476v5.481a25.24 25.24 0 0 1-1.495.251c-.668.098-1.419.147-2.251.147a6.829 6.829 0 0 1-1.517-.158 3.213 3.213 0 0 1-1.178-.507 2.455 2.455 0 0 1-.761-.904c-.181-.37-.274-.893-.274-1.438 0-.523.104-.855.307-1.215.208-.36.487-.654.838-.883a3.609 3.609 0 0 1 1.227-.49 7.073 7.073 0 0 1 2.202-.103c.263.027.537.076.833.147v-.349c0-.245-.027-.479-.088-.697a1.486 1.486 0 0 0-.307-.583c-.148-.169-.34-.3-.581-.392a2.536 2.536 0 0 0-.915-.163c-.493 0-.942.06-1.353.131-.411.071-.75.153-1.008.245l-.257-1.749c.268-.093.668-.185 1.183-.278a9.335 9.335 0 0 1 1.66-.142l-.001-.001zm.181 7.731c.657 0 1.145-.038 1.484-.104v-2.168a5.097 5.097 0 0 0-1.978-.104c-.241.033-.46.098-.652.191a1.167 1.167 0 0 0-.466.392c-.121.169-.175.267-.175.523 0 .501.175.79.493.981.323.196.75.289 1.293.289h.001zM84.109 4.794c.707 0 1.304.087 1.786.262.482.174.871.42 1.156.73.29.316.487.735.608 1.182.126.447.186.937.186 1.476v5.481a25.24 25.24 0 0 1-1.495.251c-.668.098-1.419.147-2.251.147a6.829 6.829 0 0 1-1.517-.158 3.213 3.213 0 0 1-1.178-.507 2.455 2.455 0 0 1-.761-.904c-.181-.37-.274-.893-.274-1.438 0-.523.104-.855.307-1.215.208-.36.487-.654.838-.883a3.609 3.609 0 0 1 1.227-.49 7.073 7.073 0 0 1 2.202-.103c.257.027.537.076.833.147v-.349c0-.245-.027-.479-.088-.697a1.486 1.486 0 0 0-.307-.583c-.148-.169-.34-.3-.581-.392a2.536 2.536 0 0 0-.915-.163c-.493 0-.942.06-1.353.131-.411.071-.75.153-1.008.245l-.257-1.749c.268-.093.668-.185 1.183-.278a8.89 8.89 0 0 1 1.66-.142l-.001-.001zm.186 7.736c.657 0 1.145-.038 1.484-.104v-2.168a5.097 5.097 0 0 0-1.978-.104c-.241.033-.46.098-.652.191a1.167 1.167 0 0 0-.466.392c-.121.169-.175.267-.175.523 0 .501.175.79.493.981.318.191.75.289 1.293.289h.001zm8.682 1.738c-3.511.016-3.511-2.822-3.511-3.274L89.461.926l2.142-.338v10.003c0 .256 0 1.88 1.375 1.885v1.792h-.001z' fill='%23182359'/><path d='M5.027 11.025c0 .698-.252 1.246-.757 1.644-.505.397-1.201.596-2.089.596-.888 0-1.615-.138-2.181-.414v-1.214c.358.168.739.301 1.141.397.403.097.778.145 1.125.145.508 0 .884-.097 1.125-.29a.945.945 0 0 0 .363-.779.978.978 0 0 0-.333-.747c-.222-.204-.68-.446-1.375-.725-.716-.29-1.221-.621-1.515-.994-.294-.372-.44-.82-.44-1.343 0-.655.233-1.171.698-1.547.466-.376 1.09-.564 1.875-.564.752 0 1.5.165 2.245.494l-.408 1.047c-.698-.294-1.321-.44-1.869-.44-.415 0-.73.09-.945.271a.89.89 0 0 0-.322.717c0 .204.043.379.129.524.086.145.227.282.424.411.197.129.551.299 1.063.51.577.24.999.464 1.268.671.269.208.466.442.591.704.125.261.188.569.188.924l-.001.002zm3.98 2.24c-.924 0-1.646-.269-2.167-.808-.521-.539-.782-1.281-.782-2.226 0-.97.242-1.733.725-2.288.483-.555 1.148-.833 1.993-.833.784 0 1.404.238 1.858.714.455.476.682 1.132.682 1.966v.682H7.357c.018.577.174 1.02.467 1.329.294.31.707.465 1.241.465.351 0 .678-.033.98-.099a5.1 5.1 0 0 0 .975-.33v1.026a3.865 3.865 0 0 1-.935.312 5.723 5.723 0 0 1-1.08.091l.002-.001zm-.231-5.199c-.401 0-.722.127-.964.381s-.386.625-.432 1.112h2.696c-.007-.491-.125-.862-.354-1.115-.229-.252-.544-.379-.945-.379l-.001.001zm7.692 5.092l-.252-.827h-.043c-.286.362-.575.608-.865.739-.29.131-.662.196-1.117.196-.584 0-1.039-.158-1.367-.473-.328-.315-.491-.761-.491-1.337 0-.612.227-1.074.682-1.386.455-.312 1.148-.482 2.079-.51l1.026-.032v-.317c0-.38-.089-.663-.266-.851-.177-.188-.452-.282-.824-.282-.304 0-.596.045-.876.134a6.68 6.68 0 0 0-.806.317l-.408-.902a4.414 4.414 0 0 1 1.058-.384 4.856 4.856 0 0 1 1.085-.132c.756 0 1.326.165 1.711.494.385.329.577.847.577 1.552v4.002h-.902l-.001-.001zm-1.88-.859c.458 0 .826-.128 1.104-.384.278-.256.416-.615.416-1.077v-.516l-.763.032c-.594.021-1.027.121-1.297.298s-.406.448-.406.814c0 .265.079.47.236.615.158.145.394.218.709.218h.001zm7.557-5.189c.254 0 .464.018.628.054l-.124 1.176a2.383 2.383 0 0 0-.559-.064c-.505 0-.914.165-1.227.494-.313.329-.47.757-.47 1.284v3.105h-1.262V7.218h.988l.167 1.047h.064c.197-.354.454-.636.771-.843a1.83 1.83 0 0 1 1.023-.312h.001zm4.125 6.155c-.899 0-1.582-.262-2.049-.787-.467-.525-.701-1.277-.701-2.259 0-.999.244-1.767.733-2.304.489-.537 1.195-.806 2.119-.806.627 0 1.191.116 1.692.349l-.381 1.015c-.534-.208-.974-.312-1.321-.312-1.028 0-1.542.682-1.542 2.046 0 .666.128 1.166.384 1.501.256.335.631.502 1.125.502a3.23 3.23 0 0 0 1.595-.419v1.101a2.53 2.53 0 0 1-.722.285 4.356 4.356 0 0 1-.932.086v.002zm8.277-.107h-1.268V9.506c0-.458-.092-.8-.277-1.026-.184-.226-.477-.338-.878-.338-.53 0-.919.158-1.168.475-.249.317-.373.848-.373 1.593v2.949h-1.262V4.801h1.262v2.122c0 .34-.021.704-.064 1.09h.081a1.76 1.76 0 0 1 .717-.666c.306-.158.663-.236 1.072-.236 1.439 0 2.159.725 2.159 2.175v3.873l-.001-.001zm7.649-6.048c.741 0 1.319.269 1.732.806.414.537.62 1.291.62 2.261 0 .974-.209 1.732-.628 2.275-.419.542-1.001.814-1.746.814-.752 0-1.336-.27-1.751-.811h-.086l-.231.704h-.945V4.801h1.262v1.987l-.021.655-.032.553h.054c.401-.591.992-.886 1.772-.886zm-.328 1.031c-.508 0-.875.149-1.098.448-.224.299-.339.799-.346 1.501v.086c0 .723.115 1.247.344 1.571.229.324.603.486 1.123.486.448 0 .787-.177 1.018-.532.231-.354.346-.867.346-1.536 0-1.35-.462-2.025-1.386-2.025l-.001.001zm3.244-.924h1.375l1.209 3.368c.183.48.304.931.365 1.354h.043c.032-.197.091-.436.177-.717.086-.281.541-1.616 1.364-4.004h1.364l-2.541 6.73c-.462 1.235-1.232 1.853-2.31 1.853-.279 0-.551-.03-.816-.091v-.999c.19.043.406.064.65.064.609 0 1.037-.353 1.284-1.058l.22-.559-2.385-5.941h.001z' fill='%231D3657'/></g></svg>");background-repeat:no-repeat;background-position:50%;background-size:100%;overflow:hidden;text-indent:-9000px;padding:0!important;width:100%;height:100%;display:block}.overflow-x-scroll{-webkit-overflow-scrolling:touch}.row{transition:-webkit-transform .45s;transition:transform .45s;transition:transform .45s,-webkit-transform .45s;font-size:0}.tile{transition:all .45s}.details{background:linear-gradient(0deg,rgba(0,0,0,.9) 0,transparent);transition:opacity .45s}.tile:hover .details{opacity:1}.row:hover .tile{opacity:.3}.row:hover .tile:hover{opacity:1}.chroma .lntable pre{padding:0;margin:0;border:0}.chroma .lntable pre code{padding:0;margin:0}.pre,pre{overflow-x:auto;overflow-y:hidden;overflow:scroll}code{padding:.2em;margin:0;font-size:85%;background-color:rgba(27,31,35,.05);border-radius:3px}pre code{display:block;padding:1.5em;font-size:.875rem;line-height:2;overflow-x:auto}pre{background-color:#fff;color:#333;white-space:pre;-webkit-hyphens:none;-ms-hyphens:none;hyphens:none;position:relative;border:1px solid #ccc}.highlight pre{background-color:inherit;color:inherit;padding:.5em;font-size:.875rem}.copy:after{content:"Copy"}.copied:after{content:"Copied"}@media screen and (min-width:60em){.full-width,pre.expand:hover{margin-right:-30vw;max-width:100vw}}.code-block .line-numbers-rows{background:#2f3a46;border:none;bottom:-50px;color:#98a4b3;left:-178px;padding:50px 0;top:-50px;width:138px}.code-block .line-numbers-rows>span:before{color:inherit;padding-right:30px}.tab-button{margin-bottom:1px;position:relative;z-index:1;color:#333;border-color:#ccc;outline:none;background-color:#fff}.tab-pane code{background:#f1f2f2;border-radius:0}.tab-pane .chroma{background:none;padding:0}.tab-button.active{border-bottom-color:#f1f2f2;background-color:#f1f2f2}.tab-content .tab-pane{display:none}.tab-content .tab-pane.active{display:block}.tab-content .copied,.tab-content .copy{display:none}.tab-content .tab-pane.active+.copied,.tab-content .tab-pane.active+.copy{display:block}.primary-color{color:#0594cb}.bg-primary-color,.hover-bg-primary-color:hover{background-color:#0594cb}.primary-color-dark{color:#0a1922}.bg-primary-color-dark,.hover-bg-primary-color-dark:hover{background-color:#0a1922}.primary-color-light{color:#f9f9f9}.bg-primary-color-light,.hover-bg-primary-color-light:hover{background-color:#f9f9f9}.accent-color{color:#ebb951}.bg-accent-color,.hover-bg-accent-color:hover{background-color:#ebb951}.accent-color-light,.hover-accent-color-light:hover{color:#ff4088}.bg-accent-color-light,.hover-bg-accent-color-light:hover{background-color:#ff4088}.accent-color-dark{color:#33ba91}.bg-accent-color-dark,.hover-bg-accent-color-dark:hover{background-color:#33ba91}.text-color-primary{color:#373737}.text-on-primary-color{color:#fff}.text-color-secondary{color:#ccc}.text-color-disabled{color:#f7f7f7}.divider-color{color:#f6f6f6}.warn-color{color:red}.nested-links a{color:#0594cb;text-decoration:none}.column-count-2{-webkit-column-count:1;column-count:1}.column-gap-1{-webkit-column-gap:0;column-gap:0}.break-inside-avoid{-webkit-column-break-inside:auto;break-inside:auto}@media screen and (min-width:60em){.column-count-3-l{-webkit-column-count:3;column-count:3}.column-count-2-l{-webkit-column-count:2;column-count:2}.column-gap-1-l{-webkit-column-gap:1;column-gap:1}.break-inside-avoid-l{-webkit-column-break-inside:avoid;break-inside:avoid}}.prose ol,.prose ul{margin-bottom:2em}.prose ol li,.prose ul li{margin-bottom:.5em}.prose li:hover{background-color:#eee}.prose ::-moz-selection{background:#0594cb;color:#fff}.prose ::selection{background:#0594cb;color:#fff}body{line-height:1.45}p{margin-bottom:1.3em}h1,h2,h3,h4{margin:1.414em 0 .5em;line-height:1.2}h1{margin-top:0;font-size:2.441em}h2{font-size:1.953em}h3{font-size:1.563em}h4{font-size:1.25em}.font_small,small{font-size:.8em}.prose table{width:100%;margin-bottom:3em;border-collapse:collapse;border-spacing:0;font-size:1em;border:1px solid #eee}.prose table th{background-color:#0594cb;border-bottom:1px solid #0594cb;color:#fff;font-weight:400;text-align:left;padding:.375em .5em}.prose table tc,.prose table td{padding:.75em .5em;text-align:left;border-right:1px solid #eee}.prose table tr:nth-child(2n){background-color:#eee}dl dt{font-weight:bold;font-size:1.125rem}dd{margin:.5em 0 2em;padding:0}.f2-fluid{font-size:2.25rem}@media screen and (min-width:60em){.f2-fluid{font-size:1.25rem;font-size:calc(.875rem + .5 * ((100vw - 20rem) / 60))}}.code,.highlight pre,code,pre code{font-family:"inconsolata",Menlo,Monaco,"Courier New",monospace}.sans-serif{font-family:"Muli",avenir,"helvetica neue",helvetica,ubuntu,roboto,noto,"segoe ui",arial,sans-serif}.serif{font-family:Palatino,"Palatino Linotype","Palatino LT STD","Book Antiqua",Georgia,serif}.courier{font-family:"Courier Next",courier,monospace}.helvetica{font-family:"helvetica neue",helvetica,sans-serif}.avenir{font-family:"avenir next",avenir,sans-serif}.athelas{font-family:athelas,georgia,serif}.georgia{font-family:georgia,serif}.times{font-family:times,serif}.bodoni{font-family:"Bodoni MT",serif}.calisto{font-family:"Calisto MT",serif}.garamond{font-family:garamond,serif}.baskerville{font-family:baskerville,serif}.pagination{margin:3rem 0}.pagination li{display:inline-block;margin-right:.375rem;font-size:.875rem;margin-bottom:2.5em}.pagination li a{padding:.5rem .625rem;background-color:#fff;color:#333;border:1px solid #ddd;border-radius:3px;text-decoration:none}.pagination li.disabled{display:none}.pagination li.active a:active,.pagination li.active a:link,.pagination li.active a:visited{background-color:#ddd}#TableOfContents ul li ul li ul li{display:none}#TableOfContents ul li{color:#000;display:block;margin-bottom:.375em;line-height:1.375}#TableOfContents ul li a{width:100%;padding:.25em .375em;margin-left:-.375em}#TableOfContents ul li a:hover{background-color:#999;color:#fff}.no-js .needs-js{opacity:0}.js .needs-js{opacity:1;transition:opacity .15s ease-in}.facebook,.instagram,.twitter,.youtube{fill:#bababa}.facebook:hover{fill:#3b5998}.twitter{fill:#55acee}.twitter:hover{fill:#bababa}.instagram:hover{fill:#e95950}.youtube:hover{fill:#b00}@media (min-width:75em){[data-scrolldir=down] .sticky,[data-scrolldir=up] .sticky{position:fixed;top:100px;right:0}}.fill-current{fill:currentColor}.chroma{background-color:#fff}.chroma .err{color:#a61717;background-color:#e3d2d2}.chroma .lntd{vertical-align:top;padding:0;margin:0;border:0}.chroma .lntable{border-spacing:0;padding:0;margin:0;border:0;width:auto;overflow:auto;display:block}.chroma .hl{display:block;width:100%;background-color:#ffc}.chroma .ln,.chroma .lnt{margin-right:.4em;padding:0 .4em}.chroma .k,.chroma .kc,.chroma .kd,.chroma .kn,.chroma .kp,.chroma .kr,.chroma .kt{font-weight:bold}.chroma .kt{color:#458}.chroma .na{color:teal}.chroma .nb{color:#999}.chroma .nc{color:#458;font-weight:bold}.chroma .no{color:teal}.chroma .ni{color:purple}.chroma .ne,.chroma .nf{color:#900;font-weight:bold}.chroma .nn{color:#555}.chroma .nt{color:navy}.chroma .nv{color:teal}.chroma .dl,.chroma .s,.chroma .s2,.chroma .sa,.chroma .sb,.chroma .sc,.chroma .sd,.chroma .se,.chroma .sh,.chroma .si,.chroma .sx{color:#b84}.chroma .sr{color:olive}.chroma .s1,.chroma .ss{color:#b84}.chroma .il,.chroma .m,.chroma .mb,.chroma .mf,.chroma .mh,.chroma .mi,.chroma .mo{color:#099}.chroma .o,.chroma .ow{font-weight:bold}.chroma .c,.chroma .c1,.chroma .ch,.chroma .cm{color:#998;font-style:italic}.chroma .cs{font-style:italic}.chroma .cp,.chroma .cpf,.chroma .cs{color:#999;font-weight:bold}.chroma .gd{color:#000;background-color:#fdd}.chroma .ge{font-style:italic}.chroma .gr{color:#a00}.chroma .gh{color:#999}.chroma .gi{color:#000;background-color:#dfd}.chroma .go{color:#888}.chroma .gp{color:#555}.chroma .gs{font-weight:bold}.chroma .gu{color:#aaa}.chroma .gt{color:#a00}.chroma .w{color:#bbb}.nested-blockquote blockquote{border-left:4px solid #0594cb;padding-left:1em}.mw-90{max-width:90%}
index 0000000000000000000000000000000000000000,0000000000000000000000000000000000000000..3f5344c6129e560c27e226f313915a36b5cb8348
new file mode 100644 (file)
--- /dev/null
--- /dev/null
@@@ -1,0 -1,0 +1,67 @@@
++<?xml version="1.0" encoding="utf-8"?>\r
++<!-- Generator: Adobe Illustrator 18.1.1, SVG Export Plug-In . SVG Version: 6.00 Build 0)  -->\r
++<svg version="1.1" id="Layer_1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px"\r
++       viewBox="325 451.6 374.2 120.8" enable-background="new 325 451.6 374.2 120.8" xml:space="preserve">\r
++<path fill="#FFFFFF" d="M491.4,451.6c-33.6,0-59.6,22.4-63.6,53.4c5.4,1.7,9.7,3.9,12.9,6.6c2.1-25.9,23-44.5,50.7-44.5\r
++      c11.5,0,21.7,3.2,30.1,8.8c0.3-0.6,0.8-1.4,2.2-1.8c5.4-1.6,10.6-1.4,15.3,0.4c0.3-0.9,0.5-1.8,0.9-2.7\r
++      C528.2,459.4,511.2,451.6,491.4,451.6z"/>\r
++<path fill="#FBAA19" d="M491.4,455.5c-31.9,0-56.4,21.5-59.9,50.8c2.1,0.8,3.9,1.7,5.6,2.7c3.4-26.5,25.5-45.8,54.3-45.8\r
++      c10.7,0,20.7,2.7,29,7.5c0.3-0.1,0.6-0.3,0.9-0.4c3.5-1,6.9-1.3,10.2-1C521.1,460.7,507.2,455.5,491.4,455.5z"/>\r
++<g>\r
++      <path fill="#14499E" d="M564.5,538.1v-62.1h-7.8c-0.1,4-1.6,7.8-4,10.3c-1.3,1.3-2.7,2.3-4.1,2.8c1,2.6,2.1,5.3,2.7,8.1\r
++              c1.2,4.8,1.6,6.5,1.9,10.9c0.3,2.2,0.3,4.4,0.3,6.5c0,12.7-3.5,25.2-9.8,35.7v5h45.4v-17.6h-24.6V538.1z"/>\r
++      <path fill="#14499E" d="M613.5,555.7h-20.7v-79.5h20.7V555.7z"/>\r
++      <path fill="#14499E" d="M666.2,526.1h-17.2l8.7-25.3L666.2,526.1z M671.9,541.9l5.2,13.8h22.1l-29.9-79.5h-22.5l-30.5,79.5h21.9\r
++              l5.4-13.8H671.9z"/>\r
++      <path fill="#14499E" d="M426.1,507.2c-7-2.2-7.9-2.3-8.9-2.8c-3.6-1.7-5.4-3.7-5.4-6.2c0-3.9,3.9-6.9,8.8-6.9\r
++              c3.4,0,6.5,0.9,9.7,2.7c1.8-5.6,4.4-10.9,7.6-15.5c-6.7-2.8-13.8-4.4-20.7-4.4c-16,0-27,10.9-27,26.8c0,6.9,2.1,12,5.9,15.5\r
++              c3,2.5,6.5,4,15.5,6.7c9.7,2.8,12.4,4.9,12.4,9.2c0,4.7-4.3,7.9-10.3,8.3c-5.7,0.4-10.9,0.3-17.2-5.2l-9.6,13.3\r
++              c8.4,5.8,18,8.9,27.7,8.9c19.5,0,31-10.5,31-28.3C445.7,517.8,440,511.2,426.1,507.2z"/>\r
++</g>\r
++<g>\r
++      <path fill="#14499E" d="M596.7,479.9c0,6.7,0,65.2,0,71.8c3.9,0,8.9,0,12.9,0c0-6.7,0-65.2,0-71.8\r
++              C605.7,479.9,600.7,479.9,596.7,479.9z"/>\r
++      <path fill="#14499E" d="M649.3,479.9c-1.7,4.4-24.2,62.8-27.5,71.8c5.2,0,10.6,0,13.6,0c1.3-3.4,5.4-13.8,5.4-13.8h33.9\r
++              c0,0,3.9,10.5,5.2,13.8c3,0,8.5,0,13.7,0c-3.4-8.8-25.3-67.4-27-71.8C662.9,479.9,652.8,479.9,649.3,479.9z M645.4,524.8l12.4-36.2\r
++              l13.8,41.4h-27.9L645.4,524.8z"/>\r
++      <path fill="#14499E" d="M560.6,542c0,0,0-55.2,0-62.1c-0.5,0-1.2,0-1.7,0c-0.8,3.5-2.3,6.6-4.5,9.1c-0.6,0.8-1.4,1.4-2.2,1.9\r
++              c0.6,1.9,1.3,3.7,1.8,5.6c1.2,4.9,1.6,6.9,1.9,11.4c0.3,2.3,0.4,4.7,0.4,6.9c0,12.2-3.1,24-8.5,34.4c0,1.2,0,2.1,0,2.6\r
++              c5.9,0,31.8,0,37.6,0c0-3.4,0-6.5,0-9.8C579.9,542,560.6,542,560.6,542z"/>\r
++      <path fill="#14499E" d="M394.2,501c0,5.7,1.6,9.8,4.7,12.5c2.2,1.8,4.9,3.2,14,5.8c8.7,2.6,15.3,5.2,15.3,12.9\r
++              c0,6.7-5.6,11.6-14,12.2c-5.2,0.4-10.6,0.3-16.7-3.6c-1.8,2.5-3,4.1-4.8,6.6c6.9,4,14.4,6.2,22.1,6.2c17.5,0,27.2-8.7,27.2-24.4\r
++              c0-8-2.8-14.2-16.8-18.4l-1.8-0.5c-5.7-1.7-6.3-1.9-7.6-2.5c-5.2-2.3-7.6-5.7-7.6-9.7c0-5.9,5.6-10.7,12.7-10.7\r
++              c2.6,0,5,0.5,7.5,1.3c1.2-2.8,2.5-5.6,4-8.3c-4.9-1.6-10.1-2.5-14.9-2.5C403.5,478,394.2,487.2,394.2,501z"/>\r
++</g>\r
++<path fill="#FBAA19" d="M346.5,517.3c1.2-6.1,5.2-9.6,12-9.6c5.8,0,10.5,3.5,11.9,9.3L346.5,517.3z M389.8,529.1v-2.7\r
++      c-0.1-20.2-12.7-32.1-33-31.8c-19.5,0.1-31.9,12.8-31.8,31.9c0.1,18.9,13.7,31,34.4,30.8c15.5-0.1,25.7-7.2,29.5-21.9l-20,0.1\r
++      c-2.6,5.4-5.2,7-10,7c-8.5,0.1-12.8-4.1-12.9-13.1L389.8,529.1z"/>\r
++<path fill="#FBAA19" d="M506.1,485.1c0,0,1.9-3.9,6.5-6.6c-6.2-3.1-13.4-4.9-21.2-4.9c-25.2,0-44,18.2-44,42.3\r
++      c0,24.2,18.9,42.4,44,42.4c25.2,0,44-18.2,44-42.4c0-10.5-3.5-19.8-9.6-27C517,484.2,506.1,485.1,506.1,485.1z M491.3,538.5\r
++      c-12.4,0-22.4-10-22.4-22.4c0-12.3,10-22.2,22.4-22.2s22.4,10,22.4,22.2C513.8,528.4,503.7,538.5,491.3,538.5z"/>\r
++<path fill="#FBAA19" d="M356.8,498.3L356.8,498.3c-17.3,0.1-28.1,10.9-27.9,28.1c0.1,16.8,11.9,27.2,30.5,27\r
++      c12.2-0.1,20-4.8,24-14.1c-4.9,0-9.7,0.1-12.2,0.1c-2.8,4.9-6.5,7-12.3,7c-10.6,0.1-16.7-5.9-16.9-16.9c0,0,0,0,0-0.1\r
++      c0-1,0.4-1.9,1-2.7c0.8-0.8,1.7-1.2,2.7-1.2c0,0,33.2-0.3,39.7-0.4c-0.3-8.1-2.8-14.9-7.5-19.5C373.3,500.8,365.9,498.2,356.8,498.3\r
++      z M343.5,519.9c-0.8-0.9-1-2.1-0.9-3.2c1.4-8,7.2-12.7,15.8-12.8l0,0c7.6-0.1,13.8,4.8,15.6,12.3c0.3,1.2,0,2.3-0.6,3.4\r
++      c-0.8,0.9-1.8,1.6-3,1.6l-23.9,0.3C345.3,521.3,344.3,520.8,343.5,519.9z"/>\r
++<path fill="#FBAA19" d="M506.1,485.1c0,0,0.9-1.8,3-3.9c-5.3-2.3-11.2-3.6-17.7-3.6c-22.9,0-40.1,16.5-40.1,38.4\r
++      c0,22,17.2,38.5,40.1,38.5s40.1-16.5,40.1-38.5c0-12.5-5.6-23.3-14.7-30.1C511,484.7,506.1,485.1,506.1,485.1z M517.7,516\r
++      c0,14.5-11.8,26.2-26.2,26.2s-26.2-11.8-26.2-26.2c0-14.5,11.8-26.1,26.2-26.1C505.8,489.9,517.7,501.7,517.7,516z"/>\r
++<path fill="#14499E" d="M518.5,562.4c-7.9,4.1-16.9,6.3-26.9,6.3c-20.2,0-37.1-9.4-46.5-24.2c-0.6,1.4-1.4,2.7-2.3,3.9\r
++      c10.7,14.4,28.3,23.3,48.9,23.3c9.6,0,18.4-1.9,26.2-5.3c0.1-0.6,0.1-1.3,0.4-1.9C518.3,563.6,518.5,562.9,518.5,562.4z"/>\r
++<path fill="#14499E" d="M552.9,472.6c-0.6-5-0.1-8,0.8-9.7c0-0.1-11.9-0.1-14.2,15.3c-5.7-3.2-11.5-3-16.3-1.6\r
++      c-0.8,0.3-0.6,0.5,0.1,0.5c3.1-0.1,6.1,0.5,8.8,1.9c-5.4-1.3-15.1-1.4-20.4,3.2c-0.3,0.1-0.5,0.3-0.5,0.4c0.5,0.1,4.9-0.8,15,3.6\r
++      c4.1,1.8,11.4,3.7,14.1-0.5c2.5,5.6,4.1,10.7,5,15.5c-1.8-3.1-4.1-4.5-4.8-4.8c-2.7-1.6-6.5-1.6-6.5-1.6s0.5,2.3,1.8,3.5\r
++      c3,3,7.4,2.1,7.2,1.8c0-0.8-0.3-1.4-0.5-1.9c2.2,2.3,3.7,8.1,4,10.9c0.9,10-1,18.4-3.1,24.8c-3.9,10-8.5,16.9-17.3,25\r
++      c-2.6-3.7-7.2-4.3-7.8-2.8v0.1c2.5-0.3,8.4,2.3,7.9,8.4c-0.6,7.4-6.5,5-5.3,0.1c0.8-3.4-0.6-5-1.9-6.1c0.6,1.3,1.6,3.1,0.5,6.5\r
++      c-2.3,7.9,7,11,8.3,0.9c0-0.5,0-1,0-1.4c15.9-12.9,24.2-34.9,22.1-56c-0.4-4.1-0.6-5.8-1.8-10.5c-0.9-3.6-2.2-7.2-3.7-10.6\r
++      C548.2,487.8,554.1,482.3,552.9,472.6z"/>\r
++<g>\r
++      <path fill="#14499E" d="M541.7,478.5l-0.5,3.5l0,0c0.5,1.2,1.2,2.6,1.2,2.6c0.1,0.1,0.1,0.4,0.1,0.5c0.8,0,1.7,0.1,1.7,0.1\r
++              c0.9,0,2.5-0.4,3.7-1.9c1.8-1.9,2.7-4.7,2.7-7.9c0-0.8,0-1.6-0.1-2.3c-0.3-1.6-0.4-3.1-0.4-4.4c0-0.9,0.1-1.7,0.3-2.6\r
++              C547.3,467.1,543,470.1,541.7,478.5z"/>\r
++      <path fill="#14499E" d="M529.8,481.1c-3.4-0.8-6.1-0.8-10.3,0.1c2.3,0.6,4.8,1.4,7.4,2.6c4.1,1.8,9.4,3,11,0.4c0,0,1.2-1.9,1.8-3\r
++              c-0.9-0.5-1.7-1-1.7-1c-1.8-1-3.6-1.6-5.6-1.9C534,482,529.8,481.1,529.8,481.1z"/>\r
++</g>\r
++<path fill="#FBAA19" d="M491.3,489.9c13.6,0,24.8,10.3,26.1,23.5c0.1-0.9,0.1-1.7,0.1-2.6c0-14.5-11.8-26.1-26.2-26.1\r
++      c-14.5,0-26.2,11.8-26.2,26.1c0,0.9,0,1.8,0.1,2.6C466.5,500.2,477.7,489.9,491.3,489.9z"/>\r
++</svg>\r