repo_name
stringclasses
2 values
pr_number
int64
2.62k
123k
pr_title
stringlengths
8
193
pr_description
stringlengths
0
27.9k
author
stringlengths
3
23
date_created
unknown
date_merged
unknown
previous_commit
stringlengths
40
40
pr_commit
stringlengths
40
40
query
stringlengths
21
28k
filepath
stringlengths
7
174
before_content
stringlengths
0
554M
after_content
stringlengths
0
554M
label
int64
-1
1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./hugolib/page__per_output.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package hugolib import ( "bytes" "context" "fmt" "html/template" "runtime/debug" "strings" "sync" "unicode/utf8" "github.com/gohugoio/hugo/identity" "github.com/gohugoio/hugo/markup/converter/hooks" "github.com/gohugoio/hugo/markup/converter" "github.com/gohugoio/hugo/lazy" bp "github.com/gohugoio/hugo/bufferpool" "github.com/gohugoio/hugo/tpl" "github.com/gohugoio/hugo/helpers" "github.com/gohugoio/hugo/output" "github.com/gohugoio/hugo/resources/page" "github.com/gohugoio/hugo/resources/resource" ) var ( nopTargetPath = targetPathsHolder{} nopPagePerOutput = struct { resource.ResourceLinksProvider page.ContentProvider page.PageRenderProvider page.PaginatorProvider page.TableOfContentsProvider page.AlternativeOutputFormatsProvider targetPather }{ page.NopPage, page.NopPage, page.NopPage, page.NopPage, page.NopPage, page.NopPage, nopTargetPath, } ) var pageContentOutputDependenciesID = identity.KeyValueIdentity{Key: "pageOutput", Value: "dependencies"} func newPageContentOutput(p *pageState, po *pageOutput) (*pageContentOutput, error) { parent := p.init var dependencyTracker identity.Manager if p.s.running() { dependencyTracker = identity.NewManager(pageContentOutputDependenciesID) } cp := &pageContentOutput{ dependencyTracker: dependencyTracker, p: p, f: po.f, renderHooks: &renderHooks{}, } initContent := func() (err error) { p.s.h.IncrContentRender() if p.cmap == nil { // Nothing to do. return nil } defer func() { // See https://github.com/gohugoio/hugo/issues/6210 if r := recover(); r != nil { err = fmt.Errorf("%s", r) p.s.Log.Errorf("[BUG] Got panic:\n%s\n%s", r, string(debug.Stack())) } }() if err := po.initRenderHooks(); err != nil { return err } var hasShortcodeVariants bool f := po.f cp.contentPlaceholders, hasShortcodeVariants, err = p.shortcodeState.renderShortcodesForPage(p, f) if err != nil { return err } enableReuse := !(hasShortcodeVariants || cp.renderHooksHaveVariants) if enableReuse { // Reuse this for the other output formats. // We may improve on this, but we really want to avoid re-rendering the content // to all output formats. // The current rule is that if you need output format-aware shortcodes or // content rendering hooks, create a output format-specific template, e.g. // myshortcode.amp.html. cp.enableReuse() } cp.workContent = p.contentToRender(cp.contentPlaceholders) isHTML := cp.p.m.markup == "html" if !isHTML { r, err := cp.renderContent(cp.workContent, true) if err != nil { return err } cp.workContent = r.Bytes() if tocProvider, ok := r.(converter.TableOfContentsProvider); ok { cfg := p.s.ContentSpec.Converters.GetMarkupConfig() cp.tableOfContents = template.HTML( tocProvider.TableOfContents().ToHTML( cfg.TableOfContents.StartLevel, cfg.TableOfContents.EndLevel, cfg.TableOfContents.Ordered, ), ) } else { tmpContent, tmpTableOfContents := helpers.ExtractTOC(cp.workContent) cp.tableOfContents = helpers.BytesToHTML(tmpTableOfContents) cp.workContent = tmpContent } } if cp.placeholdersEnabled { // ToC was accessed via .Page.TableOfContents in the shortcode, // at a time when the ToC wasn't ready. cp.contentPlaceholders[tocShortcodePlaceholder] = string(cp.tableOfContents) } if p.cmap.hasNonMarkdownShortcode || cp.placeholdersEnabled { // There are one or more replacement tokens to be replaced. cp.workContent, err = replaceShortcodeTokens(cp.workContent, cp.contentPlaceholders) if err != nil { return err } } if cp.p.source.hasSummaryDivider { if isHTML { src := p.source.parsed.Input() // Use the summary sections as they are provided by the user. if p.source.posSummaryEnd != -1 { cp.summary = helpers.BytesToHTML(src[p.source.posMainContent:p.source.posSummaryEnd]) } if cp.p.source.posBodyStart != -1 { cp.workContent = src[cp.p.source.posBodyStart:] } } else { summary, content, err := splitUserDefinedSummaryAndContent(cp.p.m.markup, cp.workContent) if err != nil { cp.p.s.Log.Errorf("Failed to set user defined summary for page %q: %s", cp.p.pathOrTitle(), err) } else { cp.workContent = content cp.summary = helpers.BytesToHTML(summary) } } } else if cp.p.m.summary != "" { b, err := cp.renderContent([]byte(cp.p.m.summary), false) if err != nil { return err } html := cp.p.s.ContentSpec.TrimShortHTML(b.Bytes()) cp.summary = helpers.BytesToHTML(html) } cp.content = helpers.BytesToHTML(cp.workContent) return nil } // Recursive loops can only happen in content files with template code (shortcodes etc.) // Avoid creating new goroutines if we don't have to. needTimeout := p.shortcodeState.hasShortcodes() || cp.renderHooks != nil if needTimeout { cp.initMain = parent.BranchWithTimeout(p.s.siteCfg.timeout, func(ctx context.Context) (interface{}, error) { return nil, initContent() }) } else { cp.initMain = parent.Branch(func() (interface{}, error) { return nil, initContent() }) } cp.initPlain = cp.initMain.Branch(func() (interface{}, error) { cp.plain = helpers.StripHTML(string(cp.content)) cp.plainWords = strings.Fields(cp.plain) cp.setWordCounts(p.m.isCJKLanguage) if err := cp.setAutoSummary(); err != nil { return err, nil } return nil, nil }) return cp, nil } type renderHooks struct { hooks *hooks.Renderers init sync.Once } // pageContentOutput represents the Page content for a given output format. type pageContentOutput struct { f output.Format // If we can reuse this for other output formats. reuse bool reuseInit sync.Once p *pageState // Lazy load dependencies initMain *lazy.Init initPlain *lazy.Init placeholdersEnabled bool placeholdersEnabledInit sync.Once renderHooks *renderHooks // Set if there are more than one output format variant renderHooksHaveVariants bool // TODO(bep) reimplement this in another way, consolidate with shortcodes // Content state workContent []byte dependencyTracker identity.Manager // Set in server mode. // Temporary storage of placeholders mapped to their content. // These are shortcodes etc. Some of these will need to be replaced // after any markup is rendered, so they share a common prefix. contentPlaceholders map[string]string // Content sections content template.HTML summary template.HTML tableOfContents template.HTML truncated bool plainWords []string plain string fuzzyWordCount int wordCount int readingTime int } func (p *pageContentOutput) trackDependency(id identity.Provider) { if p.dependencyTracker != nil { p.dependencyTracker.Add(id) } } func (p *pageContentOutput) Reset() { if p.dependencyTracker != nil { p.dependencyTracker.Reset() } p.initMain.Reset() p.initPlain.Reset() p.renderHooks = &renderHooks{} } func (p *pageContentOutput) Content() (interface{}, error) { if p.p.s.initInit(p.initMain, p.p) { return p.content, nil } return nil, nil } func (p *pageContentOutput) FuzzyWordCount() int { p.p.s.initInit(p.initPlain, p.p) return p.fuzzyWordCount } func (p *pageContentOutput) Len() int { p.p.s.initInit(p.initMain, p.p) return len(p.content) } func (p *pageContentOutput) Plain() string { p.p.s.initInit(p.initPlain, p.p) return p.plain } func (p *pageContentOutput) PlainWords() []string { p.p.s.initInit(p.initPlain, p.p) return p.plainWords } func (p *pageContentOutput) ReadingTime() int { p.p.s.initInit(p.initPlain, p.p) return p.readingTime } func (p *pageContentOutput) Summary() template.HTML { p.p.s.initInit(p.initMain, p.p) if !p.p.source.hasSummaryDivider { p.p.s.initInit(p.initPlain, p.p) } return p.summary } func (p *pageContentOutput) TableOfContents() template.HTML { p.p.s.initInit(p.initMain, p.p) return p.tableOfContents } func (p *pageContentOutput) Truncated() bool { if p.p.truncated { return true } p.p.s.initInit(p.initPlain, p.p) return p.truncated } func (p *pageContentOutput) WordCount() int { p.p.s.initInit(p.initPlain, p.p) return p.wordCount } func (p *pageContentOutput) setAutoSummary() error { if p.p.source.hasSummaryDivider || p.p.m.summary != "" { return nil } var summary string var truncated bool if p.p.m.isCJKLanguage { summary, truncated = p.p.s.ContentSpec.TruncateWordsByRune(p.plainWords) } else { summary, truncated = p.p.s.ContentSpec.TruncateWordsToWholeSentence(p.plain) } p.summary = template.HTML(summary) p.truncated = truncated return nil } func (cp *pageContentOutput) renderContent(content []byte, renderTOC bool) (converter.Result, error) { c := cp.p.getContentConverter() return cp.renderContentWithConverter(c, content, renderTOC) } func (cp *pageContentOutput) renderContentWithConverter(c converter.Converter, content []byte, renderTOC bool) (converter.Result, error) { r, err := c.Convert( converter.RenderContext{ Src: content, RenderTOC: renderTOC, RenderHooks: cp.renderHooks.hooks, }) if err == nil { if ids, ok := r.(identity.IdentitiesProvider); ok { for _, v := range ids.GetIdentities() { cp.trackDependency(v) } } } return r, err } func (p *pageContentOutput) setWordCounts(isCJKLanguage bool) { if isCJKLanguage { p.wordCount = 0 for _, word := range p.plainWords { runeCount := utf8.RuneCountInString(word) if len(word) == runeCount { p.wordCount++ } else { p.wordCount += runeCount } } } else { p.wordCount = helpers.TotalWords(p.plain) } // TODO(bep) is set in a test. Fix that. if p.fuzzyWordCount == 0 { p.fuzzyWordCount = (p.wordCount + 100) / 100 * 100 } if isCJKLanguage { p.readingTime = (p.wordCount + 500) / 501 } else { p.readingTime = (p.wordCount + 212) / 213 } } // A callback to signal that we have inserted a placeholder into the rendered // content. This avoids doing extra replacement work. func (p *pageContentOutput) enablePlaceholders() { p.placeholdersEnabledInit.Do(func() { p.placeholdersEnabled = true }) } func (p *pageContentOutput) enableReuse() { p.reuseInit.Do(func() { p.reuse = true }) } // these will be shifted out when rendering a given output format. type pagePerOutputProviders interface { targetPather page.PaginatorProvider resource.ResourceLinksProvider } type targetPather interface { targetPaths() page.TargetPaths } type targetPathsHolder struct { paths page.TargetPaths page.OutputFormat } func (t targetPathsHolder) targetPaths() page.TargetPaths { return t.paths } func executeToString(h tpl.TemplateHandler, templ tpl.Template, data interface{}) (string, error) { b := bp.GetBuffer() defer bp.PutBuffer(b) if err := h.Execute(templ, b, data); err != nil { return "", err } return b.String(), nil } func splitUserDefinedSummaryAndContent(markup string, c []byte) (summary []byte, content []byte, err error) { defer func() { if r := recover(); r != nil { err = fmt.Errorf("summary split failed: %s", r) } }() startDivider := bytes.Index(c, internalSummaryDividerBaseBytes) if startDivider == -1 { return } startTag := "p" switch markup { case "asciidocext": startTag = "div" } // Walk back and forward to the surrounding tags. start := bytes.LastIndex(c[:startDivider], []byte("<"+startTag)) end := bytes.Index(c[startDivider:], []byte("</"+startTag)) if start == -1 { start = startDivider } else { start = startDivider - (startDivider - start) } if end == -1 { end = startDivider + len(internalSummaryDividerBase) } else { end = startDivider + end + len(startTag) + 3 } var addDiv bool switch markup { case "rst": addDiv = true } withoutDivider := append(c[:start], bytes.Trim(c[end:], "\n")...) if len(withoutDivider) > 0 { summary = bytes.TrimSpace(withoutDivider[:start]) } if addDiv { // For the rst summary = append(append([]byte(nil), summary...), []byte("</div>")...) } if err != nil { return } content = bytes.TrimSpace(withoutDivider) return }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package hugolib import ( "bytes" "context" "fmt" "html/template" "runtime/debug" "strings" "sync" "unicode/utf8" "github.com/gohugoio/hugo/identity" "github.com/gohugoio/hugo/markup/converter/hooks" "github.com/gohugoio/hugo/markup/converter" "github.com/gohugoio/hugo/lazy" bp "github.com/gohugoio/hugo/bufferpool" "github.com/gohugoio/hugo/tpl" "github.com/gohugoio/hugo/helpers" "github.com/gohugoio/hugo/output" "github.com/gohugoio/hugo/resources/page" "github.com/gohugoio/hugo/resources/resource" ) var ( nopTargetPath = targetPathsHolder{} nopPagePerOutput = struct { resource.ResourceLinksProvider page.ContentProvider page.PageRenderProvider page.PaginatorProvider page.TableOfContentsProvider page.AlternativeOutputFormatsProvider targetPather }{ page.NopPage, page.NopPage, page.NopPage, page.NopPage, page.NopPage, page.NopPage, nopTargetPath, } ) var pageContentOutputDependenciesID = identity.KeyValueIdentity{Key: "pageOutput", Value: "dependencies"} func newPageContentOutput(p *pageState, po *pageOutput) (*pageContentOutput, error) { parent := p.init var dependencyTracker identity.Manager if p.s.running() { dependencyTracker = identity.NewManager(pageContentOutputDependenciesID) } cp := &pageContentOutput{ dependencyTracker: dependencyTracker, p: p, f: po.f, renderHooks: &renderHooks{}, } initContent := func() (err error) { p.s.h.IncrContentRender() if p.cmap == nil { // Nothing to do. return nil } defer func() { // See https://github.com/gohugoio/hugo/issues/6210 if r := recover(); r != nil { err = fmt.Errorf("%s", r) p.s.Log.Errorf("[BUG] Got panic:\n%s\n%s", r, string(debug.Stack())) } }() if err := po.initRenderHooks(); err != nil { return err } var hasShortcodeVariants bool f := po.f cp.contentPlaceholders, hasShortcodeVariants, err = p.shortcodeState.renderShortcodesForPage(p, f) if err != nil { return err } enableReuse := !(hasShortcodeVariants || cp.renderHooksHaveVariants) if enableReuse { // Reuse this for the other output formats. // We may improve on this, but we really want to avoid re-rendering the content // to all output formats. // The current rule is that if you need output format-aware shortcodes or // content rendering hooks, create a output format-specific template, e.g. // myshortcode.amp.html. cp.enableReuse() } cp.workContent = p.contentToRender(cp.contentPlaceholders) isHTML := cp.p.m.markup == "html" if !isHTML { r, err := cp.renderContent(cp.workContent, true) if err != nil { return err } cp.workContent = r.Bytes() if tocProvider, ok := r.(converter.TableOfContentsProvider); ok { cfg := p.s.ContentSpec.Converters.GetMarkupConfig() cp.tableOfContents = template.HTML( tocProvider.TableOfContents().ToHTML( cfg.TableOfContents.StartLevel, cfg.TableOfContents.EndLevel, cfg.TableOfContents.Ordered, ), ) } else { tmpContent, tmpTableOfContents := helpers.ExtractTOC(cp.workContent) cp.tableOfContents = helpers.BytesToHTML(tmpTableOfContents) cp.workContent = tmpContent } } if cp.placeholdersEnabled { // ToC was accessed via .Page.TableOfContents in the shortcode, // at a time when the ToC wasn't ready. cp.contentPlaceholders[tocShortcodePlaceholder] = string(cp.tableOfContents) } if p.cmap.hasNonMarkdownShortcode || cp.placeholdersEnabled { // There are one or more replacement tokens to be replaced. cp.workContent, err = replaceShortcodeTokens(cp.workContent, cp.contentPlaceholders) if err != nil { return err } } if cp.p.source.hasSummaryDivider { if isHTML { src := p.source.parsed.Input() // Use the summary sections as they are provided by the user. if p.source.posSummaryEnd != -1 { cp.summary = helpers.BytesToHTML(src[p.source.posMainContent:p.source.posSummaryEnd]) } if cp.p.source.posBodyStart != -1 { cp.workContent = src[cp.p.source.posBodyStart:] } } else { summary, content, err := splitUserDefinedSummaryAndContent(cp.p.m.markup, cp.workContent) if err != nil { cp.p.s.Log.Errorf("Failed to set user defined summary for page %q: %s", cp.p.pathOrTitle(), err) } else { cp.workContent = content cp.summary = helpers.BytesToHTML(summary) } } } else if cp.p.m.summary != "" { b, err := cp.renderContent([]byte(cp.p.m.summary), false) if err != nil { return err } html := cp.p.s.ContentSpec.TrimShortHTML(b.Bytes()) cp.summary = helpers.BytesToHTML(html) } cp.content = helpers.BytesToHTML(cp.workContent) return nil } // Recursive loops can only happen in content files with template code (shortcodes etc.) // Avoid creating new goroutines if we don't have to. needTimeout := p.shortcodeState.hasShortcodes() || cp.renderHooks != nil if needTimeout { cp.initMain = parent.BranchWithTimeout(p.s.siteCfg.timeout, func(ctx context.Context) (interface{}, error) { return nil, initContent() }) } else { cp.initMain = parent.Branch(func() (interface{}, error) { return nil, initContent() }) } cp.initPlain = cp.initMain.Branch(func() (interface{}, error) { cp.plain = helpers.StripHTML(string(cp.content)) cp.plainWords = strings.Fields(cp.plain) cp.setWordCounts(p.m.isCJKLanguage) if err := cp.setAutoSummary(); err != nil { return err, nil } return nil, nil }) return cp, nil } type renderHooks struct { hooks *hooks.Renderers init sync.Once } // pageContentOutput represents the Page content for a given output format. type pageContentOutput struct { f output.Format // If we can reuse this for other output formats. reuse bool reuseInit sync.Once p *pageState // Lazy load dependencies initMain *lazy.Init initPlain *lazy.Init placeholdersEnabled bool placeholdersEnabledInit sync.Once renderHooks *renderHooks // Set if there are more than one output format variant renderHooksHaveVariants bool // TODO(bep) reimplement this in another way, consolidate with shortcodes // Content state workContent []byte dependencyTracker identity.Manager // Set in server mode. // Temporary storage of placeholders mapped to their content. // These are shortcodes etc. Some of these will need to be replaced // after any markup is rendered, so they share a common prefix. contentPlaceholders map[string]string // Content sections content template.HTML summary template.HTML tableOfContents template.HTML truncated bool plainWords []string plain string fuzzyWordCount int wordCount int readingTime int } func (p *pageContentOutput) trackDependency(id identity.Provider) { if p.dependencyTracker != nil { p.dependencyTracker.Add(id) } } func (p *pageContentOutput) Reset() { if p.dependencyTracker != nil { p.dependencyTracker.Reset() } p.initMain.Reset() p.initPlain.Reset() p.renderHooks = &renderHooks{} } func (p *pageContentOutput) Content() (interface{}, error) { if p.p.s.initInit(p.initMain, p.p) { return p.content, nil } return nil, nil } func (p *pageContentOutput) FuzzyWordCount() int { p.p.s.initInit(p.initPlain, p.p) return p.fuzzyWordCount } func (p *pageContentOutput) Len() int { p.p.s.initInit(p.initMain, p.p) return len(p.content) } func (p *pageContentOutput) Plain() string { p.p.s.initInit(p.initPlain, p.p) return p.plain } func (p *pageContentOutput) PlainWords() []string { p.p.s.initInit(p.initPlain, p.p) return p.plainWords } func (p *pageContentOutput) ReadingTime() int { p.p.s.initInit(p.initPlain, p.p) return p.readingTime } func (p *pageContentOutput) Summary() template.HTML { p.p.s.initInit(p.initMain, p.p) if !p.p.source.hasSummaryDivider { p.p.s.initInit(p.initPlain, p.p) } return p.summary } func (p *pageContentOutput) TableOfContents() template.HTML { p.p.s.initInit(p.initMain, p.p) return p.tableOfContents } func (p *pageContentOutput) Truncated() bool { if p.p.truncated { return true } p.p.s.initInit(p.initPlain, p.p) return p.truncated } func (p *pageContentOutput) WordCount() int { p.p.s.initInit(p.initPlain, p.p) return p.wordCount } func (p *pageContentOutput) setAutoSummary() error { if p.p.source.hasSummaryDivider || p.p.m.summary != "" { return nil } var summary string var truncated bool if p.p.m.isCJKLanguage { summary, truncated = p.p.s.ContentSpec.TruncateWordsByRune(p.plainWords) } else { summary, truncated = p.p.s.ContentSpec.TruncateWordsToWholeSentence(p.plain) } p.summary = template.HTML(summary) p.truncated = truncated return nil } func (cp *pageContentOutput) renderContent(content []byte, renderTOC bool) (converter.Result, error) { c := cp.p.getContentConverter() return cp.renderContentWithConverter(c, content, renderTOC) } func (cp *pageContentOutput) renderContentWithConverter(c converter.Converter, content []byte, renderTOC bool) (converter.Result, error) { r, err := c.Convert( converter.RenderContext{ Src: content, RenderTOC: renderTOC, RenderHooks: cp.renderHooks.hooks, }) if err == nil { if ids, ok := r.(identity.IdentitiesProvider); ok { for _, v := range ids.GetIdentities() { cp.trackDependency(v) } } } return r, err } func (p *pageContentOutput) setWordCounts(isCJKLanguage bool) { if isCJKLanguage { p.wordCount = 0 for _, word := range p.plainWords { runeCount := utf8.RuneCountInString(word) if len(word) == runeCount { p.wordCount++ } else { p.wordCount += runeCount } } } else { p.wordCount = helpers.TotalWords(p.plain) } // TODO(bep) is set in a test. Fix that. if p.fuzzyWordCount == 0 { p.fuzzyWordCount = (p.wordCount + 100) / 100 * 100 } if isCJKLanguage { p.readingTime = (p.wordCount + 500) / 501 } else { p.readingTime = (p.wordCount + 212) / 213 } } // A callback to signal that we have inserted a placeholder into the rendered // content. This avoids doing extra replacement work. func (p *pageContentOutput) enablePlaceholders() { p.placeholdersEnabledInit.Do(func() { p.placeholdersEnabled = true }) } func (p *pageContentOutput) enableReuse() { p.reuseInit.Do(func() { p.reuse = true }) } // these will be shifted out when rendering a given output format. type pagePerOutputProviders interface { targetPather page.PaginatorProvider resource.ResourceLinksProvider } type targetPather interface { targetPaths() page.TargetPaths } type targetPathsHolder struct { paths page.TargetPaths page.OutputFormat } func (t targetPathsHolder) targetPaths() page.TargetPaths { return t.paths } func executeToString(h tpl.TemplateHandler, templ tpl.Template, data interface{}) (string, error) { b := bp.GetBuffer() defer bp.PutBuffer(b) if err := h.Execute(templ, b, data); err != nil { return "", err } return b.String(), nil } func splitUserDefinedSummaryAndContent(markup string, c []byte) (summary []byte, content []byte, err error) { defer func() { if r := recover(); r != nil { err = fmt.Errorf("summary split failed: %s", r) } }() startDivider := bytes.Index(c, internalSummaryDividerBaseBytes) if startDivider == -1 { return } startTag := "p" switch markup { case "asciidocext": startTag = "div" } // Walk back and forward to the surrounding tags. start := bytes.LastIndex(c[:startDivider], []byte("<"+startTag)) end := bytes.Index(c[startDivider:], []byte("</"+startTag)) if start == -1 { start = startDivider } else { start = startDivider - (startDivider - start) } if end == -1 { end = startDivider + len(internalSummaryDividerBase) } else { end = startDivider + end + len(startTag) + 3 } var addDiv bool switch markup { case "rst": addDiv = true } withoutDivider := append(c[:start], bytes.Trim(c[end:], "\n")...) if len(withoutDivider) > 0 { summary = bytes.TrimSpace(withoutDivider[:start]) } if addDiv { // For the rst summary = append(append([]byte(nil), summary...), []byte("</div>")...) } if err != nil { return } content = bytes.TrimSpace(withoutDivider) return }
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./docs/content/en/functions/path.Base.md
--- title: path.Base description: Base returns the last element of a path. godocref: date: 2018-11-28 publishdate: 2018-11-28 lastmod: 2018-11-28 categories: [functions] menu: docs: parent: "functions" keywords: [path, base] signature: ["path.Base PATH"] workson: [] hugoversion: "0.40" relatedfuncs: [path.Dir, path.Ext, path.Split] deprecated: false --- `path.Base` returns the last element of `PATH`. If `PATH` is empty, `.` is returned. **Note:** On Windows, `PATH` is converted to slash (`/`) separators. ``` {{ path.Base "a/news.html" }} → "news.html" {{ path.Base "news.html" }} → "news.html" {{ path.Base "a/b/c" }} → "c" {{ path.Base "/x/y/z/" }} → "z" ```
--- title: path.Base description: Base returns the last element of a path. godocref: date: 2018-11-28 publishdate: 2018-11-28 lastmod: 2018-11-28 categories: [functions] menu: docs: parent: "functions" keywords: [path, base] signature: ["path.Base PATH"] workson: [] hugoversion: "0.40" relatedfuncs: [path.Dir, path.Ext, path.Split] deprecated: false --- `path.Base` returns the last element of `PATH`. If `PATH` is empty, `.` is returned. **Note:** On Windows, `PATH` is converted to slash (`/`) separators. ``` {{ path.Base "a/news.html" }} → "news.html" {{ path.Base "news.html" }} → "news.html" {{ path.Base "a/b/c" }} → "c" {{ path.Base "/x/y/z/" }} → "z" ```
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./hugolib/page_permalink_test.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package hugolib import ( "fmt" "html/template" "path/filepath" "testing" qt "github.com/frankban/quicktest" "github.com/gohugoio/hugo/deps" ) func TestPermalink(t *testing.T) { t.Parallel() tests := []struct { file string base template.URL slug string url string uglyURLs bool canonifyURLs bool expectedAbs string expectedRel string }{ {"x/y/z/boofar.md", "", "", "", false, false, "/x/y/z/boofar/", "/x/y/z/boofar/"}, {"x/y/z/boofar.md", "", "", "", false, false, "/x/y/z/boofar/", "/x/y/z/boofar/"}, // Issue #1174 {"x/y/z/boofar.md", "http://gopher.com/", "", "", false, true, "http://gopher.com/x/y/z/boofar/", "/x/y/z/boofar/"}, {"x/y/z/boofar.md", "http://gopher.com/", "", "", true, true, "http://gopher.com/x/y/z/boofar.html", "/x/y/z/boofar.html"}, {"x/y/z/boofar.md", "", "boofar", "", false, false, "/x/y/z/boofar/", "/x/y/z/boofar/"}, {"x/y/z/boofar.md", "http://barnew/", "", "", false, false, "http://barnew/x/y/z/boofar/", "/x/y/z/boofar/"}, {"x/y/z/boofar.md", "http://barnew/", "boofar", "", false, false, "http://barnew/x/y/z/boofar/", "/x/y/z/boofar/"}, {"x/y/z/boofar.md", "", "", "", true, false, "/x/y/z/boofar.html", "/x/y/z/boofar.html"}, {"x/y/z/boofar.md", "", "", "", true, false, "/x/y/z/boofar.html", "/x/y/z/boofar.html"}, {"x/y/z/boofar.md", "", "boofar", "", true, false, "/x/y/z/boofar.html", "/x/y/z/boofar.html"}, {"x/y/z/boofar.md", "http://barnew/", "", "", true, false, "http://barnew/x/y/z/boofar.html", "/x/y/z/boofar.html"}, {"x/y/z/boofar.md", "http://barnew/", "boofar", "", true, false, "http://barnew/x/y/z/boofar.html", "/x/y/z/boofar.html"}, {"x/y/z/boofar.md", "http://barnew/boo/", "booslug", "", true, false, "http://barnew/boo/x/y/z/booslug.html", "/boo/x/y/z/booslug.html"}, {"x/y/z/boofar.md", "http://barnew/boo/", "booslug", "", false, true, "http://barnew/boo/x/y/z/booslug/", "/x/y/z/booslug/"}, {"x/y/z/boofar.md", "http://barnew/boo/", "booslug", "", false, false, "http://barnew/boo/x/y/z/booslug/", "/boo/x/y/z/booslug/"}, {"x/y/z/boofar.md", "http://barnew/boo/", "booslug", "", true, true, "http://barnew/boo/x/y/z/booslug.html", "/x/y/z/booslug.html"}, {"x/y/z/boofar.md", "http://barnew/boo", "booslug", "", true, true, "http://barnew/boo/x/y/z/booslug.html", "/x/y/z/booslug.html"}, // Issue #4666 {"x/y/z/boo-makeindex.md", "http://barnew/boo", "", "", true, true, "http://barnew/boo/x/y/z/boo-makeindex.html", "/x/y/z/boo-makeindex.html"}, // test URL overrides {"x/y/z/boofar.md", "", "", "/z/y/q/", false, false, "/z/y/q/", "/z/y/q/"}, } for i, test := range tests { test := test t.Run(fmt.Sprintf("%s-%d", test.file, i), func(t *testing.T) { t.Parallel() c := qt.New(t) cfg, fs := newTestCfg() cfg.Set("uglyURLs", test.uglyURLs) cfg.Set("canonifyURLs", test.canonifyURLs) cfg.Set("baseURL", test.base) pageContent := fmt.Sprintf(`--- title: Page slug: %q url: %q output: ["HTML"] --- Content `, test.slug, test.url) writeSource(t, fs, filepath.Join("content", filepath.FromSlash(test.file)), pageContent) s := buildSingleSite(t, deps.DepsCfg{Fs: fs, Cfg: cfg}, BuildCfg{SkipRender: true}) c.Assert(len(s.RegularPages()), qt.Equals, 1) p := s.RegularPages()[0] u := p.Permalink() expected := test.expectedAbs if u != expected { t.Fatalf("[%d] Expected abs url: %s, got: %s", i, expected, u) } u = p.RelPermalink() expected = test.expectedRel if u != expected { t.Errorf("[%d] Expected rel url: %s, got: %s", i, expected, u) } }) } } func TestRelativeURLInFrontMatter(t *testing.T) { config := ` baseURL = "https://example.com" defaultContentLanguage = "en" defaultContentLanguageInSubdir = false [Languages] [Languages.en] weight = 10 contentDir = "content/en" [Languages.nn] weight = 20 contentDir = "content/nn" ` pageTempl := `--- title: "A page" url: %q --- Some content. ` b := newTestSitesBuilder(t).WithConfigFile("toml", config) b.WithContent("content/en/blog/page1.md", fmt.Sprintf(pageTempl, "myblog/p1/")) b.WithContent("content/en/blog/page2.md", fmt.Sprintf(pageTempl, "../../../../../myblog/p2/")) b.WithContent("content/en/blog/page3.md", fmt.Sprintf(pageTempl, "../myblog/../myblog/p3/")) b.WithContent("content/en/blog/_index.md", fmt.Sprintf(pageTempl, "this-is-my-english-blog")) b.WithContent("content/nn/blog/page1.md", fmt.Sprintf(pageTempl, "myblog/p1/")) b.WithContent("content/nn/blog/_index.md", fmt.Sprintf(pageTempl, "this-is-my-blog")) b.Build(BuildCfg{}) b.AssertFileContent("public/nn/myblog/p1/index.html", "Single: A page|Hello|nn|RelPermalink: /nn/myblog/p1/|") b.AssertFileContent("public/nn/this-is-my-blog/index.html", "List Page 1|A page|Hello|https://example.com/nn/this-is-my-blog/|") b.AssertFileContent("public/this-is-my-english-blog/index.html", "List Page 1|A page|Hello|https://example.com/this-is-my-english-blog/|") b.AssertFileContent("public/myblog/p1/index.html", "Single: A page|Hello|en|RelPermalink: /myblog/p1/|Permalink: https://example.com/myblog/p1/|") b.AssertFileContent("public/myblog/p2/index.html", "Single: A page|Hello|en|RelPermalink: /myblog/p2/|Permalink: https://example.com/myblog/p2/|") b.AssertFileContent("public/myblog/p3/index.html", "Single: A page|Hello|en|RelPermalink: /myblog/p3/|Permalink: https://example.com/myblog/p3/|") }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package hugolib import ( "fmt" "html/template" "path/filepath" "testing" qt "github.com/frankban/quicktest" "github.com/gohugoio/hugo/deps" ) func TestPermalink(t *testing.T) { t.Parallel() tests := []struct { file string base template.URL slug string url string uglyURLs bool canonifyURLs bool expectedAbs string expectedRel string }{ {"x/y/z/boofar.md", "", "", "", false, false, "/x/y/z/boofar/", "/x/y/z/boofar/"}, {"x/y/z/boofar.md", "", "", "", false, false, "/x/y/z/boofar/", "/x/y/z/boofar/"}, // Issue #1174 {"x/y/z/boofar.md", "http://gopher.com/", "", "", false, true, "http://gopher.com/x/y/z/boofar/", "/x/y/z/boofar/"}, {"x/y/z/boofar.md", "http://gopher.com/", "", "", true, true, "http://gopher.com/x/y/z/boofar.html", "/x/y/z/boofar.html"}, {"x/y/z/boofar.md", "", "boofar", "", false, false, "/x/y/z/boofar/", "/x/y/z/boofar/"}, {"x/y/z/boofar.md", "http://barnew/", "", "", false, false, "http://barnew/x/y/z/boofar/", "/x/y/z/boofar/"}, {"x/y/z/boofar.md", "http://barnew/", "boofar", "", false, false, "http://barnew/x/y/z/boofar/", "/x/y/z/boofar/"}, {"x/y/z/boofar.md", "", "", "", true, false, "/x/y/z/boofar.html", "/x/y/z/boofar.html"}, {"x/y/z/boofar.md", "", "", "", true, false, "/x/y/z/boofar.html", "/x/y/z/boofar.html"}, {"x/y/z/boofar.md", "", "boofar", "", true, false, "/x/y/z/boofar.html", "/x/y/z/boofar.html"}, {"x/y/z/boofar.md", "http://barnew/", "", "", true, false, "http://barnew/x/y/z/boofar.html", "/x/y/z/boofar.html"}, {"x/y/z/boofar.md", "http://barnew/", "boofar", "", true, false, "http://barnew/x/y/z/boofar.html", "/x/y/z/boofar.html"}, {"x/y/z/boofar.md", "http://barnew/boo/", "booslug", "", true, false, "http://barnew/boo/x/y/z/booslug.html", "/boo/x/y/z/booslug.html"}, {"x/y/z/boofar.md", "http://barnew/boo/", "booslug", "", false, true, "http://barnew/boo/x/y/z/booslug/", "/x/y/z/booslug/"}, {"x/y/z/boofar.md", "http://barnew/boo/", "booslug", "", false, false, "http://barnew/boo/x/y/z/booslug/", "/boo/x/y/z/booslug/"}, {"x/y/z/boofar.md", "http://barnew/boo/", "booslug", "", true, true, "http://barnew/boo/x/y/z/booslug.html", "/x/y/z/booslug.html"}, {"x/y/z/boofar.md", "http://barnew/boo", "booslug", "", true, true, "http://barnew/boo/x/y/z/booslug.html", "/x/y/z/booslug.html"}, // Issue #4666 {"x/y/z/boo-makeindex.md", "http://barnew/boo", "", "", true, true, "http://barnew/boo/x/y/z/boo-makeindex.html", "/x/y/z/boo-makeindex.html"}, // test URL overrides {"x/y/z/boofar.md", "", "", "/z/y/q/", false, false, "/z/y/q/", "/z/y/q/"}, } for i, test := range tests { test := test t.Run(fmt.Sprintf("%s-%d", test.file, i), func(t *testing.T) { t.Parallel() c := qt.New(t) cfg, fs := newTestCfg() cfg.Set("uglyURLs", test.uglyURLs) cfg.Set("canonifyURLs", test.canonifyURLs) cfg.Set("baseURL", test.base) pageContent := fmt.Sprintf(`--- title: Page slug: %q url: %q output: ["HTML"] --- Content `, test.slug, test.url) writeSource(t, fs, filepath.Join("content", filepath.FromSlash(test.file)), pageContent) s := buildSingleSite(t, deps.DepsCfg{Fs: fs, Cfg: cfg}, BuildCfg{SkipRender: true}) c.Assert(len(s.RegularPages()), qt.Equals, 1) p := s.RegularPages()[0] u := p.Permalink() expected := test.expectedAbs if u != expected { t.Fatalf("[%d] Expected abs url: %s, got: %s", i, expected, u) } u = p.RelPermalink() expected = test.expectedRel if u != expected { t.Errorf("[%d] Expected rel url: %s, got: %s", i, expected, u) } }) } } func TestRelativeURLInFrontMatter(t *testing.T) { config := ` baseURL = "https://example.com" defaultContentLanguage = "en" defaultContentLanguageInSubdir = false [Languages] [Languages.en] weight = 10 contentDir = "content/en" [Languages.nn] weight = 20 contentDir = "content/nn" ` pageTempl := `--- title: "A page" url: %q --- Some content. ` b := newTestSitesBuilder(t).WithConfigFile("toml", config) b.WithContent("content/en/blog/page1.md", fmt.Sprintf(pageTempl, "myblog/p1/")) b.WithContent("content/en/blog/page2.md", fmt.Sprintf(pageTempl, "../../../../../myblog/p2/")) b.WithContent("content/en/blog/page3.md", fmt.Sprintf(pageTempl, "../myblog/../myblog/p3/")) b.WithContent("content/en/blog/_index.md", fmt.Sprintf(pageTempl, "this-is-my-english-blog")) b.WithContent("content/nn/blog/page1.md", fmt.Sprintf(pageTempl, "myblog/p1/")) b.WithContent("content/nn/blog/_index.md", fmt.Sprintf(pageTempl, "this-is-my-blog")) b.Build(BuildCfg{}) b.AssertFileContent("public/nn/myblog/p1/index.html", "Single: A page|Hello|nn|RelPermalink: /nn/myblog/p1/|") b.AssertFileContent("public/nn/this-is-my-blog/index.html", "List Page 1|A page|Hello|https://example.com/nn/this-is-my-blog/|") b.AssertFileContent("public/this-is-my-english-blog/index.html", "List Page 1|A page|Hello|https://example.com/this-is-my-english-blog/|") b.AssertFileContent("public/myblog/p1/index.html", "Single: A page|Hello|en|RelPermalink: /myblog/p1/|Permalink: https://example.com/myblog/p1/|") b.AssertFileContent("public/myblog/p2/index.html", "Single: A page|Hello|en|RelPermalink: /myblog/p2/|Permalink: https://example.com/myblog/p2/|") b.AssertFileContent("public/myblog/p3/index.html", "Single: A page|Hello|en|RelPermalink: /myblog/p3/|Permalink: https://example.com/myblog/p3/|") }
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./parser/metadecoders/format_test.go
// Copyright 2018 The Hugo Authors. All rights reserved. // // 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. package metadecoders import ( "testing" "github.com/gohugoio/hugo/media" qt "github.com/frankban/quicktest" ) func TestFormatFromString(t *testing.T) { c := qt.New(t) for _, test := range []struct { s string expect Format }{ {"json", JSON}, {"yaml", YAML}, {"yml", YAML}, {"toml", TOML}, {"config.toml", TOML}, {"tOMl", TOML}, {"org", ORG}, {"foo", ""}, } { c.Assert(FormatFromString(test.s), qt.Equals, test.expect) } } func TestFormatFromMediaType(t *testing.T) { c := qt.New(t) for _, test := range []struct { m media.Type expect Format }{ {media.JSONType, JSON}, {media.YAMLType, YAML}, {media.TOMLType, TOML}, {media.CalendarType, ""}, } { c.Assert(FormatFromMediaType(test.m), qt.Equals, test.expect) } } func TestFormatFromContentString(t *testing.T) { t.Parallel() c := qt.New(t) for i, test := range []struct { data string expect interface{} }{ {`foo = "bar"`, TOML}, {` foo = "bar"`, TOML}, {`foo="bar"`, TOML}, {`foo: "bar"`, YAML}, {`foo:"bar"`, YAML}, {`{ "foo": "bar"`, JSON}, {`a,b,c"`, CSV}, {`asdfasdf`, Format("")}, {``, Format("")}, } { errMsg := qt.Commentf("[%d] %s", i, test.data) result := Default.FormatFromContentString(test.data) c.Assert(result, qt.Equals, test.expect, errMsg) } }
// Copyright 2018 The Hugo Authors. All rights reserved. // // 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. package metadecoders import ( "testing" "github.com/gohugoio/hugo/media" qt "github.com/frankban/quicktest" ) func TestFormatFromString(t *testing.T) { c := qt.New(t) for _, test := range []struct { s string expect Format }{ {"json", JSON}, {"yaml", YAML}, {"yml", YAML}, {"toml", TOML}, {"config.toml", TOML}, {"tOMl", TOML}, {"org", ORG}, {"foo", ""}, } { c.Assert(FormatFromString(test.s), qt.Equals, test.expect) } } func TestFormatFromMediaType(t *testing.T) { c := qt.New(t) for _, test := range []struct { m media.Type expect Format }{ {media.JSONType, JSON}, {media.YAMLType, YAML}, {media.TOMLType, TOML}, {media.CalendarType, ""}, } { c.Assert(FormatFromMediaType(test.m), qt.Equals, test.expect) } } func TestFormatFromContentString(t *testing.T) { t.Parallel() c := qt.New(t) for i, test := range []struct { data string expect interface{} }{ {`foo = "bar"`, TOML}, {` foo = "bar"`, TOML}, {`foo="bar"`, TOML}, {`foo: "bar"`, YAML}, {`foo:"bar"`, YAML}, {`{ "foo": "bar"`, JSON}, {`a,b,c"`, CSV}, {`asdfasdf`, Format("")}, {``, Format("")}, } { errMsg := qt.Commentf("[%d] %s", i, test.data) result := Default.FormatFromContentString(test.data) c.Assert(result, qt.Equals, test.expect, errMsg) } }
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./hugolib/pages_process.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package hugolib import ( "context" "fmt" "path/filepath" "github.com/gohugoio/hugo/config" "github.com/gohugoio/hugo/source" "github.com/gohugoio/hugo/hugofs/files" "github.com/pkg/errors" "golang.org/x/sync/errgroup" "github.com/gohugoio/hugo/common/herrors" "github.com/gohugoio/hugo/hugofs" ) func newPagesProcessor(h *HugoSites, sp *source.SourceSpec) *pagesProcessor { procs := make(map[string]pagesCollectorProcessorProvider) for _, s := range h.Sites { procs[s.Lang()] = &sitePagesProcessor{ m: s.pageMap, errorSender: s.h, itemChan: make(chan interface{}, config.GetNumWorkerMultiplier()*2), } } return &pagesProcessor{ procs: procs, } } type pagesCollectorProcessorProvider interface { Process(item interface{}) error Start(ctx context.Context) context.Context Wait() error } type pagesProcessor struct { // Per language/Site procs map[string]pagesCollectorProcessorProvider } func (proc *pagesProcessor) Process(item interface{}) error { switch v := item.(type) { // Page bundles mapped to their language. case pageBundles: for _, vv := range v { proc.getProcFromFi(vv.header).Process(vv) } case hugofs.FileMetaInfo: proc.getProcFromFi(v).Process(v) default: panic(fmt.Sprintf("unrecognized item type in Process: %T", item)) } return nil } func (proc *pagesProcessor) Start(ctx context.Context) context.Context { for _, p := range proc.procs { ctx = p.Start(ctx) } return ctx } func (proc *pagesProcessor) Wait() error { var err error for _, p := range proc.procs { if e := p.Wait(); e != nil { err = e } } return err } func (proc *pagesProcessor) getProcFromFi(fi hugofs.FileMetaInfo) pagesCollectorProcessorProvider { if p, found := proc.procs[fi.Meta().Lang()]; found { return p } return defaultPageProcessor } type nopPageProcessor int func (nopPageProcessor) Process(item interface{}) error { return nil } func (nopPageProcessor) Start(ctx context.Context) context.Context { return context.Background() } func (nopPageProcessor) Wait() error { return nil } var defaultPageProcessor = new(nopPageProcessor) type sitePagesProcessor struct { m *pageMap errorSender herrors.ErrorSender itemChan chan interface{} itemGroup *errgroup.Group } func (p *sitePagesProcessor) Process(item interface{}) error { p.itemChan <- item return nil } func (p *sitePagesProcessor) Start(ctx context.Context) context.Context { p.itemGroup, ctx = errgroup.WithContext(ctx) p.itemGroup.Go(func() error { for item := range p.itemChan { if err := p.doProcess(item); err != nil { return err } } return nil }) return ctx } func (p *sitePagesProcessor) Wait() error { close(p.itemChan) return p.itemGroup.Wait() } func (p *sitePagesProcessor) copyFile(fim hugofs.FileMetaInfo) error { meta := fim.Meta() f, err := meta.Open() if err != nil { return errors.Wrap(err, "copyFile: failed to open") } s := p.m.s target := filepath.Join(s.PathSpec.GetTargetLanguageBasePath(), meta.Path()) defer f.Close() return s.publish(&s.PathSpec.ProcessingStats.Files, target, f) } func (p *sitePagesProcessor) doProcess(item interface{}) error { m := p.m switch v := item.(type) { case *fileinfoBundle: if err := m.AddFilesBundle(v.header, v.resources...); err != nil { return err } case hugofs.FileMetaInfo: if p.shouldSkip(v) { return nil } meta := v.Meta() classifier := meta.Classifier() switch classifier { case files.ContentClassContent: if err := m.AddFilesBundle(v); err != nil { return err } case files.ContentClassFile: if err := p.copyFile(v); err != nil { return err } default: panic(fmt.Sprintf("invalid classifier: %q", classifier)) } default: panic(fmt.Sprintf("unrecognized item type in Process: %T", item)) } return nil } func (p *sitePagesProcessor) shouldSkip(fim hugofs.FileMetaInfo) bool { // TODO(ep) unify return p.m.s.SourceSpec.DisabledLanguages[fim.Meta().Lang()] }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package hugolib import ( "context" "fmt" "path/filepath" "github.com/gohugoio/hugo/config" "github.com/gohugoio/hugo/source" "github.com/gohugoio/hugo/hugofs/files" "github.com/pkg/errors" "golang.org/x/sync/errgroup" "github.com/gohugoio/hugo/common/herrors" "github.com/gohugoio/hugo/hugofs" ) func newPagesProcessor(h *HugoSites, sp *source.SourceSpec) *pagesProcessor { procs := make(map[string]pagesCollectorProcessorProvider) for _, s := range h.Sites { procs[s.Lang()] = &sitePagesProcessor{ m: s.pageMap, errorSender: s.h, itemChan: make(chan interface{}, config.GetNumWorkerMultiplier()*2), } } return &pagesProcessor{ procs: procs, } } type pagesCollectorProcessorProvider interface { Process(item interface{}) error Start(ctx context.Context) context.Context Wait() error } type pagesProcessor struct { // Per language/Site procs map[string]pagesCollectorProcessorProvider } func (proc *pagesProcessor) Process(item interface{}) error { switch v := item.(type) { // Page bundles mapped to their language. case pageBundles: for _, vv := range v { proc.getProcFromFi(vv.header).Process(vv) } case hugofs.FileMetaInfo: proc.getProcFromFi(v).Process(v) default: panic(fmt.Sprintf("unrecognized item type in Process: %T", item)) } return nil } func (proc *pagesProcessor) Start(ctx context.Context) context.Context { for _, p := range proc.procs { ctx = p.Start(ctx) } return ctx } func (proc *pagesProcessor) Wait() error { var err error for _, p := range proc.procs { if e := p.Wait(); e != nil { err = e } } return err } func (proc *pagesProcessor) getProcFromFi(fi hugofs.FileMetaInfo) pagesCollectorProcessorProvider { if p, found := proc.procs[fi.Meta().Lang()]; found { return p } return defaultPageProcessor } type nopPageProcessor int func (nopPageProcessor) Process(item interface{}) error { return nil } func (nopPageProcessor) Start(ctx context.Context) context.Context { return context.Background() } func (nopPageProcessor) Wait() error { return nil } var defaultPageProcessor = new(nopPageProcessor) type sitePagesProcessor struct { m *pageMap errorSender herrors.ErrorSender itemChan chan interface{} itemGroup *errgroup.Group } func (p *sitePagesProcessor) Process(item interface{}) error { p.itemChan <- item return nil } func (p *sitePagesProcessor) Start(ctx context.Context) context.Context { p.itemGroup, ctx = errgroup.WithContext(ctx) p.itemGroup.Go(func() error { for item := range p.itemChan { if err := p.doProcess(item); err != nil { return err } } return nil }) return ctx } func (p *sitePagesProcessor) Wait() error { close(p.itemChan) return p.itemGroup.Wait() } func (p *sitePagesProcessor) copyFile(fim hugofs.FileMetaInfo) error { meta := fim.Meta() f, err := meta.Open() if err != nil { return errors.Wrap(err, "copyFile: failed to open") } s := p.m.s target := filepath.Join(s.PathSpec.GetTargetLanguageBasePath(), meta.Path()) defer f.Close() return s.publish(&s.PathSpec.ProcessingStats.Files, target, f) } func (p *sitePagesProcessor) doProcess(item interface{}) error { m := p.m switch v := item.(type) { case *fileinfoBundle: if err := m.AddFilesBundle(v.header, v.resources...); err != nil { return err } case hugofs.FileMetaInfo: if p.shouldSkip(v) { return nil } meta := v.Meta() classifier := meta.Classifier() switch classifier { case files.ContentClassContent: if err := m.AddFilesBundle(v); err != nil { return err } case files.ContentClassFile: if err := p.copyFile(v); err != nil { return err } default: panic(fmt.Sprintf("invalid classifier: %q", classifier)) } default: panic(fmt.Sprintf("unrecognized item type in Process: %T", item)) } return nil } func (p *sitePagesProcessor) shouldSkip(fim hugofs.FileMetaInfo) bool { // TODO(ep) unify return p.m.s.SourceSpec.DisabledLanguages[fim.Meta().Lang()] }
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./examples/blog/content/post/another-post.md
+++ title = "Another Hugo Post" description = "Nothing special, but one post is boring." date = "2014-09-02" categories = [ "example", "configuration" ] tags = [ "example", "hugo", "toml" ] +++ TOML, YAML, JSON --- Oh my! ------------------------- One of the nifty Hugo features we should cover: flexible configuration and front matter formats! This entry has front matter in `toml`, unlike the last one which used `yaml`, and `json` is also available if that's your preference. <!--more--> The `toml` front matter used on this entry: ``` +++ title = "Another Hugo Post" description = "Nothing special, but one post is boring." date = "2014-09-02" categories = [ "example", "configuration" ] tags = [ "example", "hugo", "toml" ] +++ ``` This flexibility also extends to your site's global configuration file. You're free to use any format you prefer::simply name the file `config.yaml`, `config.toml` or `config.json`, and go on your merry way. JSON Example ------------ How would this entry's front matter look in `json`? That's easy enough to demonstrate: ``` { "title": "Another Hugo Post", "description": "Nothing special, but one post is boring.", "date": "2014-09-02", "categories": [ "example", "configuration" ], "tags": [ "example", "hugo", "toml" ], } ```
+++ title = "Another Hugo Post" description = "Nothing special, but one post is boring." date = "2014-09-02" categories = [ "example", "configuration" ] tags = [ "example", "hugo", "toml" ] +++ TOML, YAML, JSON --- Oh my! ------------------------- One of the nifty Hugo features we should cover: flexible configuration and front matter formats! This entry has front matter in `toml`, unlike the last one which used `yaml`, and `json` is also available if that's your preference. <!--more--> The `toml` front matter used on this entry: ``` +++ title = "Another Hugo Post" description = "Nothing special, but one post is boring." date = "2014-09-02" categories = [ "example", "configuration" ] tags = [ "example", "hugo", "toml" ] +++ ``` This flexibility also extends to your site's global configuration file. You're free to use any format you prefer::simply name the file `config.yaml`, `config.toml` or `config.json`, and go on your merry way. JSON Example ------------ How would this entry's front matter look in `json`? That's easy enough to demonstrate: ``` { "title": "Another Hugo Post", "description": "Nothing special, but one post is boring.", "date": "2014-09-02", "categories": [ "example", "configuration" ], "tags": [ "example", "hugo", "toml" ], } ```
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./docs/content/en/templates/template-debugging.md
--- title: Template Debugging # linktitle: Template Debugging description: You can use Go templates' `printf` function to debug your Hugo templates. These snippets provide a quick and easy visualization of the variables available to you in different contexts. godocref: https://golang.org/pkg/fmt/ date: 2017-02-01 publishdate: 2017-02-01 lastmod: 2017-02-01 categories: [templates] keywords: [debugging,troubleshooting] menu: docs: parent: "templates" weight: 180 weight: 180 sections_weight: 180 draft: false aliases: [] toc: false --- Here are some snippets you can add to your template to answer some common questions. These snippets use the `printf` function available in all Go templates. This function is an alias to the Go function, [fmt.Printf](https://golang.org/pkg/fmt/). ## What Variables are Available in this Context? You can use the template syntax, `$.`, to get the top-level template context from anywhere in your template. This will print out all the values under, `.Site`. ``` {{ printf "%#v" $.Site }} ``` This will print out the value of `.Permalink`: ``` {{ printf "%#v" .Permalink }} ``` This will print out a list of all the variables scoped to the current context (`.`, aka ["the dot"][tempintro]). ``` {{ printf "%#v" . }} ``` When developing a [homepage][], what does one of the pages you're looping through look like? ``` {{ range .Pages }} {{/* The context, ".", is now each one of the pages as it goes through the loop */}} {{ printf "%#v" . }} {{ end }} ``` ## Why Am I Showing No Defined Variables? Check that you are passing variables in the `partial` function: ``` {{ partial "header" }} ``` This example will render the header partial, but the header partial will not have access to any contextual variables. You need to pass variables explicitly. For example, note the addition of ["the dot"][tempintro]. ``` {{ partial "header" . }} ``` The dot (`.`) is considered fundamental to understanding Hugo templating. For more information, see [Introduction to Hugo Templating][tempintro]. [homepage]: /templates/homepage/ [tempintro]: /templates/introduction/
--- title: Template Debugging # linktitle: Template Debugging description: You can use Go templates' `printf` function to debug your Hugo templates. These snippets provide a quick and easy visualization of the variables available to you in different contexts. godocref: https://golang.org/pkg/fmt/ date: 2017-02-01 publishdate: 2017-02-01 lastmod: 2017-02-01 categories: [templates] keywords: [debugging,troubleshooting] menu: docs: parent: "templates" weight: 180 weight: 180 sections_weight: 180 draft: false aliases: [] toc: false --- Here are some snippets you can add to your template to answer some common questions. These snippets use the `printf` function available in all Go templates. This function is an alias to the Go function, [fmt.Printf](https://golang.org/pkg/fmt/). ## What Variables are Available in this Context? You can use the template syntax, `$.`, to get the top-level template context from anywhere in your template. This will print out all the values under, `.Site`. ``` {{ printf "%#v" $.Site }} ``` This will print out the value of `.Permalink`: ``` {{ printf "%#v" .Permalink }} ``` This will print out a list of all the variables scoped to the current context (`.`, aka ["the dot"][tempintro]). ``` {{ printf "%#v" . }} ``` When developing a [homepage][], what does one of the pages you're looping through look like? ``` {{ range .Pages }} {{/* The context, ".", is now each one of the pages as it goes through the loop */}} {{ printf "%#v" . }} {{ end }} ``` ## Why Am I Showing No Defined Variables? Check that you are passing variables in the `partial` function: ``` {{ partial "header" }} ``` This example will render the header partial, but the header partial will not have access to any contextual variables. You need to pass variables explicitly. For example, note the addition of ["the dot"][tempintro]. ``` {{ partial "header" . }} ``` The dot (`.`) is considered fundamental to understanding Hugo templating. For more information, see [Introduction to Hugo Templating][tempintro]. [homepage]: /templates/homepage/ [tempintro]: /templates/introduction/
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./tpl/tplimpl/template.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package tplimpl import ( "io" "os" "path/filepath" "reflect" "regexp" "strings" "sync" "time" "unicode" "unicode/utf8" "github.com/gohugoio/hugo/common/types" "github.com/gohugoio/hugo/helpers" "github.com/gohugoio/hugo/output" "github.com/gohugoio/hugo/deps" "github.com/spf13/afero" "github.com/gohugoio/hugo/common/herrors" "github.com/gohugoio/hugo/hugofs" "github.com/gohugoio/hugo/hugofs/files" "github.com/pkg/errors" "github.com/gohugoio/hugo/tpl/tplimpl/embedded" htmltemplate "github.com/gohugoio/hugo/tpl/internal/go_templates/htmltemplate" texttemplate "github.com/gohugoio/hugo/tpl/internal/go_templates/texttemplate" "github.com/gohugoio/hugo/identity" "github.com/gohugoio/hugo/tpl" ) const ( textTmplNamePrefix = "_text/" shortcodesPathPrefix = "shortcodes/" internalPathPrefix = "_internal/" baseFileBase = "baseof" ) // The identifiers may be truncated in the log, e.g. // "executing "main" at <$scaled.SRelPermalin...>: can't evaluate field SRelPermalink in type *resource.Image" var identifiersRe = regexp.MustCompile(`at \<(.*?)(\.{3})?\>:`) var embeddedTemplatesAliases = map[string][]string{ "shortcodes/twitter.html": {"shortcodes/tweet.html"}, } var ( _ tpl.TemplateManager = (*templateExec)(nil) _ tpl.TemplateHandler = (*templateExec)(nil) _ tpl.TemplateFuncGetter = (*templateExec)(nil) _ tpl.TemplateFinder = (*templateExec)(nil) _ tpl.Template = (*templateState)(nil) _ tpl.Info = (*templateState)(nil) ) var baseTemplateDefineRe = regexp.MustCompile(`^{{-?\s*define`) // needsBaseTemplate returns true if the first non-comment template block is a // define block. // If a base template does not exist, we will handle that when it's used. func needsBaseTemplate(templ string) bool { idx := -1 inComment := false for i := 0; i < len(templ); { if !inComment && strings.HasPrefix(templ[i:], "{{/*") { inComment = true i += 4 } else if inComment && strings.HasPrefix(templ[i:], "*/}}") { inComment = false i += 4 } else { r, size := utf8.DecodeRuneInString(templ[i:]) if !inComment { if strings.HasPrefix(templ[i:], "{{") { idx = i break } else if !unicode.IsSpace(r) { break } } i += size } } if idx == -1 { return false } return baseTemplateDefineRe.MatchString(templ[idx:]) } func newIdentity(name string) identity.Manager { return identity.NewManager(identity.NewPathIdentity(files.ComponentFolderLayouts, name)) } func newStandaloneTextTemplate(funcs map[string]interface{}) tpl.TemplateParseFinder { return &textTemplateWrapperWithLock{ RWMutex: &sync.RWMutex{}, Template: texttemplate.New("").Funcs(funcs), } } func newTemplateExec(d *deps.Deps) (*templateExec, error) { exec, funcs := newTemplateExecuter(d) funcMap := make(map[string]interface{}) for k, v := range funcs { funcMap[k] = v.Interface() } h := &templateHandler{ nameBaseTemplateName: make(map[string]string), transformNotFound: make(map[string]*templateState), identityNotFound: make(map[string][]identity.Manager), shortcodes: make(map[string]*shortcodeTemplates), templateInfo: make(map[string]tpl.Info), baseof: make(map[string]templateInfo), needsBaseof: make(map[string]templateInfo), main: newTemplateNamespace(funcMap), Deps: d, layoutHandler: output.NewLayoutHandler(), layoutsFs: d.BaseFs.Layouts.Fs, layoutTemplateCache: make(map[layoutCacheKey]tpl.Template), } if err := h.loadEmbedded(); err != nil { return nil, err } if err := h.loadTemplates(); err != nil { return nil, err } e := &templateExec{ d: d, executor: exec, funcs: funcs, templateHandler: h, } d.SetTmpl(e) d.SetTextTmpl(newStandaloneTextTemplate(funcMap)) if d.WithTemplate != nil { if err := d.WithTemplate(e); err != nil { return nil, err } } return e, nil } func newTemplateNamespace(funcs map[string]interface{}) *templateNamespace { return &templateNamespace{ prototypeHTML: htmltemplate.New("").Funcs(funcs), prototypeText: texttemplate.New("").Funcs(funcs), templateStateMap: &templateStateMap{ templates: make(map[string]*templateState), }, } } func newTemplateState(templ tpl.Template, info templateInfo) *templateState { return &templateState{ info: info, typ: info.resolveType(), Template: templ, Manager: newIdentity(info.name), parseInfo: tpl.DefaultParseInfo, } } type layoutCacheKey struct { d output.LayoutDescriptor f string } type templateExec struct { d *deps.Deps executor texttemplate.Executer funcs map[string]reflect.Value *templateHandler } func (t templateExec) Clone(d *deps.Deps) *templateExec { exec, funcs := newTemplateExecuter(d) t.executor = exec t.funcs = funcs t.d = d return &t } func (t *templateExec) Execute(templ tpl.Template, wr io.Writer, data interface{}) error { if rlocker, ok := templ.(types.RLocker); ok { rlocker.RLock() defer rlocker.RUnlock() } if t.Metrics != nil { defer t.Metrics.MeasureSince(templ.Name(), time.Now()) } execErr := t.executor.Execute(templ, wr, data) if execErr != nil { execErr = t.addFileContext(templ, execErr) } return execErr } func (t *templateExec) GetFunc(name string) (reflect.Value, bool) { v, found := t.funcs[name] return v, found } func (t *templateExec) MarkReady() error { var err error t.readyInit.Do(func() { // We only need the clones if base templates are in use. if len(t.needsBaseof) > 0 { err = t.main.createPrototypes() } }) return err } type templateHandler struct { main *templateNamespace needsBaseof map[string]templateInfo baseof map[string]templateInfo readyInit sync.Once // This is the filesystem to load the templates from. All the templates are // stored in the root of this filesystem. layoutsFs afero.Fs layoutHandler *output.LayoutHandler layoutTemplateCache map[layoutCacheKey]tpl.Template layoutTemplateCacheMu sync.RWMutex *deps.Deps // Used to get proper filenames in errors nameBaseTemplateName map[string]string // Holds name and source of template definitions not found during the first // AST transformation pass. transformNotFound map[string]*templateState // Holds identities of templates not found during first pass. identityNotFound map[string][]identity.Manager // shortcodes maps shortcode name to template variants // (language, output format etc.) of that shortcode. shortcodes map[string]*shortcodeTemplates // templateInfo maps template name to some additional information about that template. // Note that for shortcodes that same information is embedded in the // shortcodeTemplates type. templateInfo map[string]tpl.Info } // AddTemplate parses and adds a template to the collection. // Templates with name prefixed with "_text" will be handled as plain // text templates. func (t *templateHandler) AddTemplate(name, tpl string) error { templ, err := t.addTemplateTo(t.newTemplateInfo(name, tpl), t.main) if err == nil { t.applyTemplateTransformers(t.main, templ) } return err } func (t *templateHandler) Lookup(name string) (tpl.Template, bool) { templ, found := t.main.Lookup(name) if found { return templ, true } return nil, false } func (t *templateHandler) LookupLayout(d output.LayoutDescriptor, f output.Format) (tpl.Template, bool, error) { key := layoutCacheKey{d, f.Name} t.layoutTemplateCacheMu.RLock() if cacheVal, found := t.layoutTemplateCache[key]; found { t.layoutTemplateCacheMu.RUnlock() return cacheVal, true, nil } t.layoutTemplateCacheMu.RUnlock() t.layoutTemplateCacheMu.Lock() defer t.layoutTemplateCacheMu.Unlock() templ, found, err := t.findLayout(d, f) if err == nil && found { t.layoutTemplateCache[key] = templ return templ, true, nil } return nil, false, err } // This currently only applies to shortcodes and what we get here is the // shortcode name. func (t *templateHandler) LookupVariant(name string, variants tpl.TemplateVariants) (tpl.Template, bool, bool) { name = templateBaseName(templateShortcode, name) s, found := t.shortcodes[name] if !found { return nil, false, false } sv, found := s.fromVariants(variants) if !found { return nil, false, false } more := len(s.variants) > 1 return sv.ts, true, more } // LookupVariants returns all variants of name, nil if none found. func (t *templateHandler) LookupVariants(name string) []tpl.Template { name = templateBaseName(templateShortcode, name) s, found := t.shortcodes[name] if !found { return nil } variants := make([]tpl.Template, len(s.variants)) for i := 0; i < len(variants); i++ { variants[i] = s.variants[i].ts } return variants } func (t *templateHandler) HasTemplate(name string) bool { if _, found := t.baseof[name]; found { return true } if _, found := t.needsBaseof[name]; found { return true } _, found := t.Lookup(name) return found } func (t *templateHandler) findLayout(d output.LayoutDescriptor, f output.Format) (tpl.Template, bool, error) { layouts, _ := t.layoutHandler.For(d, f) for _, name := range layouts { templ, found := t.main.Lookup(name) if found { return templ, true, nil } overlay, found := t.needsBaseof[name] if !found { continue } d.Baseof = true baseLayouts, _ := t.layoutHandler.For(d, f) var base templateInfo found = false for _, l := range baseLayouts { base, found = t.baseof[l] if found { break } } templ, err := t.applyBaseTemplate(overlay, base) if err != nil { return nil, false, err } ts := newTemplateState(templ, overlay) if found { ts.baseInfo = base // Add the base identity to detect changes ts.Add(identity.NewPathIdentity(files.ComponentFolderLayouts, base.name)) } t.applyTemplateTransformers(t.main, ts) if err := t.extractPartials(ts.Template); err != nil { return nil, false, err } return ts, true, nil } return nil, false, nil } func (t *templateHandler) findTemplate(name string) *templateState { if templ, found := t.Lookup(name); found { return templ.(*templateState) } return nil } func (t *templateHandler) newTemplateInfo(name, tpl string) templateInfo { var isText bool name, isText = t.nameIsText(name) return templateInfo{ name: name, isText: isText, template: tpl, } } func (t *templateHandler) addFileContext(templ tpl.Template, inerr error) error { if strings.HasPrefix(templ.Name(), "_internal") { return inerr } ts, ok := templ.(*templateState) if !ok { return inerr } //lint:ignore ST1008 the error is the main result checkFilename := func(info templateInfo, inErr error) (error, bool) { if info.filename == "" { return inErr, false } lineMatcher := func(m herrors.LineMatcher) bool { if m.Position.LineNumber != m.LineNumber { return false } identifiers := t.extractIdentifiers(m.Error.Error()) for _, id := range identifiers { if strings.Contains(m.Line, id) { return true } } return false } f, err := t.layoutsFs.Open(info.filename) if err != nil { return inErr, false } defer f.Close() fe, ok := herrors.WithFileContext(inErr, info.realFilename, f, lineMatcher) if ok { return fe, true } return inErr, false } inerr = errors.Wrap(inerr, "execute of template failed") if err, ok := checkFilename(ts.info, inerr); ok { return err } err, _ := checkFilename(ts.baseInfo, inerr) return err } func (t *templateHandler) addShortcodeVariant(ts *templateState) { name := ts.Name() base := templateBaseName(templateShortcode, name) shortcodename, variants := templateNameAndVariants(base) templs, found := t.shortcodes[shortcodename] if !found { templs = &shortcodeTemplates{} t.shortcodes[shortcodename] = templs } sv := shortcodeVariant{variants: variants, ts: ts} i := templs.indexOf(variants) if i != -1 { // Only replace if it's an override of an internal template. if !isInternal(name) { templs.variants[i] = sv } } else { templs.variants = append(templs.variants, sv) } } func (t *templateHandler) addTemplateFile(name, path string) error { getTemplate := func(filename string) (templateInfo, error) { fs := t.Layouts.Fs b, err := afero.ReadFile(fs, filename) if err != nil { return templateInfo{filename: filename, fs: fs}, err } s := removeLeadingBOM(string(b)) realFilename := filename if fi, err := fs.Stat(filename); err == nil { if fim, ok := fi.(hugofs.FileMetaInfo); ok { realFilename = fim.Meta().Filename() } } var isText bool name, isText = t.nameIsText(name) return templateInfo{ name: name, isText: isText, template: s, filename: filename, realFilename: realFilename, fs: fs, }, nil } tinfo, err := getTemplate(path) if err != nil { return err } if isBaseTemplatePath(name) { // Store it for later. t.baseof[name] = tinfo return nil } needsBaseof := !t.noBaseNeeded(name) && needsBaseTemplate(tinfo.template) if needsBaseof { t.needsBaseof[name] = tinfo return nil } templ, err := t.addTemplateTo(tinfo, t.main) if err != nil { return tinfo.errWithFileContext("parse failed", err) } t.applyTemplateTransformers(t.main, templ) return nil } func (t *templateHandler) addTemplateTo(info templateInfo, to *templateNamespace) (*templateState, error) { return to.parse(info) } func (t *templateHandler) applyBaseTemplate(overlay, base templateInfo) (tpl.Template, error) { if overlay.isText { var ( templ = t.main.prototypeTextClone.New(overlay.name) err error ) if !base.IsZero() { templ, err = templ.Parse(base.template) if err != nil { return nil, base.errWithFileContext("parse failed", err) } } templ, err = texttemplate.Must(templ.Clone()).Parse(overlay.template) if err != nil { return nil, overlay.errWithFileContext("parse failed", err) } // The extra lookup is a workaround, see // * https://github.com/golang/go/issues/16101 // * https://github.com/gohugoio/hugo/issues/2549 // templ = templ.Lookup(templ.Name()) return templ, nil } var ( templ = t.main.prototypeHTMLClone.New(overlay.name) err error ) if !base.IsZero() { templ, err = templ.Parse(base.template) if err != nil { return nil, base.errWithFileContext("parse failed", err) } } templ, err = htmltemplate.Must(templ.Clone()).Parse(overlay.template) if err != nil { return nil, overlay.errWithFileContext("parse failed", err) } // The extra lookup is a workaround, see // * https://github.com/golang/go/issues/16101 // * https://github.com/gohugoio/hugo/issues/2549 templ = templ.Lookup(templ.Name()) return templ, err } func (t *templateHandler) applyTemplateTransformers(ns *templateNamespace, ts *templateState) (*templateContext, error) { c, err := applyTemplateTransformers(ts, ns.newTemplateLookup(ts)) if err != nil { return nil, err } for k := range c.templateNotFound { t.transformNotFound[k] = ts t.identityNotFound[k] = append(t.identityNotFound[k], c.t) } for k := range c.identityNotFound { t.identityNotFound[k] = append(t.identityNotFound[k], c.t) } return c, err } func (t *templateHandler) extractIdentifiers(line string) []string { m := identifiersRe.FindAllStringSubmatch(line, -1) identifiers := make([]string, len(m)) for i := 0; i < len(m); i++ { identifiers[i] = m[i][1] } return identifiers } func (t *templateHandler) loadEmbedded() error { for _, kv := range embedded.EmbeddedTemplates { name, templ := kv[0], kv[1] if err := t.AddTemplate(internalPathPrefix+name, templ); err != nil { return err } if aliases, found := embeddedTemplatesAliases[name]; found { // TODO(bep) avoid reparsing these aliases for _, alias := range aliases { alias = internalPathPrefix + alias if err := t.AddTemplate(alias, templ); err != nil { return err } } } } return nil } func (t *templateHandler) loadTemplates() error { walker := func(path string, fi hugofs.FileMetaInfo, err error) error { if err != nil || fi.IsDir() { return err } if isDotFile(path) || isBackupFile(path) { return nil } name := strings.TrimPrefix(filepath.ToSlash(path), "/") filename := filepath.Base(path) outputFormat, found := t.OutputFormatsConfig.FromFilename(filename) if found && outputFormat.IsPlainText { name = textTmplNamePrefix + name } if err := t.addTemplateFile(name, path); err != nil { return err } return nil } if err := helpers.SymbolicWalk(t.Layouts.Fs, "", walker); err != nil { if !os.IsNotExist(err) { return err } return nil } return nil } func (t *templateHandler) nameIsText(name string) (string, bool) { isText := strings.HasPrefix(name, textTmplNamePrefix) if isText { name = strings.TrimPrefix(name, textTmplNamePrefix) } return name, isText } func (t *templateHandler) noBaseNeeded(name string) bool { if strings.HasPrefix(name, "shortcodes/") || strings.HasPrefix(name, "partials/") { return true } return strings.Contains(name, "_markup/") } func (t *templateHandler) extractPartials(templ tpl.Template) error { templs := templates(templ) for _, templ := range templs { if templ.Name() == "" || !strings.HasPrefix(templ.Name(), "partials/") { continue } ts := newTemplateState(templ, templateInfo{name: templ.Name()}) ts.typ = templatePartial t.main.mu.RLock() _, found := t.main.templates[templ.Name()] t.main.mu.RUnlock() if !found { t.main.mu.Lock() // This is a template defined inline. _, err := applyTemplateTransformers(ts, t.main.newTemplateLookup(ts)) if err != nil { t.main.mu.Unlock() return err } t.main.templates[templ.Name()] = ts t.main.mu.Unlock() } } return nil } func (t *templateHandler) postTransform() error { defineCheckedHTML := false defineCheckedText := false for _, v := range t.main.templates { if v.typ == templateShortcode { t.addShortcodeVariant(v) } if defineCheckedHTML && defineCheckedText { continue } isText := isText(v.Template) if isText { if defineCheckedText { continue } defineCheckedText = true } else { if defineCheckedHTML { continue } defineCheckedHTML = true } if err := t.extractPartials(v.Template); err != nil { return err } } for name, source := range t.transformNotFound { lookup := t.main.newTemplateLookup(source) templ := lookup(name) if templ != nil { _, err := applyTemplateTransformers(templ, lookup) if err != nil { return err } } } for k, v := range t.identityNotFound { ts := t.findTemplate(k) if ts != nil { for _, im := range v { im.Add(ts) } } } return nil } type templateNamespace struct { prototypeText *texttemplate.Template prototypeHTML *htmltemplate.Template prototypeTextClone *texttemplate.Template prototypeHTMLClone *htmltemplate.Template *templateStateMap } func (t templateNamespace) Clone() *templateNamespace { t.mu.Lock() defer t.mu.Unlock() t.templateStateMap = &templateStateMap{ templates: make(map[string]*templateState), } t.prototypeText = texttemplate.Must(t.prototypeText.Clone()) t.prototypeHTML = htmltemplate.Must(t.prototypeHTML.Clone()) return &t } func (t *templateNamespace) Lookup(name string) (tpl.Template, bool) { t.mu.RLock() defer t.mu.RUnlock() templ, found := t.templates[name] if !found { return nil, false } return templ, found } func (t *templateNamespace) createPrototypes() error { t.prototypeTextClone = texttemplate.Must(t.prototypeText.Clone()) t.prototypeHTMLClone = htmltemplate.Must(t.prototypeHTML.Clone()) return nil } func (t *templateNamespace) newTemplateLookup(in *templateState) func(name string) *templateState { return func(name string) *templateState { if templ, found := t.templates[name]; found { if templ.isText() != in.isText() { return nil } return templ } if templ, found := findTemplateIn(name, in); found { return newTemplateState(templ, templateInfo{name: templ.Name()}) } return nil } } func (t *templateNamespace) parse(info templateInfo) (*templateState, error) { t.mu.Lock() defer t.mu.Unlock() if info.isText { prototype := t.prototypeText templ, err := prototype.New(info.name).Parse(info.template) if err != nil { return nil, err } ts := newTemplateState(templ, info) t.templates[info.name] = ts return ts, nil } prototype := t.prototypeHTML templ, err := prototype.New(info.name).Parse(info.template) if err != nil { return nil, err } ts := newTemplateState(templ, info) t.templates[info.name] = ts return ts, nil } type templateState struct { tpl.Template typ templateType parseInfo tpl.ParseInfo identity.Manager info templateInfo baseInfo templateInfo // Set when a base template is used. } func (t *templateState) ParseInfo() tpl.ParseInfo { return t.parseInfo } func (t *templateState) isText() bool { return isText(t.Template) } func isText(templ tpl.Template) bool { _, isText := templ.(*texttemplate.Template) return isText } type templateStateMap struct { mu sync.RWMutex templates map[string]*templateState } type templateWrapperWithLock struct { *sync.RWMutex tpl.Template } type textTemplateWrapperWithLock struct { *sync.RWMutex *texttemplate.Template } func (t *textTemplateWrapperWithLock) Lookup(name string) (tpl.Template, bool) { t.RLock() templ := t.Template.Lookup(name) t.RUnlock() if templ == nil { return nil, false } return &textTemplateWrapperWithLock{ RWMutex: t.RWMutex, Template: templ, }, true } func (t *textTemplateWrapperWithLock) LookupVariant(name string, variants tpl.TemplateVariants) (tpl.Template, bool, bool) { panic("not supported") } func (t *textTemplateWrapperWithLock) LookupVariants(name string) []tpl.Template { panic("not supported") } func (t *textTemplateWrapperWithLock) Parse(name, tpl string) (tpl.Template, error) { t.Lock() defer t.Unlock() return t.Template.New(name).Parse(tpl) } func isBackupFile(path string) bool { return path[len(path)-1] == '~' } func isBaseTemplatePath(path string) bool { return strings.Contains(filepath.Base(path), baseFileBase) } func isDotFile(path string) bool { return filepath.Base(path)[0] == '.' } func removeLeadingBOM(s string) string { const bom = '\ufeff' for i, r := range s { if i == 0 && r != bom { return s } if i > 0 { return s[i:] } } return s } // resolves _internal/shortcodes/param.html => param.html etc. func templateBaseName(typ templateType, name string) string { name = strings.TrimPrefix(name, internalPathPrefix) switch typ { case templateShortcode: return strings.TrimPrefix(name, shortcodesPathPrefix) default: panic("not implemented") } } func unwrap(templ tpl.Template) tpl.Template { if ts, ok := templ.(*templateState); ok { return ts.Template } return templ } func templates(in tpl.Template) []tpl.Template { var templs []tpl.Template in = unwrap(in) if textt, ok := in.(*texttemplate.Template); ok { for _, t := range textt.Templates() { templs = append(templs, t) } } if htmlt, ok := in.(*htmltemplate.Template); ok { for _, t := range htmlt.Templates() { templs = append(templs, t) } } return templs }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package tplimpl import ( "io" "os" "path/filepath" "reflect" "regexp" "strings" "sync" "time" "unicode" "unicode/utf8" "github.com/gohugoio/hugo/common/types" "github.com/gohugoio/hugo/helpers" "github.com/gohugoio/hugo/output" "github.com/gohugoio/hugo/deps" "github.com/spf13/afero" "github.com/gohugoio/hugo/common/herrors" "github.com/gohugoio/hugo/hugofs" "github.com/gohugoio/hugo/hugofs/files" "github.com/pkg/errors" "github.com/gohugoio/hugo/tpl/tplimpl/embedded" htmltemplate "github.com/gohugoio/hugo/tpl/internal/go_templates/htmltemplate" texttemplate "github.com/gohugoio/hugo/tpl/internal/go_templates/texttemplate" "github.com/gohugoio/hugo/identity" "github.com/gohugoio/hugo/tpl" ) const ( textTmplNamePrefix = "_text/" shortcodesPathPrefix = "shortcodes/" internalPathPrefix = "_internal/" baseFileBase = "baseof" ) // The identifiers may be truncated in the log, e.g. // "executing "main" at <$scaled.SRelPermalin...>: can't evaluate field SRelPermalink in type *resource.Image" var identifiersRe = regexp.MustCompile(`at \<(.*?)(\.{3})?\>:`) var embeddedTemplatesAliases = map[string][]string{ "shortcodes/twitter.html": {"shortcodes/tweet.html"}, } var ( _ tpl.TemplateManager = (*templateExec)(nil) _ tpl.TemplateHandler = (*templateExec)(nil) _ tpl.TemplateFuncGetter = (*templateExec)(nil) _ tpl.TemplateFinder = (*templateExec)(nil) _ tpl.Template = (*templateState)(nil) _ tpl.Info = (*templateState)(nil) ) var baseTemplateDefineRe = regexp.MustCompile(`^{{-?\s*define`) // needsBaseTemplate returns true if the first non-comment template block is a // define block. // If a base template does not exist, we will handle that when it's used. func needsBaseTemplate(templ string) bool { idx := -1 inComment := false for i := 0; i < len(templ); { if !inComment && strings.HasPrefix(templ[i:], "{{/*") { inComment = true i += 4 } else if inComment && strings.HasPrefix(templ[i:], "*/}}") { inComment = false i += 4 } else { r, size := utf8.DecodeRuneInString(templ[i:]) if !inComment { if strings.HasPrefix(templ[i:], "{{") { idx = i break } else if !unicode.IsSpace(r) { break } } i += size } } if idx == -1 { return false } return baseTemplateDefineRe.MatchString(templ[idx:]) } func newIdentity(name string) identity.Manager { return identity.NewManager(identity.NewPathIdentity(files.ComponentFolderLayouts, name)) } func newStandaloneTextTemplate(funcs map[string]interface{}) tpl.TemplateParseFinder { return &textTemplateWrapperWithLock{ RWMutex: &sync.RWMutex{}, Template: texttemplate.New("").Funcs(funcs), } } func newTemplateExec(d *deps.Deps) (*templateExec, error) { exec, funcs := newTemplateExecuter(d) funcMap := make(map[string]interface{}) for k, v := range funcs { funcMap[k] = v.Interface() } h := &templateHandler{ nameBaseTemplateName: make(map[string]string), transformNotFound: make(map[string]*templateState), identityNotFound: make(map[string][]identity.Manager), shortcodes: make(map[string]*shortcodeTemplates), templateInfo: make(map[string]tpl.Info), baseof: make(map[string]templateInfo), needsBaseof: make(map[string]templateInfo), main: newTemplateNamespace(funcMap), Deps: d, layoutHandler: output.NewLayoutHandler(), layoutsFs: d.BaseFs.Layouts.Fs, layoutTemplateCache: make(map[layoutCacheKey]tpl.Template), } if err := h.loadEmbedded(); err != nil { return nil, err } if err := h.loadTemplates(); err != nil { return nil, err } e := &templateExec{ d: d, executor: exec, funcs: funcs, templateHandler: h, } d.SetTmpl(e) d.SetTextTmpl(newStandaloneTextTemplate(funcMap)) if d.WithTemplate != nil { if err := d.WithTemplate(e); err != nil { return nil, err } } return e, nil } func newTemplateNamespace(funcs map[string]interface{}) *templateNamespace { return &templateNamespace{ prototypeHTML: htmltemplate.New("").Funcs(funcs), prototypeText: texttemplate.New("").Funcs(funcs), templateStateMap: &templateStateMap{ templates: make(map[string]*templateState), }, } } func newTemplateState(templ tpl.Template, info templateInfo) *templateState { return &templateState{ info: info, typ: info.resolveType(), Template: templ, Manager: newIdentity(info.name), parseInfo: tpl.DefaultParseInfo, } } type layoutCacheKey struct { d output.LayoutDescriptor f string } type templateExec struct { d *deps.Deps executor texttemplate.Executer funcs map[string]reflect.Value *templateHandler } func (t templateExec) Clone(d *deps.Deps) *templateExec { exec, funcs := newTemplateExecuter(d) t.executor = exec t.funcs = funcs t.d = d return &t } func (t *templateExec) Execute(templ tpl.Template, wr io.Writer, data interface{}) error { if rlocker, ok := templ.(types.RLocker); ok { rlocker.RLock() defer rlocker.RUnlock() } if t.Metrics != nil { defer t.Metrics.MeasureSince(templ.Name(), time.Now()) } execErr := t.executor.Execute(templ, wr, data) if execErr != nil { execErr = t.addFileContext(templ, execErr) } return execErr } func (t *templateExec) GetFunc(name string) (reflect.Value, bool) { v, found := t.funcs[name] return v, found } func (t *templateExec) MarkReady() error { var err error t.readyInit.Do(func() { // We only need the clones if base templates are in use. if len(t.needsBaseof) > 0 { err = t.main.createPrototypes() } }) return err } type templateHandler struct { main *templateNamespace needsBaseof map[string]templateInfo baseof map[string]templateInfo readyInit sync.Once // This is the filesystem to load the templates from. All the templates are // stored in the root of this filesystem. layoutsFs afero.Fs layoutHandler *output.LayoutHandler layoutTemplateCache map[layoutCacheKey]tpl.Template layoutTemplateCacheMu sync.RWMutex *deps.Deps // Used to get proper filenames in errors nameBaseTemplateName map[string]string // Holds name and source of template definitions not found during the first // AST transformation pass. transformNotFound map[string]*templateState // Holds identities of templates not found during first pass. identityNotFound map[string][]identity.Manager // shortcodes maps shortcode name to template variants // (language, output format etc.) of that shortcode. shortcodes map[string]*shortcodeTemplates // templateInfo maps template name to some additional information about that template. // Note that for shortcodes that same information is embedded in the // shortcodeTemplates type. templateInfo map[string]tpl.Info } // AddTemplate parses and adds a template to the collection. // Templates with name prefixed with "_text" will be handled as plain // text templates. func (t *templateHandler) AddTemplate(name, tpl string) error { templ, err := t.addTemplateTo(t.newTemplateInfo(name, tpl), t.main) if err == nil { t.applyTemplateTransformers(t.main, templ) } return err } func (t *templateHandler) Lookup(name string) (tpl.Template, bool) { templ, found := t.main.Lookup(name) if found { return templ, true } return nil, false } func (t *templateHandler) LookupLayout(d output.LayoutDescriptor, f output.Format) (tpl.Template, bool, error) { key := layoutCacheKey{d, f.Name} t.layoutTemplateCacheMu.RLock() if cacheVal, found := t.layoutTemplateCache[key]; found { t.layoutTemplateCacheMu.RUnlock() return cacheVal, true, nil } t.layoutTemplateCacheMu.RUnlock() t.layoutTemplateCacheMu.Lock() defer t.layoutTemplateCacheMu.Unlock() templ, found, err := t.findLayout(d, f) if err == nil && found { t.layoutTemplateCache[key] = templ return templ, true, nil } return nil, false, err } // This currently only applies to shortcodes and what we get here is the // shortcode name. func (t *templateHandler) LookupVariant(name string, variants tpl.TemplateVariants) (tpl.Template, bool, bool) { name = templateBaseName(templateShortcode, name) s, found := t.shortcodes[name] if !found { return nil, false, false } sv, found := s.fromVariants(variants) if !found { return nil, false, false } more := len(s.variants) > 1 return sv.ts, true, more } // LookupVariants returns all variants of name, nil if none found. func (t *templateHandler) LookupVariants(name string) []tpl.Template { name = templateBaseName(templateShortcode, name) s, found := t.shortcodes[name] if !found { return nil } variants := make([]tpl.Template, len(s.variants)) for i := 0; i < len(variants); i++ { variants[i] = s.variants[i].ts } return variants } func (t *templateHandler) HasTemplate(name string) bool { if _, found := t.baseof[name]; found { return true } if _, found := t.needsBaseof[name]; found { return true } _, found := t.Lookup(name) return found } func (t *templateHandler) findLayout(d output.LayoutDescriptor, f output.Format) (tpl.Template, bool, error) { layouts, _ := t.layoutHandler.For(d, f) for _, name := range layouts { templ, found := t.main.Lookup(name) if found { return templ, true, nil } overlay, found := t.needsBaseof[name] if !found { continue } d.Baseof = true baseLayouts, _ := t.layoutHandler.For(d, f) var base templateInfo found = false for _, l := range baseLayouts { base, found = t.baseof[l] if found { break } } templ, err := t.applyBaseTemplate(overlay, base) if err != nil { return nil, false, err } ts := newTemplateState(templ, overlay) if found { ts.baseInfo = base // Add the base identity to detect changes ts.Add(identity.NewPathIdentity(files.ComponentFolderLayouts, base.name)) } t.applyTemplateTransformers(t.main, ts) if err := t.extractPartials(ts.Template); err != nil { return nil, false, err } return ts, true, nil } return nil, false, nil } func (t *templateHandler) findTemplate(name string) *templateState { if templ, found := t.Lookup(name); found { return templ.(*templateState) } return nil } func (t *templateHandler) newTemplateInfo(name, tpl string) templateInfo { var isText bool name, isText = t.nameIsText(name) return templateInfo{ name: name, isText: isText, template: tpl, } } func (t *templateHandler) addFileContext(templ tpl.Template, inerr error) error { if strings.HasPrefix(templ.Name(), "_internal") { return inerr } ts, ok := templ.(*templateState) if !ok { return inerr } //lint:ignore ST1008 the error is the main result checkFilename := func(info templateInfo, inErr error) (error, bool) { if info.filename == "" { return inErr, false } lineMatcher := func(m herrors.LineMatcher) bool { if m.Position.LineNumber != m.LineNumber { return false } identifiers := t.extractIdentifiers(m.Error.Error()) for _, id := range identifiers { if strings.Contains(m.Line, id) { return true } } return false } f, err := t.layoutsFs.Open(info.filename) if err != nil { return inErr, false } defer f.Close() fe, ok := herrors.WithFileContext(inErr, info.realFilename, f, lineMatcher) if ok { return fe, true } return inErr, false } inerr = errors.Wrap(inerr, "execute of template failed") if err, ok := checkFilename(ts.info, inerr); ok { return err } err, _ := checkFilename(ts.baseInfo, inerr) return err } func (t *templateHandler) addShortcodeVariant(ts *templateState) { name := ts.Name() base := templateBaseName(templateShortcode, name) shortcodename, variants := templateNameAndVariants(base) templs, found := t.shortcodes[shortcodename] if !found { templs = &shortcodeTemplates{} t.shortcodes[shortcodename] = templs } sv := shortcodeVariant{variants: variants, ts: ts} i := templs.indexOf(variants) if i != -1 { // Only replace if it's an override of an internal template. if !isInternal(name) { templs.variants[i] = sv } } else { templs.variants = append(templs.variants, sv) } } func (t *templateHandler) addTemplateFile(name, path string) error { getTemplate := func(filename string) (templateInfo, error) { fs := t.Layouts.Fs b, err := afero.ReadFile(fs, filename) if err != nil { return templateInfo{filename: filename, fs: fs}, err } s := removeLeadingBOM(string(b)) realFilename := filename if fi, err := fs.Stat(filename); err == nil { if fim, ok := fi.(hugofs.FileMetaInfo); ok { realFilename = fim.Meta().Filename() } } var isText bool name, isText = t.nameIsText(name) return templateInfo{ name: name, isText: isText, template: s, filename: filename, realFilename: realFilename, fs: fs, }, nil } tinfo, err := getTemplate(path) if err != nil { return err } if isBaseTemplatePath(name) { // Store it for later. t.baseof[name] = tinfo return nil } needsBaseof := !t.noBaseNeeded(name) && needsBaseTemplate(tinfo.template) if needsBaseof { t.needsBaseof[name] = tinfo return nil } templ, err := t.addTemplateTo(tinfo, t.main) if err != nil { return tinfo.errWithFileContext("parse failed", err) } t.applyTemplateTransformers(t.main, templ) return nil } func (t *templateHandler) addTemplateTo(info templateInfo, to *templateNamespace) (*templateState, error) { return to.parse(info) } func (t *templateHandler) applyBaseTemplate(overlay, base templateInfo) (tpl.Template, error) { if overlay.isText { var ( templ = t.main.prototypeTextClone.New(overlay.name) err error ) if !base.IsZero() { templ, err = templ.Parse(base.template) if err != nil { return nil, base.errWithFileContext("parse failed", err) } } templ, err = texttemplate.Must(templ.Clone()).Parse(overlay.template) if err != nil { return nil, overlay.errWithFileContext("parse failed", err) } // The extra lookup is a workaround, see // * https://github.com/golang/go/issues/16101 // * https://github.com/gohugoio/hugo/issues/2549 // templ = templ.Lookup(templ.Name()) return templ, nil } var ( templ = t.main.prototypeHTMLClone.New(overlay.name) err error ) if !base.IsZero() { templ, err = templ.Parse(base.template) if err != nil { return nil, base.errWithFileContext("parse failed", err) } } templ, err = htmltemplate.Must(templ.Clone()).Parse(overlay.template) if err != nil { return nil, overlay.errWithFileContext("parse failed", err) } // The extra lookup is a workaround, see // * https://github.com/golang/go/issues/16101 // * https://github.com/gohugoio/hugo/issues/2549 templ = templ.Lookup(templ.Name()) return templ, err } func (t *templateHandler) applyTemplateTransformers(ns *templateNamespace, ts *templateState) (*templateContext, error) { c, err := applyTemplateTransformers(ts, ns.newTemplateLookup(ts)) if err != nil { return nil, err } for k := range c.templateNotFound { t.transformNotFound[k] = ts t.identityNotFound[k] = append(t.identityNotFound[k], c.t) } for k := range c.identityNotFound { t.identityNotFound[k] = append(t.identityNotFound[k], c.t) } return c, err } func (t *templateHandler) extractIdentifiers(line string) []string { m := identifiersRe.FindAllStringSubmatch(line, -1) identifiers := make([]string, len(m)) for i := 0; i < len(m); i++ { identifiers[i] = m[i][1] } return identifiers } func (t *templateHandler) loadEmbedded() error { for _, kv := range embedded.EmbeddedTemplates { name, templ := kv[0], kv[1] if err := t.AddTemplate(internalPathPrefix+name, templ); err != nil { return err } if aliases, found := embeddedTemplatesAliases[name]; found { // TODO(bep) avoid reparsing these aliases for _, alias := range aliases { alias = internalPathPrefix + alias if err := t.AddTemplate(alias, templ); err != nil { return err } } } } return nil } func (t *templateHandler) loadTemplates() error { walker := func(path string, fi hugofs.FileMetaInfo, err error) error { if err != nil || fi.IsDir() { return err } if isDotFile(path) || isBackupFile(path) { return nil } name := strings.TrimPrefix(filepath.ToSlash(path), "/") filename := filepath.Base(path) outputFormat, found := t.OutputFormatsConfig.FromFilename(filename) if found && outputFormat.IsPlainText { name = textTmplNamePrefix + name } if err := t.addTemplateFile(name, path); err != nil { return err } return nil } if err := helpers.SymbolicWalk(t.Layouts.Fs, "", walker); err != nil { if !os.IsNotExist(err) { return err } return nil } return nil } func (t *templateHandler) nameIsText(name string) (string, bool) { isText := strings.HasPrefix(name, textTmplNamePrefix) if isText { name = strings.TrimPrefix(name, textTmplNamePrefix) } return name, isText } func (t *templateHandler) noBaseNeeded(name string) bool { if strings.HasPrefix(name, "shortcodes/") || strings.HasPrefix(name, "partials/") { return true } return strings.Contains(name, "_markup/") } func (t *templateHandler) extractPartials(templ tpl.Template) error { templs := templates(templ) for _, templ := range templs { if templ.Name() == "" || !strings.HasPrefix(templ.Name(), "partials/") { continue } ts := newTemplateState(templ, templateInfo{name: templ.Name()}) ts.typ = templatePartial t.main.mu.RLock() _, found := t.main.templates[templ.Name()] t.main.mu.RUnlock() if !found { t.main.mu.Lock() // This is a template defined inline. _, err := applyTemplateTransformers(ts, t.main.newTemplateLookup(ts)) if err != nil { t.main.mu.Unlock() return err } t.main.templates[templ.Name()] = ts t.main.mu.Unlock() } } return nil } func (t *templateHandler) postTransform() error { defineCheckedHTML := false defineCheckedText := false for _, v := range t.main.templates { if v.typ == templateShortcode { t.addShortcodeVariant(v) } if defineCheckedHTML && defineCheckedText { continue } isText := isText(v.Template) if isText { if defineCheckedText { continue } defineCheckedText = true } else { if defineCheckedHTML { continue } defineCheckedHTML = true } if err := t.extractPartials(v.Template); err != nil { return err } } for name, source := range t.transformNotFound { lookup := t.main.newTemplateLookup(source) templ := lookup(name) if templ != nil { _, err := applyTemplateTransformers(templ, lookup) if err != nil { return err } } } for k, v := range t.identityNotFound { ts := t.findTemplate(k) if ts != nil { for _, im := range v { im.Add(ts) } } } return nil } type templateNamespace struct { prototypeText *texttemplate.Template prototypeHTML *htmltemplate.Template prototypeTextClone *texttemplate.Template prototypeHTMLClone *htmltemplate.Template *templateStateMap } func (t templateNamespace) Clone() *templateNamespace { t.mu.Lock() defer t.mu.Unlock() t.templateStateMap = &templateStateMap{ templates: make(map[string]*templateState), } t.prototypeText = texttemplate.Must(t.prototypeText.Clone()) t.prototypeHTML = htmltemplate.Must(t.prototypeHTML.Clone()) return &t } func (t *templateNamespace) Lookup(name string) (tpl.Template, bool) { t.mu.RLock() defer t.mu.RUnlock() templ, found := t.templates[name] if !found { return nil, false } return templ, found } func (t *templateNamespace) createPrototypes() error { t.prototypeTextClone = texttemplate.Must(t.prototypeText.Clone()) t.prototypeHTMLClone = htmltemplate.Must(t.prototypeHTML.Clone()) return nil } func (t *templateNamespace) newTemplateLookup(in *templateState) func(name string) *templateState { return func(name string) *templateState { if templ, found := t.templates[name]; found { if templ.isText() != in.isText() { return nil } return templ } if templ, found := findTemplateIn(name, in); found { return newTemplateState(templ, templateInfo{name: templ.Name()}) } return nil } } func (t *templateNamespace) parse(info templateInfo) (*templateState, error) { t.mu.Lock() defer t.mu.Unlock() if info.isText { prototype := t.prototypeText templ, err := prototype.New(info.name).Parse(info.template) if err != nil { return nil, err } ts := newTemplateState(templ, info) t.templates[info.name] = ts return ts, nil } prototype := t.prototypeHTML templ, err := prototype.New(info.name).Parse(info.template) if err != nil { return nil, err } ts := newTemplateState(templ, info) t.templates[info.name] = ts return ts, nil } type templateState struct { tpl.Template typ templateType parseInfo tpl.ParseInfo identity.Manager info templateInfo baseInfo templateInfo // Set when a base template is used. } func (t *templateState) ParseInfo() tpl.ParseInfo { return t.parseInfo } func (t *templateState) isText() bool { return isText(t.Template) } func isText(templ tpl.Template) bool { _, isText := templ.(*texttemplate.Template) return isText } type templateStateMap struct { mu sync.RWMutex templates map[string]*templateState } type templateWrapperWithLock struct { *sync.RWMutex tpl.Template } type textTemplateWrapperWithLock struct { *sync.RWMutex *texttemplate.Template } func (t *textTemplateWrapperWithLock) Lookup(name string) (tpl.Template, bool) { t.RLock() templ := t.Template.Lookup(name) t.RUnlock() if templ == nil { return nil, false } return &textTemplateWrapperWithLock{ RWMutex: t.RWMutex, Template: templ, }, true } func (t *textTemplateWrapperWithLock) LookupVariant(name string, variants tpl.TemplateVariants) (tpl.Template, bool, bool) { panic("not supported") } func (t *textTemplateWrapperWithLock) LookupVariants(name string) []tpl.Template { panic("not supported") } func (t *textTemplateWrapperWithLock) Parse(name, tpl string) (tpl.Template, error) { t.Lock() defer t.Unlock() return t.Template.New(name).Parse(tpl) } func isBackupFile(path string) bool { return path[len(path)-1] == '~' } func isBaseTemplatePath(path string) bool { return strings.Contains(filepath.Base(path), baseFileBase) } func isDotFile(path string) bool { return filepath.Base(path)[0] == '.' } func removeLeadingBOM(s string) string { const bom = '\ufeff' for i, r := range s { if i == 0 && r != bom { return s } if i > 0 { return s[i:] } } return s } // resolves _internal/shortcodes/param.html => param.html etc. func templateBaseName(typ templateType, name string) string { name = strings.TrimPrefix(name, internalPathPrefix) switch typ { case templateShortcode: return strings.TrimPrefix(name, shortcodesPathPrefix) default: panic("not implemented") } } func unwrap(templ tpl.Template) tpl.Template { if ts, ok := templ.(*templateState); ok { return ts.Template } return templ } func templates(in tpl.Template) []tpl.Template { var templs []tpl.Template in = unwrap(in) if textt, ok := in.(*texttemplate.Template); ok { for _, t := range textt.Templates() { templs = append(templs, t) } } if htmlt, ok := in.(*htmltemplate.Template); ok { for _, t := range htmlt.Templates() { templs = append(templs, t) } } return templs }
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./docs/content/en/functions/float.md
--- title: float linktitle: float description: Creates a `float` from the argument passed into the function. godocref: date: 2017-09-28 publishdate: 2017-09-28 lastmod: 2017-09-28 categories: [functions] menu: docs: parent: "functions" keywords: [strings,floats] signature: ["float INPUT"] workson: [] hugoversion: relatedfuncs: [] deprecated: false aliases: [] --- Useful for turning strings into floating point numbers. ``` {{ float "1.23" }} → 1.23 ```
--- title: float linktitle: float description: Creates a `float` from the argument passed into the function. godocref: date: 2017-09-28 publishdate: 2017-09-28 lastmod: 2017-09-28 categories: [functions] menu: docs: parent: "functions" keywords: [strings,floats] signature: ["float INPUT"] workson: [] hugoversion: relatedfuncs: [] deprecated: false aliases: [] --- Useful for turning strings into floating point numbers. ``` {{ float "1.23" }} → 1.23 ```
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./docs/content/en/functions/plainify.md
--- title: plainify linktitle: plainify description: Strips any HTML and returns the plain text version of the provided string. godocref: date: 2017-02-01 publishdate: 2017-02-01 lastmod: 2017-04-30 categories: [functions] menu: docs: parent: "functions" keywords: [strings] signature: ["plainify INPUT"] workson: [] hugoversion: relatedfuncs: [jsonify] deprecated: false aliases: [] --- ``` {{ "<b>BatMan</b>" | plainify }} → "BatMan" ``` See also the `.PlainWords`, `.Plain`, and `.RawContent` [page variables][pagevars]. [pagevars]: /variables/page/
--- title: plainify linktitle: plainify description: Strips any HTML and returns the plain text version of the provided string. godocref: date: 2017-02-01 publishdate: 2017-02-01 lastmod: 2017-04-30 categories: [functions] menu: docs: parent: "functions" keywords: [strings] signature: ["plainify INPUT"] workson: [] hugoversion: relatedfuncs: [jsonify] deprecated: false aliases: [] --- ``` {{ "<b>BatMan</b>" | plainify }} → "BatMan" ``` See also the `.PlainWords`, `.Plain`, and `.RawContent` [page variables][pagevars]. [pagevars]: /variables/page/
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./docs/content/en/commands/hugo_mod.md
--- date: 2021-02-18 title: "hugo mod" slug: hugo_mod url: /commands/hugo_mod/ --- ## hugo mod Various Hugo Modules helpers. ### Synopsis Various helpers to help manage the modules in your project's dependency graph. Most operations here requires a Go version installed on your system (>= Go 1.12) and the relevant VCS client (typically Git). This is not needed if you only operate on modules inside /themes or if you have vendored them via "hugo mod vendor". Note that Hugo will always start out by resolving the components defined in the site configuration, provided by a _vendor directory (if no --ignoreVendor flag provided), Go Modules, or a folder inside the themes directory, in that order. See https://gohugo.io/hugo-modules/ for more information. ### Options ``` -b, --baseURL string hostname (and path) to the root, e.g. http://spf13.com/ -D, --buildDrafts include content marked as draft -E, --buildExpired include expired content -F, --buildFuture include content with publishdate in the future --cacheDir string filesystem path to cache directory. Defaults: $TMPDIR/hugo_cache/ --cleanDestinationDir remove files from destination not found in static directories -c, --contentDir string filesystem path to content directory -d, --destination string filesystem path to write files to --disableKinds strings disable different kind of pages (home, RSS etc.) --enableGitInfo add Git revision, date and author info to the pages --forceSyncStatic copy all files when static is changed. --gc enable to run some cleanup tasks (remove unused cache files) after the build -h, --help help for mod --i18n-warnings print missing translations --ignoreCache ignores the cache directory -l, --layoutDir string filesystem path to layout directory --minify minify any supported output format (HTML, XML etc.) --noChmod don't sync permission mode of files --noTimes don't sync modification time of files --path-warnings print warnings on duplicate target paths etc. --print-mem print memory usage to screen at intervals --templateMetrics display metrics about template executions --templateMetricsHints calculate some improvement hints when combined with --templateMetrics -t, --theme strings themes to use (located in /themes/THEMENAME/) --trace file write trace to file (not useful in general) ``` ### Options inherited from parent commands ``` --config string config file (default is path/config.yaml|json|toml) --configDir string config dir (default "config") --debug debug output -e, --environment string build environment --ignoreVendor ignores any _vendor directory --ignoreVendorPaths string ignores any _vendor for module paths matching the given Glob pattern --log enable Logging --logFile string log File path (if set, logging enabled automatically) --quiet build in quiet mode -s, --source string filesystem path to read files relative from --themesDir string filesystem path to themes directory -v, --verbose verbose output --verboseLog verbose logging ``` ### SEE ALSO * [hugo](/commands/hugo/) - hugo builds your site * [hugo mod clean](/commands/hugo_mod_clean/) - Delete the Hugo Module cache for the current project. * [hugo mod get](/commands/hugo_mod_get/) - Resolves dependencies in your current Hugo Project. * [hugo mod graph](/commands/hugo_mod_graph/) - Print a module dependency graph. * [hugo mod init](/commands/hugo_mod_init/) - Initialize this project as a Hugo Module. * [hugo mod npm](/commands/hugo_mod_npm/) - Various npm helpers. * [hugo mod tidy](/commands/hugo_mod_tidy/) - Remove unused entries in go.mod and go.sum. * [hugo mod vendor](/commands/hugo_mod_vendor/) - Vendor all module dependencies into the _vendor directory. * [hugo mod verify](/commands/hugo_mod_verify/) - Verify dependencies. ###### Auto generated by spf13/cobra on 18-Feb-2021
--- date: 2021-02-18 title: "hugo mod" slug: hugo_mod url: /commands/hugo_mod/ --- ## hugo mod Various Hugo Modules helpers. ### Synopsis Various helpers to help manage the modules in your project's dependency graph. Most operations here requires a Go version installed on your system (>= Go 1.12) and the relevant VCS client (typically Git). This is not needed if you only operate on modules inside /themes or if you have vendored them via "hugo mod vendor". Note that Hugo will always start out by resolving the components defined in the site configuration, provided by a _vendor directory (if no --ignoreVendor flag provided), Go Modules, or a folder inside the themes directory, in that order. See https://gohugo.io/hugo-modules/ for more information. ### Options ``` -b, --baseURL string hostname (and path) to the root, e.g. http://spf13.com/ -D, --buildDrafts include content marked as draft -E, --buildExpired include expired content -F, --buildFuture include content with publishdate in the future --cacheDir string filesystem path to cache directory. Defaults: $TMPDIR/hugo_cache/ --cleanDestinationDir remove files from destination not found in static directories -c, --contentDir string filesystem path to content directory -d, --destination string filesystem path to write files to --disableKinds strings disable different kind of pages (home, RSS etc.) --enableGitInfo add Git revision, date and author info to the pages --forceSyncStatic copy all files when static is changed. --gc enable to run some cleanup tasks (remove unused cache files) after the build -h, --help help for mod --i18n-warnings print missing translations --ignoreCache ignores the cache directory -l, --layoutDir string filesystem path to layout directory --minify minify any supported output format (HTML, XML etc.) --noChmod don't sync permission mode of files --noTimes don't sync modification time of files --path-warnings print warnings on duplicate target paths etc. --print-mem print memory usage to screen at intervals --templateMetrics display metrics about template executions --templateMetricsHints calculate some improvement hints when combined with --templateMetrics -t, --theme strings themes to use (located in /themes/THEMENAME/) --trace file write trace to file (not useful in general) ``` ### Options inherited from parent commands ``` --config string config file (default is path/config.yaml|json|toml) --configDir string config dir (default "config") --debug debug output -e, --environment string build environment --ignoreVendor ignores any _vendor directory --ignoreVendorPaths string ignores any _vendor for module paths matching the given Glob pattern --log enable Logging --logFile string log File path (if set, logging enabled automatically) --quiet build in quiet mode -s, --source string filesystem path to read files relative from --themesDir string filesystem path to themes directory -v, --verbose verbose output --verboseLog verbose logging ``` ### SEE ALSO * [hugo](/commands/hugo/) - hugo builds your site * [hugo mod clean](/commands/hugo_mod_clean/) - Delete the Hugo Module cache for the current project. * [hugo mod get](/commands/hugo_mod_get/) - Resolves dependencies in your current Hugo Project. * [hugo mod graph](/commands/hugo_mod_graph/) - Print a module dependency graph. * [hugo mod init](/commands/hugo_mod_init/) - Initialize this project as a Hugo Module. * [hugo mod npm](/commands/hugo_mod_npm/) - Various npm helpers. * [hugo mod tidy](/commands/hugo_mod_tidy/) - Remove unused entries in go.mod and go.sum. * [hugo mod vendor](/commands/hugo_mod_vendor/) - Vendor all module dependencies into the _vendor directory. * [hugo mod verify](/commands/hugo_mod_verify/) - Verify dependencies. ###### Auto generated by spf13/cobra on 18-Feb-2021
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./docs/content/en/news/0.69.0-relnotes/index.md
--- date: 2020-04-10 title: "Post Build Resource Transformations" description: "Hugo 0.69.0 allows you to delay resource processing to after the build, the prime use case being removal of unused CSS." categories: ["Releases"] --- **It's Eeaster, a time for mysteries and puzzles.** And at first glance, this Hugo release looks a little mysterious. The core of if is a mind-twister: ```go-html-template {{ $css := resources.Get "css/main.css" }} {{ $css = $css | resources.PostCSS }} {{ if hugo.IsProduction }} {{ $css = $css | minify | fingerprint | resources.PostProcess }} {{ end }} <link href="{{ $css.RelPermalink }}" rel="stylesheet" /> ``` The above uses the new [resources.PostProcess](https://gohugo.io/hugo-pipes/postprocess/) template function which tells Hugo to postpone the transformation of the Hugo Pipes chain to _after the build_, allowing the build steps to use the build output in `/public` as part of its processing. The prime current use case for the above is CSS pruning in PostCSS. In simple cases you can use the templates as a base for the content filters, but that has its limitations and can be very hard to setup, especially in themed configurations. So we have added a new [writeStats](https://gohugo.io/getting-started/configuration/#configure-build) configuration that, when enabled, will write a file named `hugo_stats.json` to your project root with some aggregated data about the build, e.g. list of HTML entities published, to be used to do [CSS pruning](https://gohugo.io/hugo-pipes/postprocess/#css-purging-with-postcss). This release represents **20 contributions by 10 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), [@jaywilliams](https://github.com/jaywilliams), and [@satotake](https://github.com/satotake) for their ongoing contributions. And a big thanks to [@digitalcraftsman](https://github.com/digitalcraftsman) and [@onedrawingperday](https://github.com/onedrawingperday) for their relentless work on keeping the themes site in pristine condition and to [@davidsneighbour](https://github.com/davidsneighbour) and [@kaushalmodi](https://github.com/kaushalmodi) for all the great work on the documentation site. Many have also been busy writing and fixing the documentation in [hugoDocs](https://github.com/gohugoio/hugoDocs), which has received **14 contributions by 7 contributors**. A special thanks to [@bep](https://github.com/bep), [@coliff](https://github.com/coliff), [@dmgawel](https://github.com/dmgawel), and [@jasikpark](https://github.com/jasikpark) for their work on the documentation site. Hugo now has: * 43052+ [stars](https://github.com/gohugoio/hugo/stargazers) * 438+ [contributors](https://github.com/gohugoio/hugo/graphs/contributors) * 302+ [themes](http://themes.gohugo.io/) ## Enhancements ### Templates * Extend Jsonify to support options map [8568928a](https://github.com/gohugoio/hugo/commit/8568928aa8e82a6bd7de4555c3703d8835fbd25b) [@moorereason](https://github.com/moorereason) * Extend Jsonify to support optional indent parameter [1bc93021](https://github.com/gohugoio/hugo/commit/1bc93021e3dca6405628f6fdd2dc32cff9c9836c) [@moorereason](https://github.com/moorereason) [#5040](https://github.com/gohugoio/hugo/issues/5040) ### Other * Regen docs helper [b7ff4dc2](https://github.com/gohugoio/hugo/commit/b7ff4dc23e6314fd09ee2c1e24cde96fc833164e) [@bep](https://github.com/bep) * Collect HTML elements during the build to use in PurgeCSS etc. [095bf64c](https://github.com/gohugoio/hugo/commit/095bf64c99f57efe083540a50e658808a0a1c32b) [@bep](https://github.com/bep) [#6999](https://github.com/gohugoio/hugo/issues/6999) * Update to latest emoji package [7791a804](https://github.com/gohugoio/hugo/commit/7791a804e2179667617b3b145b0fe7eba17627a1) [@QuLogic](https://github.com/QuLogic) * Update hosting-on-aws-amplify.md [c774b230](https://github.com/gohugoio/hugo/commit/c774b230e941902675af081f118ea206a4f2a04e) [@Helicer](https://github.com/Helicer) * Add basic "post resource publish support" [2f721f8e](https://github.com/gohugoio/hugo/commit/2f721f8ec69c52202815cd1b543ca4bf535c0901) [@bep](https://github.com/bep) [#7146](https://github.com/gohugoio/hugo/issues/7146) * Typo correction [7eba37ae](https://github.com/gohugoio/hugo/commit/7eba37ae9b8653be4fc21a0dbbc6f35ca5b9280e) [@fekete-robert](https://github.com/fekete-robert) * Use semver for min_version per recommendations [efc61d6f](https://github.com/gohugoio/hugo/commit/efc61d6f3b9f5fb294411ac1dc872b8fc5bdbacb) [@jaywilliams](https://github.com/jaywilliams) * Updateto gitmap v1.1.2 [4de3ecdc](https://github.com/gohugoio/hugo/commit/4de3ecdc2658ffd54d2b5073c5ff303b4bf29383) [@dragtor](https://github.com/dragtor) [#6985](https://github.com/gohugoio/hugo/issues/6985) * Add data context to the key in ExecuteAsTemplate" [c9dc316a](https://github.com/gohugoio/hugo/commit/c9dc316ad160e78c9dff4e75313db4cac8ea6414) [@bep](https://github.com/bep) [#7064](https://github.com/gohugoio/hugo/issues/7064) ## Fixes ### Other * Fix hugo mod vendor for regular file mounts [d8d6a25b](https://github.com/gohugoio/hugo/commit/d8d6a25b5755bedaf90261a1539dc37a2f05c3df) [@bep](https://github.com/bep) [#7140](https://github.com/gohugoio/hugo/issues/7140) * Revert "Revert "common/herrors: Fix typos in comments"" [9f12be54](https://github.com/gohugoio/hugo/commit/9f12be54ee84f24efdf7c58f05867e8d0dea2ccb) [@bep](https://github.com/bep) * Fix typos in comments" [4437e918](https://github.com/gohugoio/hugo/commit/4437e918cdab1d84f2f184fe71e5dac14aa48897) [@bep](https://github.com/bep) * Fix typos in comments [1123711b](https://github.com/gohugoio/hugo/commit/1123711b0979b1647d7c486f67af7503afb11abb) [@rnazmo](https://github.com/rnazmo) * Fix TrimShortHTML [9c998753](https://github.com/gohugoio/hugo/commit/9c9987535f98714c8a4ec98903f54233735ef0e4) [@satotake](https://github.com/satotake) [#7081](https://github.com/gohugoio/hugo/issues/7081) * Fix IsDescendant/IsAncestor for overlapping section names [4a39564e](https://github.com/gohugoio/hugo/commit/4a39564efe7b02a685598ae9dbae95e2326c0230) [@bep](https://github.com/bep) [#7096](https://github.com/gohugoio/hugo/issues/7096) * fix typo in getting started [b6e097cf](https://github.com/gohugoio/hugo/commit/b6e097cfe65ecd1d47c805969082e6805563612b) [@matrixise](https://github.com/matrixise) * Fix _build.list.local logic [523d5194](https://github.com/gohugoio/hugo/commit/523d51948fc20e2afb4721b43203c5ab696ae220) [@bep](https://github.com/bep) [#7089](https://github.com/gohugoio/hugo/issues/7089) * Fix cache reset for a page's collections on server live reload [cfa73050](https://github.com/gohugoio/hugo/commit/cfa73050a49b2646fe3557cefa0ed31989b0eeeb) [@bep](https://github.com/bep) [#7085](https://github.com/gohugoio/hugo/issues/7085)
--- date: 2020-04-10 title: "Post Build Resource Transformations" description: "Hugo 0.69.0 allows you to delay resource processing to after the build, the prime use case being removal of unused CSS." categories: ["Releases"] --- **It's Eeaster, a time for mysteries and puzzles.** And at first glance, this Hugo release looks a little mysterious. The core of if is a mind-twister: ```go-html-template {{ $css := resources.Get "css/main.css" }} {{ $css = $css | resources.PostCSS }} {{ if hugo.IsProduction }} {{ $css = $css | minify | fingerprint | resources.PostProcess }} {{ end }} <link href="{{ $css.RelPermalink }}" rel="stylesheet" /> ``` The above uses the new [resources.PostProcess](https://gohugo.io/hugo-pipes/postprocess/) template function which tells Hugo to postpone the transformation of the Hugo Pipes chain to _after the build_, allowing the build steps to use the build output in `/public` as part of its processing. The prime current use case for the above is CSS pruning in PostCSS. In simple cases you can use the templates as a base for the content filters, but that has its limitations and can be very hard to setup, especially in themed configurations. So we have added a new [writeStats](https://gohugo.io/getting-started/configuration/#configure-build) configuration that, when enabled, will write a file named `hugo_stats.json` to your project root with some aggregated data about the build, e.g. list of HTML entities published, to be used to do [CSS pruning](https://gohugo.io/hugo-pipes/postprocess/#css-purging-with-postcss). This release represents **20 contributions by 10 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), [@jaywilliams](https://github.com/jaywilliams), and [@satotake](https://github.com/satotake) for their ongoing contributions. And a big thanks to [@digitalcraftsman](https://github.com/digitalcraftsman) and [@onedrawingperday](https://github.com/onedrawingperday) for their relentless work on keeping the themes site in pristine condition and to [@davidsneighbour](https://github.com/davidsneighbour) and [@kaushalmodi](https://github.com/kaushalmodi) for all the great work on the documentation site. Many have also been busy writing and fixing the documentation in [hugoDocs](https://github.com/gohugoio/hugoDocs), which has received **14 contributions by 7 contributors**. A special thanks to [@bep](https://github.com/bep), [@coliff](https://github.com/coliff), [@dmgawel](https://github.com/dmgawel), and [@jasikpark](https://github.com/jasikpark) for their work on the documentation site. Hugo now has: * 43052+ [stars](https://github.com/gohugoio/hugo/stargazers) * 438+ [contributors](https://github.com/gohugoio/hugo/graphs/contributors) * 302+ [themes](http://themes.gohugo.io/) ## Enhancements ### Templates * Extend Jsonify to support options map [8568928a](https://github.com/gohugoio/hugo/commit/8568928aa8e82a6bd7de4555c3703d8835fbd25b) [@moorereason](https://github.com/moorereason) * Extend Jsonify to support optional indent parameter [1bc93021](https://github.com/gohugoio/hugo/commit/1bc93021e3dca6405628f6fdd2dc32cff9c9836c) [@moorereason](https://github.com/moorereason) [#5040](https://github.com/gohugoio/hugo/issues/5040) ### Other * Regen docs helper [b7ff4dc2](https://github.com/gohugoio/hugo/commit/b7ff4dc23e6314fd09ee2c1e24cde96fc833164e) [@bep](https://github.com/bep) * Collect HTML elements during the build to use in PurgeCSS etc. [095bf64c](https://github.com/gohugoio/hugo/commit/095bf64c99f57efe083540a50e658808a0a1c32b) [@bep](https://github.com/bep) [#6999](https://github.com/gohugoio/hugo/issues/6999) * Update to latest emoji package [7791a804](https://github.com/gohugoio/hugo/commit/7791a804e2179667617b3b145b0fe7eba17627a1) [@QuLogic](https://github.com/QuLogic) * Update hosting-on-aws-amplify.md [c774b230](https://github.com/gohugoio/hugo/commit/c774b230e941902675af081f118ea206a4f2a04e) [@Helicer](https://github.com/Helicer) * Add basic "post resource publish support" [2f721f8e](https://github.com/gohugoio/hugo/commit/2f721f8ec69c52202815cd1b543ca4bf535c0901) [@bep](https://github.com/bep) [#7146](https://github.com/gohugoio/hugo/issues/7146) * Typo correction [7eba37ae](https://github.com/gohugoio/hugo/commit/7eba37ae9b8653be4fc21a0dbbc6f35ca5b9280e) [@fekete-robert](https://github.com/fekete-robert) * Use semver for min_version per recommendations [efc61d6f](https://github.com/gohugoio/hugo/commit/efc61d6f3b9f5fb294411ac1dc872b8fc5bdbacb) [@jaywilliams](https://github.com/jaywilliams) * Updateto gitmap v1.1.2 [4de3ecdc](https://github.com/gohugoio/hugo/commit/4de3ecdc2658ffd54d2b5073c5ff303b4bf29383) [@dragtor](https://github.com/dragtor) [#6985](https://github.com/gohugoio/hugo/issues/6985) * Add data context to the key in ExecuteAsTemplate" [c9dc316a](https://github.com/gohugoio/hugo/commit/c9dc316ad160e78c9dff4e75313db4cac8ea6414) [@bep](https://github.com/bep) [#7064](https://github.com/gohugoio/hugo/issues/7064) ## Fixes ### Other * Fix hugo mod vendor for regular file mounts [d8d6a25b](https://github.com/gohugoio/hugo/commit/d8d6a25b5755bedaf90261a1539dc37a2f05c3df) [@bep](https://github.com/bep) [#7140](https://github.com/gohugoio/hugo/issues/7140) * Revert "Revert "common/herrors: Fix typos in comments"" [9f12be54](https://github.com/gohugoio/hugo/commit/9f12be54ee84f24efdf7c58f05867e8d0dea2ccb) [@bep](https://github.com/bep) * Fix typos in comments" [4437e918](https://github.com/gohugoio/hugo/commit/4437e918cdab1d84f2f184fe71e5dac14aa48897) [@bep](https://github.com/bep) * Fix typos in comments [1123711b](https://github.com/gohugoio/hugo/commit/1123711b0979b1647d7c486f67af7503afb11abb) [@rnazmo](https://github.com/rnazmo) * Fix TrimShortHTML [9c998753](https://github.com/gohugoio/hugo/commit/9c9987535f98714c8a4ec98903f54233735ef0e4) [@satotake](https://github.com/satotake) [#7081](https://github.com/gohugoio/hugo/issues/7081) * Fix IsDescendant/IsAncestor for overlapping section names [4a39564e](https://github.com/gohugoio/hugo/commit/4a39564efe7b02a685598ae9dbae95e2326c0230) [@bep](https://github.com/bep) [#7096](https://github.com/gohugoio/hugo/issues/7096) * fix typo in getting started [b6e097cf](https://github.com/gohugoio/hugo/commit/b6e097cfe65ecd1d47c805969082e6805563612b) [@matrixise](https://github.com/matrixise) * Fix _build.list.local logic [523d5194](https://github.com/gohugoio/hugo/commit/523d51948fc20e2afb4721b43203c5ab696ae220) [@bep](https://github.com/bep) [#7089](https://github.com/gohugoio/hugo/issues/7089) * Fix cache reset for a page's collections on server live reload [cfa73050](https://github.com/gohugoio/hugo/commit/cfa73050a49b2646fe3557cefa0ed31989b0eeeb) [@bep](https://github.com/bep) [#7085](https://github.com/gohugoio/hugo/issues/7085)
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./hugolib/site_stats_test.go
// Copyright 2017 The Hugo Authors. All rights reserved. // // 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. package hugolib import ( "bytes" "fmt" "io/ioutil" "testing" "github.com/gohugoio/hugo/helpers" qt "github.com/frankban/quicktest" ) func TestSiteStats(t *testing.T) { t.Parallel() c := qt.New(t) siteConfig := ` baseURL = "http://example.com/blog" paginate = 1 defaultContentLanguage = "nn" [languages] [languages.nn] languageName = "Nynorsk" weight = 1 title = "Hugo på norsk" [languages.en] languageName = "English" weight = 2 title = "Hugo in English" ` pageTemplate := `--- title: "T%d" tags: %s categories: %s aliases: [/Ali%d] --- # Doc ` b := newTestSitesBuilder(t).WithConfigFile("toml", siteConfig) b.WithTemplates( "_default/single.html", "Single|{{ .Title }}|{{ .Content }}", "_default/list.html", `List|{{ .Title }}|Pages: {{ .Paginator.TotalPages }}|{{ .Content }}`, "_default/terms.html", "Terms List|{{ .Title }}|{{ .Content }}", ) for i := 0; i < 2; i++ { for j := 0; j < 2; j++ { pageID := i + j + 1 b.WithContent(fmt.Sprintf("content/sect/p%d.md", pageID), fmt.Sprintf(pageTemplate, pageID, fmt.Sprintf("- tag%d", j), fmt.Sprintf("- category%d", j), pageID)) } } for i := 0; i < 5; i++ { b.WithContent(fmt.Sprintf("assets/image%d.png", i+1), "image") } b.Build(BuildCfg{}) h := b.H stats := []*helpers.ProcessingStats{ h.Sites[0].PathSpec.ProcessingStats, h.Sites[1].PathSpec.ProcessingStats, } stats[0].Table(ioutil.Discard) stats[1].Table(ioutil.Discard) var buff bytes.Buffer helpers.ProcessingStatsTable(&buff, stats...) c.Assert(buff.String(), qt.Contains, "Pages | 19 | 6") }
// Copyright 2017 The Hugo Authors. All rights reserved. // // 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. package hugolib import ( "bytes" "fmt" "io/ioutil" "testing" "github.com/gohugoio/hugo/helpers" qt "github.com/frankban/quicktest" ) func TestSiteStats(t *testing.T) { t.Parallel() c := qt.New(t) siteConfig := ` baseURL = "http://example.com/blog" paginate = 1 defaultContentLanguage = "nn" [languages] [languages.nn] languageName = "Nynorsk" weight = 1 title = "Hugo på norsk" [languages.en] languageName = "English" weight = 2 title = "Hugo in English" ` pageTemplate := `--- title: "T%d" tags: %s categories: %s aliases: [/Ali%d] --- # Doc ` b := newTestSitesBuilder(t).WithConfigFile("toml", siteConfig) b.WithTemplates( "_default/single.html", "Single|{{ .Title }}|{{ .Content }}", "_default/list.html", `List|{{ .Title }}|Pages: {{ .Paginator.TotalPages }}|{{ .Content }}`, "_default/terms.html", "Terms List|{{ .Title }}|{{ .Content }}", ) for i := 0; i < 2; i++ { for j := 0; j < 2; j++ { pageID := i + j + 1 b.WithContent(fmt.Sprintf("content/sect/p%d.md", pageID), fmt.Sprintf(pageTemplate, pageID, fmt.Sprintf("- tag%d", j), fmt.Sprintf("- category%d", j), pageID)) } } for i := 0; i < 5; i++ { b.WithContent(fmt.Sprintf("assets/image%d.png", i+1), "image") } b.Build(BuildCfg{}) h := b.H stats := []*helpers.ProcessingStats{ h.Sites[0].PathSpec.ProcessingStats, h.Sites[1].PathSpec.ProcessingStats, } stats[0].Table(ioutil.Discard) stats[1].Table(ioutil.Discard) var buff bytes.Buffer helpers.ProcessingStatsTable(&buff, stats...) c.Assert(buff.String(), qt.Contains, "Pages | 19 | 6") }
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./commands/genautocomplete.go
// Copyright 2015 The Hugo Authors. All rights reserved. // // 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. package commands import ( "io" "os" "github.com/spf13/cobra" jww "github.com/spf13/jwalterweatherman" ) var _ cmder = (*genautocompleteCmd)(nil) type genautocompleteCmd struct { autocompleteTarget string // bash, zsh, fish or powershell autocompleteType string *baseCmd } func newGenautocompleteCmd() *genautocompleteCmd { cc := &genautocompleteCmd{} cc.baseCmd = newBaseCmd(&cobra.Command{ Use: "autocomplete", Short: "Generate shell autocompletion script for Hugo", Long: `Generates a shell autocompletion script for Hugo. The script is written to the console (stdout). To write to file, add the ` + "`--completionfile=/path/to/file`" + ` flag. Add ` + "`--type={bash, zsh, fish or powershell}`" + ` flag to set alternative shell type. Logout and in again to reload the completion scripts, or just source them in directly: $ . /etc/bash_completion or /path/to/file`, RunE: func(cmd *cobra.Command, args []string) error { var err error var target io.Writer if cc.autocompleteTarget == "" { target = os.Stdout } else { target, _ = os.OpenFile(cc.autocompleteTarget, os.O_APPEND|os.O_CREATE|os.O_WRONLY, 0644) } switch cc.autocompleteType { case "bash": err = cmd.Root().GenBashCompletion(target) case "zsh": err = cmd.Root().GenZshCompletion(target) case "fish": err = cmd.Root().GenFishCompletion(target, true) case "powershell": err = cmd.Root().GenPowerShellCompletion(target) default: return newUserError("Unsupported completion type") } if err != nil { return err } if cc.autocompleteTarget != "" { jww.FEEDBACK.Println(cc.autocompleteType+" completion file for Hugo saved to", cc.autocompleteTarget) } return nil }, }) cc.cmd.PersistentFlags().StringVarP(&cc.autocompleteTarget, "completionfile", "f", "", "autocompletion file, defaults to stdout") cc.cmd.PersistentFlags().StringVarP(&cc.autocompleteType, "type", "t", "bash", "autocompletion type (bash, zsh, fish, or powershell)") return cc }
// Copyright 2015 The Hugo Authors. All rights reserved. // // 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. package commands import ( "io" "os" "github.com/spf13/cobra" jww "github.com/spf13/jwalterweatherman" ) var _ cmder = (*genautocompleteCmd)(nil) type genautocompleteCmd struct { autocompleteTarget string // bash, zsh, fish or powershell autocompleteType string *baseCmd } func newGenautocompleteCmd() *genautocompleteCmd { cc := &genautocompleteCmd{} cc.baseCmd = newBaseCmd(&cobra.Command{ Use: "autocomplete", Short: "Generate shell autocompletion script for Hugo", Long: `Generates a shell autocompletion script for Hugo. The script is written to the console (stdout). To write to file, add the ` + "`--completionfile=/path/to/file`" + ` flag. Add ` + "`--type={bash, zsh, fish or powershell}`" + ` flag to set alternative shell type. Logout and in again to reload the completion scripts, or just source them in directly: $ . /etc/bash_completion or /path/to/file`, RunE: func(cmd *cobra.Command, args []string) error { var err error var target io.Writer if cc.autocompleteTarget == "" { target = os.Stdout } else { target, _ = os.OpenFile(cc.autocompleteTarget, os.O_APPEND|os.O_CREATE|os.O_WRONLY, 0644) } switch cc.autocompleteType { case "bash": err = cmd.Root().GenBashCompletion(target) case "zsh": err = cmd.Root().GenZshCompletion(target) case "fish": err = cmd.Root().GenFishCompletion(target, true) case "powershell": err = cmd.Root().GenPowerShellCompletion(target) default: return newUserError("Unsupported completion type") } if err != nil { return err } if cc.autocompleteTarget != "" { jww.FEEDBACK.Println(cc.autocompleteType+" completion file for Hugo saved to", cc.autocompleteTarget) } return nil }, }) cc.cmd.PersistentFlags().StringVarP(&cc.autocompleteTarget, "completionfile", "f", "", "autocompletion file, defaults to stdout") cc.cmd.PersistentFlags().StringVarP(&cc.autocompleteType, "type", "t", "bash", "autocompletion type (bash, zsh, fish, or powershell)") return cc }
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./output/outputFormat.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package output import ( "encoding/json" "fmt" "reflect" "sort" "strings" "github.com/mitchellh/mapstructure" "github.com/gohugoio/hugo/media" ) // Format represents an output representation, usually to a file on disk. type Format struct { // The Name is used as an identifier. Internal output formats (i.e. HTML and RSS) // can be overridden by providing a new definition for those types. Name string `json:"name"` MediaType media.Type `json:"mediaType"` // Must be set to a value when there are two or more conflicting mediatype for the same resource. Path string `json:"path"` // The base output file name used when not using "ugly URLs", defaults to "index". BaseName string `json:"baseName"` // The value to use for rel links // // See https://www.w3schools.com/tags/att_link_rel.asp // // AMP has a special requirement in this department, see: // https://www.ampproject.org/docs/guides/deploy/discovery // I.e.: // <link rel="amphtml" href="https://www.example.com/url/to/amp/document.html"> Rel string `json:"rel"` // The protocol to use, i.e. "webcal://". Defaults to the protocol of the baseURL. Protocol string `json:"protocol"` // IsPlainText decides whether to use text/template or html/template // as template parser. IsPlainText bool `json:"isPlainText"` // IsHTML returns whether this format is int the HTML family. This includes // HTML, AMP etc. This is used to decide when to create alias redirects etc. IsHTML bool `json:"isHTML"` // Enable to ignore the global uglyURLs setting. NoUgly bool `json:"noUgly"` // Enable if it doesn't make sense to include this format in an alternative // format listing, CSS being one good example. // Note that we use the term "alternative" and not "alternate" here, as it // does not necessarily replace the other format, it is an alternative representation. NotAlternative bool `json:"notAlternative"` // Setting this will make this output format control the value of // .Permalink and .RelPermalink for a rendered Page. // If not set, these values will point to the main (first) output format // configured. That is probably the behaviour you want in most situations, // as you probably don't want to link back to the RSS version of a page, as an // example. AMP would, however, be a good example of an output format where this // behaviour is wanted. Permalinkable bool `json:"permalinkable"` // Setting this to a non-zero value will be used as the first sort criteria. Weight int `json:"weight"` } // An ordered list of built-in output formats. var ( AMPFormat = Format{ Name: "AMP", MediaType: media.HTMLType, BaseName: "index", Path: "amp", Rel: "amphtml", IsHTML: true, Permalinkable: true, // See https://www.ampproject.org/learn/overview/ } CalendarFormat = Format{ Name: "Calendar", MediaType: media.CalendarType, IsPlainText: true, Protocol: "webcal://", BaseName: "index", Rel: "alternate", } CSSFormat = Format{ Name: "CSS", MediaType: media.CSSType, BaseName: "styles", IsPlainText: true, Rel: "stylesheet", NotAlternative: true, } CSVFormat = Format{ Name: "CSV", MediaType: media.CSVType, BaseName: "index", IsPlainText: true, Rel: "alternate", } HTMLFormat = Format{ Name: "HTML", MediaType: media.HTMLType, BaseName: "index", Rel: "canonical", IsHTML: true, Permalinkable: true, // Weight will be used as first sort criteria. HTML will, by default, // be rendered first, but set it to 10 so it's easy to put one above it. Weight: 10, } JSONFormat = Format{ Name: "JSON", MediaType: media.JSONType, BaseName: "index", IsPlainText: true, Rel: "alternate", } RobotsTxtFormat = Format{ Name: "ROBOTS", MediaType: media.TextType, BaseName: "robots", IsPlainText: true, Rel: "alternate", } RSSFormat = Format{ Name: "RSS", MediaType: media.RSSType, BaseName: "index", NoUgly: true, Rel: "alternate", } SitemapFormat = Format{ Name: "Sitemap", MediaType: media.XMLType, BaseName: "sitemap", NoUgly: true, Rel: "sitemap", } ) // DefaultFormats contains the default output formats supported by Hugo. var DefaultFormats = Formats{ AMPFormat, CalendarFormat, CSSFormat, CSVFormat, HTMLFormat, JSONFormat, RobotsTxtFormat, RSSFormat, SitemapFormat, } func init() { sort.Sort(DefaultFormats) } // Formats is a slice of Format. type Formats []Format func (formats Formats) Len() int { return len(formats) } func (formats Formats) Swap(i, j int) { formats[i], formats[j] = formats[j], formats[i] } func (formats Formats) Less(i, j int) bool { fi, fj := formats[i], formats[j] if fi.Weight == fj.Weight { return fi.Name < fj.Name } if fj.Weight == 0 { return true } return fi.Weight > 0 && fi.Weight < fj.Weight } // GetBySuffix gets a output format given as suffix, e.g. "html". // It will return false if no format could be found, or if the suffix given // is ambiguous. // The lookup is case insensitive. func (formats Formats) GetBySuffix(suffix string) (f Format, found bool) { for _, ff := range formats { if strings.EqualFold(suffix, ff.MediaType.Suffix()) { if found { // ambiguous found = false return } f = ff found = true } } return } // GetByName gets a format by its identifier name. func (formats Formats) GetByName(name string) (f Format, found bool) { for _, ff := range formats { if strings.EqualFold(name, ff.Name) { f = ff found = true return } } return } // GetByNames gets a list of formats given a list of identifiers. func (formats Formats) GetByNames(names ...string) (Formats, error) { var types []Format for _, name := range names { tpe, ok := formats.GetByName(name) if !ok { return types, fmt.Errorf("OutputFormat with key %q not found", name) } types = append(types, tpe) } return types, nil } // FromFilename gets a Format given a filename. func (formats Formats) FromFilename(filename string) (f Format, found bool) { // mytemplate.amp.html // mytemplate.html // mytemplate var ext, outFormat string parts := strings.Split(filename, ".") if len(parts) > 2 { outFormat = parts[1] ext = parts[2] } else if len(parts) > 1 { ext = parts[1] } if outFormat != "" { return formats.GetByName(outFormat) } if ext != "" { f, found = formats.GetBySuffix(ext) if !found && len(parts) == 2 { // For extensionless output formats (e.g. Netlify's _redirects) // we must fall back to using the extension as format lookup. f, found = formats.GetByName(ext) } } return } // DecodeFormats takes a list of output format configurations and merges those, // in the order given, with the Hugo defaults as the last resort. func DecodeFormats(mediaTypes media.Types, maps ...map[string]interface{}) (Formats, error) { f := make(Formats, len(DefaultFormats)) copy(f, DefaultFormats) for _, m := range maps { for k, v := range m { found := false for i, vv := range f { if strings.EqualFold(k, vv.Name) { // Merge it with the existing if err := decode(mediaTypes, v, &f[i]); err != nil { return f, err } found = true } } if !found { var newOutFormat Format newOutFormat.Name = k if err := decode(mediaTypes, v, &newOutFormat); err != nil { return f, err } // We need values for these if newOutFormat.BaseName == "" { newOutFormat.BaseName = "index" } if newOutFormat.Rel == "" { newOutFormat.Rel = "alternate" } f = append(f, newOutFormat) } } } sort.Sort(f) return f, nil } func decode(mediaTypes media.Types, input, output interface{}) error { config := &mapstructure.DecoderConfig{ Metadata: nil, Result: output, WeaklyTypedInput: true, DecodeHook: func(a reflect.Type, b reflect.Type, c interface{}) (interface{}, error) { if a.Kind() == reflect.Map { dataVal := reflect.Indirect(reflect.ValueOf(c)) for _, key := range dataVal.MapKeys() { keyStr, ok := key.Interface().(string) if !ok { // Not a string key continue } if strings.EqualFold(keyStr, "mediaType") { // If mediaType is a string, look it up and replace it // in the map. vv := dataVal.MapIndex(key) if mediaTypeStr, ok := vv.Interface().(string); ok { mediaType, found := mediaTypes.GetByType(mediaTypeStr) if !found { return c, fmt.Errorf("media type %q not found", mediaTypeStr) } dataVal.SetMapIndex(key, reflect.ValueOf(mediaType)) } } } } return c, nil }, } decoder, err := mapstructure.NewDecoder(config) if err != nil { return err } return decoder.Decode(input) } // BaseFilename returns the base filename of f including an extension (ie. // "index.xml"). func (f Format) BaseFilename() string { return f.BaseName + f.MediaType.FullSuffix() } // MarshalJSON returns the JSON encoding of f. func (f Format) MarshalJSON() ([]byte, error) { type Alias Format return json.Marshal(&struct { MediaType string Alias }{ MediaType: f.MediaType.String(), Alias: (Alias)(f), }) }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package output import ( "encoding/json" "fmt" "reflect" "sort" "strings" "github.com/mitchellh/mapstructure" "github.com/gohugoio/hugo/media" ) // Format represents an output representation, usually to a file on disk. type Format struct { // The Name is used as an identifier. Internal output formats (i.e. HTML and RSS) // can be overridden by providing a new definition for those types. Name string `json:"name"` MediaType media.Type `json:"mediaType"` // Must be set to a value when there are two or more conflicting mediatype for the same resource. Path string `json:"path"` // The base output file name used when not using "ugly URLs", defaults to "index". BaseName string `json:"baseName"` // The value to use for rel links // // See https://www.w3schools.com/tags/att_link_rel.asp // // AMP has a special requirement in this department, see: // https://www.ampproject.org/docs/guides/deploy/discovery // I.e.: // <link rel="amphtml" href="https://www.example.com/url/to/amp/document.html"> Rel string `json:"rel"` // The protocol to use, i.e. "webcal://". Defaults to the protocol of the baseURL. Protocol string `json:"protocol"` // IsPlainText decides whether to use text/template or html/template // as template parser. IsPlainText bool `json:"isPlainText"` // IsHTML returns whether this format is int the HTML family. This includes // HTML, AMP etc. This is used to decide when to create alias redirects etc. IsHTML bool `json:"isHTML"` // Enable to ignore the global uglyURLs setting. NoUgly bool `json:"noUgly"` // Enable if it doesn't make sense to include this format in an alternative // format listing, CSS being one good example. // Note that we use the term "alternative" and not "alternate" here, as it // does not necessarily replace the other format, it is an alternative representation. NotAlternative bool `json:"notAlternative"` // Setting this will make this output format control the value of // .Permalink and .RelPermalink for a rendered Page. // If not set, these values will point to the main (first) output format // configured. That is probably the behaviour you want in most situations, // as you probably don't want to link back to the RSS version of a page, as an // example. AMP would, however, be a good example of an output format where this // behaviour is wanted. Permalinkable bool `json:"permalinkable"` // Setting this to a non-zero value will be used as the first sort criteria. Weight int `json:"weight"` } // An ordered list of built-in output formats. var ( AMPFormat = Format{ Name: "AMP", MediaType: media.HTMLType, BaseName: "index", Path: "amp", Rel: "amphtml", IsHTML: true, Permalinkable: true, // See https://www.ampproject.org/learn/overview/ } CalendarFormat = Format{ Name: "Calendar", MediaType: media.CalendarType, IsPlainText: true, Protocol: "webcal://", BaseName: "index", Rel: "alternate", } CSSFormat = Format{ Name: "CSS", MediaType: media.CSSType, BaseName: "styles", IsPlainText: true, Rel: "stylesheet", NotAlternative: true, } CSVFormat = Format{ Name: "CSV", MediaType: media.CSVType, BaseName: "index", IsPlainText: true, Rel: "alternate", } HTMLFormat = Format{ Name: "HTML", MediaType: media.HTMLType, BaseName: "index", Rel: "canonical", IsHTML: true, Permalinkable: true, // Weight will be used as first sort criteria. HTML will, by default, // be rendered first, but set it to 10 so it's easy to put one above it. Weight: 10, } JSONFormat = Format{ Name: "JSON", MediaType: media.JSONType, BaseName: "index", IsPlainText: true, Rel: "alternate", } RobotsTxtFormat = Format{ Name: "ROBOTS", MediaType: media.TextType, BaseName: "robots", IsPlainText: true, Rel: "alternate", } RSSFormat = Format{ Name: "RSS", MediaType: media.RSSType, BaseName: "index", NoUgly: true, Rel: "alternate", } SitemapFormat = Format{ Name: "Sitemap", MediaType: media.XMLType, BaseName: "sitemap", NoUgly: true, Rel: "sitemap", } ) // DefaultFormats contains the default output formats supported by Hugo. var DefaultFormats = Formats{ AMPFormat, CalendarFormat, CSSFormat, CSVFormat, HTMLFormat, JSONFormat, RobotsTxtFormat, RSSFormat, SitemapFormat, } func init() { sort.Sort(DefaultFormats) } // Formats is a slice of Format. type Formats []Format func (formats Formats) Len() int { return len(formats) } func (formats Formats) Swap(i, j int) { formats[i], formats[j] = formats[j], formats[i] } func (formats Formats) Less(i, j int) bool { fi, fj := formats[i], formats[j] if fi.Weight == fj.Weight { return fi.Name < fj.Name } if fj.Weight == 0 { return true } return fi.Weight > 0 && fi.Weight < fj.Weight } // GetBySuffix gets a output format given as suffix, e.g. "html". // It will return false if no format could be found, or if the suffix given // is ambiguous. // The lookup is case insensitive. func (formats Formats) GetBySuffix(suffix string) (f Format, found bool) { for _, ff := range formats { if strings.EqualFold(suffix, ff.MediaType.Suffix()) { if found { // ambiguous found = false return } f = ff found = true } } return } // GetByName gets a format by its identifier name. func (formats Formats) GetByName(name string) (f Format, found bool) { for _, ff := range formats { if strings.EqualFold(name, ff.Name) { f = ff found = true return } } return } // GetByNames gets a list of formats given a list of identifiers. func (formats Formats) GetByNames(names ...string) (Formats, error) { var types []Format for _, name := range names { tpe, ok := formats.GetByName(name) if !ok { return types, fmt.Errorf("OutputFormat with key %q not found", name) } types = append(types, tpe) } return types, nil } // FromFilename gets a Format given a filename. func (formats Formats) FromFilename(filename string) (f Format, found bool) { // mytemplate.amp.html // mytemplate.html // mytemplate var ext, outFormat string parts := strings.Split(filename, ".") if len(parts) > 2 { outFormat = parts[1] ext = parts[2] } else if len(parts) > 1 { ext = parts[1] } if outFormat != "" { return formats.GetByName(outFormat) } if ext != "" { f, found = formats.GetBySuffix(ext) if !found && len(parts) == 2 { // For extensionless output formats (e.g. Netlify's _redirects) // we must fall back to using the extension as format lookup. f, found = formats.GetByName(ext) } } return } // DecodeFormats takes a list of output format configurations and merges those, // in the order given, with the Hugo defaults as the last resort. func DecodeFormats(mediaTypes media.Types, maps ...map[string]interface{}) (Formats, error) { f := make(Formats, len(DefaultFormats)) copy(f, DefaultFormats) for _, m := range maps { for k, v := range m { found := false for i, vv := range f { if strings.EqualFold(k, vv.Name) { // Merge it with the existing if err := decode(mediaTypes, v, &f[i]); err != nil { return f, err } found = true } } if !found { var newOutFormat Format newOutFormat.Name = k if err := decode(mediaTypes, v, &newOutFormat); err != nil { return f, err } // We need values for these if newOutFormat.BaseName == "" { newOutFormat.BaseName = "index" } if newOutFormat.Rel == "" { newOutFormat.Rel = "alternate" } f = append(f, newOutFormat) } } } sort.Sort(f) return f, nil } func decode(mediaTypes media.Types, input, output interface{}) error { config := &mapstructure.DecoderConfig{ Metadata: nil, Result: output, WeaklyTypedInput: true, DecodeHook: func(a reflect.Type, b reflect.Type, c interface{}) (interface{}, error) { if a.Kind() == reflect.Map { dataVal := reflect.Indirect(reflect.ValueOf(c)) for _, key := range dataVal.MapKeys() { keyStr, ok := key.Interface().(string) if !ok { // Not a string key continue } if strings.EqualFold(keyStr, "mediaType") { // If mediaType is a string, look it up and replace it // in the map. vv := dataVal.MapIndex(key) if mediaTypeStr, ok := vv.Interface().(string); ok { mediaType, found := mediaTypes.GetByType(mediaTypeStr) if !found { return c, fmt.Errorf("media type %q not found", mediaTypeStr) } dataVal.SetMapIndex(key, reflect.ValueOf(mediaType)) } } } } return c, nil }, } decoder, err := mapstructure.NewDecoder(config) if err != nil { return err } return decoder.Decode(input) } // BaseFilename returns the base filename of f including an extension (ie. // "index.xml"). func (f Format) BaseFilename() string { return f.BaseName + f.MediaType.FullSuffix() } // MarshalJSON returns the JSON encoding of f. func (f Format) MarshalJSON() ([]byte, error) { type Alias Format return json.Marshal(&struct { MediaType string Alias }{ MediaType: f.MediaType.String(), Alias: (Alias)(f), }) }
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./hugolib/testhelpers_test.go
package hugolib import ( "bytes" "fmt" "image/jpeg" "io" "math/rand" "os" "path/filepath" "regexp" "runtime" "sort" "strconv" "strings" "testing" "text/template" "time" "unicode/utf8" "github.com/gohugoio/hugo/htesting" "github.com/gohugoio/hugo/output" "github.com/gohugoio/hugo/parser/metadecoders" "github.com/google/go-cmp/cmp" "github.com/gohugoio/hugo/parser" "github.com/pkg/errors" "github.com/fsnotify/fsnotify" "github.com/gohugoio/hugo/common/herrors" "github.com/gohugoio/hugo/config" "github.com/gohugoio/hugo/deps" "github.com/gohugoio/hugo/resources/page" "github.com/sanity-io/litter" "github.com/spf13/afero" "github.com/spf13/cast" "github.com/gohugoio/hugo/helpers" "github.com/gohugoio/hugo/tpl" "github.com/spf13/viper" "github.com/gohugoio/hugo/resources/resource" qt "github.com/frankban/quicktest" "github.com/gohugoio/hugo/common/loggers" "github.com/gohugoio/hugo/hugofs" ) var ( deepEqualsPages = qt.CmpEquals(cmp.Comparer(func(p1, p2 *pageState) bool { return p1 == p2 })) deepEqualsOutputFormats = qt.CmpEquals(cmp.Comparer(func(o1, o2 output.Format) bool { return o1.Name == o2.Name && o1.MediaType.Type() == o2.MediaType.Type() })) ) type sitesBuilder struct { Cfg config.Provider environ []string Fs *hugofs.Fs T testing.TB depsCfg deps.DepsCfg *qt.C logger loggers.Logger rnd *rand.Rand dumper litter.Options // Used to test partial rebuilds. changedFiles []string removedFiles []string // Aka the Hugo server mode. running bool H *HugoSites theme string // Default toml configFormat string configFileSet bool viperSet bool // Default is empty. // TODO(bep) revisit this and consider always setting it to something. // Consider this in relation to using the BaseFs.PublishFs to all publishing. workingDir string addNothing bool // Base data/content contentFilePairs []filenameContent templateFilePairs []filenameContent i18nFilePairs []filenameContent dataFilePairs []filenameContent // Additional data/content. // As in "use the base, but add these on top". contentFilePairsAdded []filenameContent templateFilePairsAdded []filenameContent i18nFilePairsAdded []filenameContent dataFilePairsAdded []filenameContent } type filenameContent struct { filename string content string } func newTestSitesBuilder(t testing.TB) *sitesBuilder { v := viper.New() fs := hugofs.NewMem(v) litterOptions := litter.Options{ HidePrivateFields: true, StripPackageNames: true, Separator: " ", } return &sitesBuilder{ T: t, C: qt.New(t), Fs: fs, configFormat: "toml", dumper: litterOptions, rnd: rand.New(rand.NewSource(time.Now().Unix())), } } func newTestSitesBuilderFromDepsCfg(t testing.TB, d deps.DepsCfg) *sitesBuilder { c := qt.New(t) litterOptions := litter.Options{ HidePrivateFields: true, StripPackageNames: true, Separator: " ", } b := &sitesBuilder{T: t, C: c, depsCfg: d, Fs: d.Fs, dumper: litterOptions, rnd: rand.New(rand.NewSource(time.Now().Unix()))} workingDir := d.Cfg.GetString("workingDir") b.WithWorkingDir(workingDir) return b.WithViper(d.Cfg.(*viper.Viper)) } func (s *sitesBuilder) Running() *sitesBuilder { s.running = true return s } func (s *sitesBuilder) WithNothingAdded() *sitesBuilder { s.addNothing = true return s } func (s *sitesBuilder) WithLogger(logger loggers.Logger) *sitesBuilder { s.logger = logger return s } func (s *sitesBuilder) WithWorkingDir(dir string) *sitesBuilder { s.workingDir = filepath.FromSlash(dir) return s } func (s *sitesBuilder) WithEnviron(env ...string) *sitesBuilder { for i := 0; i < len(env); i += 2 { s.environ = append(s.environ, fmt.Sprintf("%s=%s", env[i], env[i+1])) } return s } func (s *sitesBuilder) WithConfigTemplate(data interface{}, format, configTemplate string) *sitesBuilder { s.T.Helper() if format == "" { format = "toml" } templ, err := template.New("test").Parse(configTemplate) if err != nil { s.Fatalf("Template parse failed: %s", err) } var b bytes.Buffer templ.Execute(&b, data) return s.WithConfigFile(format, b.String()) } func (s *sitesBuilder) WithViper(v *viper.Viper) *sitesBuilder { s.T.Helper() if s.configFileSet { s.T.Fatal("WithViper: use Viper or config.toml, not both") } defer func() { s.viperSet = true }() // Write to a config file to make sure the tests follow the same code path. var buff bytes.Buffer m := v.AllSettings() s.Assert(parser.InterfaceToConfig(m, metadecoders.TOML, &buff), qt.IsNil) return s.WithConfigFile("toml", buff.String()) } func (s *sitesBuilder) WithConfigFile(format, conf string) *sitesBuilder { s.T.Helper() if s.viperSet { s.T.Fatal("WithConfigFile: use Viper or config.toml, not both") } s.configFileSet = true filename := s.absFilename("config." + format) writeSource(s.T, s.Fs, filename, conf) s.configFormat = format return s } func (s *sitesBuilder) WithThemeConfigFile(format, conf string) *sitesBuilder { s.T.Helper() if s.theme == "" { s.theme = "test-theme" } filename := filepath.Join("themes", s.theme, "config."+format) writeSource(s.T, s.Fs, s.absFilename(filename), conf) return s } func (s *sitesBuilder) WithSourceFile(filenameContent ...string) *sitesBuilder { s.T.Helper() for i := 0; i < len(filenameContent); i += 2 { writeSource(s.T, s.Fs, s.absFilename(filenameContent[i]), filenameContent[i+1]) } return s } func (s *sitesBuilder) absFilename(filename string) string { filename = filepath.FromSlash(filename) if filepath.IsAbs(filename) { return filename } if s.workingDir != "" && !strings.HasPrefix(filename, s.workingDir) { filename = filepath.Join(s.workingDir, filename) } return filename } const commonConfigSections = ` [services] [services.disqus] shortname = "disqus_shortname" [services.googleAnalytics] id = "ga_id" [privacy] [privacy.disqus] disable = false [privacy.googleAnalytics] respectDoNotTrack = true anonymizeIP = true [privacy.instagram] simple = true [privacy.twitter] enableDNT = true [privacy.vimeo] disable = false [privacy.youtube] disable = false privacyEnhanced = true ` func (s *sitesBuilder) WithSimpleConfigFile() *sitesBuilder { s.T.Helper() return s.WithSimpleConfigFileAndBaseURL("http://example.com/") } func (s *sitesBuilder) WithSimpleConfigFileAndBaseURL(baseURL string) *sitesBuilder { s.T.Helper() return s.WithSimpleConfigFileAndSettings(map[string]interface{}{"baseURL": baseURL}) } func (s *sitesBuilder) WithSimpleConfigFileAndSettings(settings interface{}) *sitesBuilder { s.T.Helper() var buf bytes.Buffer parser.InterfaceToConfig(settings, metadecoders.TOML, &buf) config := buf.String() + commonConfigSections return s.WithConfigFile("toml", config) } func (s *sitesBuilder) WithDefaultMultiSiteConfig() *sitesBuilder { defaultMultiSiteConfig := ` baseURL = "http://example.com/blog" paginate = 1 disablePathToLower = true defaultContentLanguage = "en" defaultContentLanguageInSubdir = true [permalinks] other = "/somewhere/else/:filename" [blackfriday] angledQuotes = true [Taxonomies] tag = "tags" [Languages] [Languages.en] weight = 10 title = "In English" languageName = "English" [Languages.en.blackfriday] angledQuotes = false [[Languages.en.menu.main]] url = "/" name = "Home" weight = 0 [Languages.fr] weight = 20 title = "Le Français" languageName = "Français" [Languages.fr.Taxonomies] plaque = "plaques" [Languages.nn] weight = 30 title = "På nynorsk" languageName = "Nynorsk" paginatePath = "side" [Languages.nn.Taxonomies] lag = "lag" [[Languages.nn.menu.main]] url = "/" name = "Heim" weight = 1 [Languages.nb] weight = 40 title = "På bokmål" languageName = "Bokmål" paginatePath = "side" [Languages.nb.Taxonomies] lag = "lag" ` + commonConfigSections return s.WithConfigFile("toml", defaultMultiSiteConfig) } func (s *sitesBuilder) WithSunset(in string) { // Write a real image into one of the bundle above. src, err := os.Open(filepath.FromSlash("testdata/sunset.jpg")) s.Assert(err, qt.IsNil) out, err := s.Fs.Source.Create(filepath.FromSlash(filepath.Join(s.workingDir, in))) s.Assert(err, qt.IsNil) _, err = io.Copy(out, src) s.Assert(err, qt.IsNil) out.Close() src.Close() } func (s *sitesBuilder) createFilenameContent(pairs []string) []filenameContent { var slice []filenameContent s.appendFilenameContent(&slice, pairs...) return slice } func (s *sitesBuilder) appendFilenameContent(slice *[]filenameContent, pairs ...string) { if len(pairs)%2 != 0 { panic("file content mismatch") } for i := 0; i < len(pairs); i += 2 { c := filenameContent{ filename: pairs[i], content: pairs[i+1], } *slice = append(*slice, c) } } func (s *sitesBuilder) WithContent(filenameContent ...string) *sitesBuilder { s.appendFilenameContent(&s.contentFilePairs, filenameContent...) return s } func (s *sitesBuilder) WithContentAdded(filenameContent ...string) *sitesBuilder { s.appendFilenameContent(&s.contentFilePairsAdded, filenameContent...) return s } func (s *sitesBuilder) WithTemplates(filenameContent ...string) *sitesBuilder { s.appendFilenameContent(&s.templateFilePairs, filenameContent...) return s } func (s *sitesBuilder) WithTemplatesAdded(filenameContent ...string) *sitesBuilder { s.appendFilenameContent(&s.templateFilePairsAdded, filenameContent...) return s } func (s *sitesBuilder) WithData(filenameContent ...string) *sitesBuilder { s.appendFilenameContent(&s.dataFilePairs, filenameContent...) return s } func (s *sitesBuilder) WithDataAdded(filenameContent ...string) *sitesBuilder { s.appendFilenameContent(&s.dataFilePairsAdded, filenameContent...) return s } func (s *sitesBuilder) WithI18n(filenameContent ...string) *sitesBuilder { s.appendFilenameContent(&s.i18nFilePairs, filenameContent...) return s } func (s *sitesBuilder) WithI18nAdded(filenameContent ...string) *sitesBuilder { s.appendFilenameContent(&s.i18nFilePairsAdded, filenameContent...) return s } func (s *sitesBuilder) EditFiles(filenameContent ...string) *sitesBuilder { for i := 0; i < len(filenameContent); i += 2 { filename, content := filepath.FromSlash(filenameContent[i]), filenameContent[i+1] absFilename := s.absFilename(filename) s.changedFiles = append(s.changedFiles, absFilename) writeSource(s.T, s.Fs, absFilename, content) } return s } func (s *sitesBuilder) RemoveFiles(filenames ...string) *sitesBuilder { for _, filename := range filenames { absFilename := s.absFilename(filename) s.removedFiles = append(s.removedFiles, absFilename) s.Assert(s.Fs.Source.Remove(absFilename), qt.IsNil) } return s } func (s *sitesBuilder) writeFilePairs(folder string, files []filenameContent) *sitesBuilder { // We have had some "filesystem ordering" bugs that we have not discovered in // our tests running with the in memory filesystem. // That file system is backed by a map so not sure how this helps, but some // randomness in tests doesn't hurt. // TODO(bep) this turns out to be more confusing than helpful. // s.rnd.Shuffle(len(files), func(i, j int) { files[i], files[j] = files[j], files[i] }) for _, fc := range files { target := folder // TODO(bep) clean up this magic. if strings.HasPrefix(fc.filename, folder) { target = "" } if s.workingDir != "" { target = filepath.Join(s.workingDir, target) } writeSource(s.T, s.Fs, filepath.Join(target, fc.filename), fc.content) } return s } func (s *sitesBuilder) CreateSites() *sitesBuilder { if err := s.CreateSitesE(); err != nil { herrors.PrintStackTraceFromErr(err) s.Fatalf("Failed to create sites: %s", err) } return s } func (s *sitesBuilder) LoadConfig() error { if !s.configFileSet { s.WithSimpleConfigFile() } cfg, _, err := LoadConfig(ConfigSourceDescriptor{ WorkingDir: s.workingDir, Fs: s.Fs.Source, Logger: s.logger, Environ: s.environ, Filename: "config." + s.configFormat, }, func(cfg config.Provider) error { return nil }) if err != nil { return err } s.Cfg = cfg return nil } func (s *sitesBuilder) CreateSitesE() error { if !s.addNothing { if _, ok := s.Fs.Source.(*afero.OsFs); ok { for _, dir := range []string{ "content/sect", "layouts/_default", "layouts/_default/_markup", "layouts/partials", "layouts/shortcodes", "data", "i18n", } { if err := os.MkdirAll(filepath.Join(s.workingDir, dir), 0777); err != nil { return errors.Wrapf(err, "failed to create %q", dir) } } } s.addDefaults() s.writeFilePairs("content", s.contentFilePairsAdded) s.writeFilePairs("layouts", s.templateFilePairsAdded) s.writeFilePairs("data", s.dataFilePairsAdded) s.writeFilePairs("i18n", s.i18nFilePairsAdded) s.writeFilePairs("i18n", s.i18nFilePairs) s.writeFilePairs("data", s.dataFilePairs) s.writeFilePairs("content", s.contentFilePairs) s.writeFilePairs("layouts", s.templateFilePairs) } if err := s.LoadConfig(); err != nil { return errors.Wrap(err, "failed to load config") } s.Fs.Destination = hugofs.NewCreateCountingFs(s.Fs.Destination) depsCfg := s.depsCfg depsCfg.Fs = s.Fs depsCfg.Cfg = s.Cfg depsCfg.Logger = s.logger depsCfg.Running = s.running sites, err := NewHugoSites(depsCfg) if err != nil { return errors.Wrap(err, "failed to create sites") } s.H = sites return nil } func (s *sitesBuilder) BuildE(cfg BuildCfg) error { if s.H == nil { s.CreateSites() } return s.H.Build(cfg) } func (s *sitesBuilder) Build(cfg BuildCfg) *sitesBuilder { s.T.Helper() return s.build(cfg, false) } func (s *sitesBuilder) BuildFail(cfg BuildCfg) *sitesBuilder { s.T.Helper() return s.build(cfg, true) } func (s *sitesBuilder) changeEvents() []fsnotify.Event { var events []fsnotify.Event for _, v := range s.changedFiles { events = append(events, fsnotify.Event{ Name: v, Op: fsnotify.Write, }) } for _, v := range s.removedFiles { events = append(events, fsnotify.Event{ Name: v, Op: fsnotify.Remove, }) } return events } func (s *sitesBuilder) build(cfg BuildCfg, shouldFail bool) *sitesBuilder { s.Helper() defer func() { s.changedFiles = nil }() if s.H == nil { s.CreateSites() } err := s.H.Build(cfg, s.changeEvents()...) if err == nil { logErrorCount := s.H.NumLogErrors() if logErrorCount > 0 { err = fmt.Errorf("logged %d errors", logErrorCount) } } if err != nil && !shouldFail { herrors.PrintStackTraceFromErr(err) s.Fatalf("Build failed: %s", err) } else if err == nil && shouldFail { s.Fatalf("Expected error") } return s } func (s *sitesBuilder) addDefaults() { var ( contentTemplate = `--- title: doc1 weight: 1 tags: - tag1 date: "2018-02-28" --- # doc1 *some "content"* {{< shortcode >}} {{< lingo >}} ` defaultContent = []string{ "content/sect/doc1.en.md", contentTemplate, "content/sect/doc1.fr.md", contentTemplate, "content/sect/doc1.nb.md", contentTemplate, "content/sect/doc1.nn.md", contentTemplate, } listTemplateCommon = "{{ $p := .Paginator }}{{ $p.PageNumber }}|{{ .Title }}|{{ i18n \"hello\" }}|{{ .Permalink }}|Pager: {{ template \"_internal/pagination.html\" . }}|Kind: {{ .Kind }}|Content: {{ .Content }}|Len Pages: {{ len .Pages }}|Len RegularPages: {{ len .RegularPages }}| HasParent: {{ if .Parent }}YES{{ else }}NO{{ end }}" defaultTemplates = []string{ "_default/single.html", "Single: {{ .Title }}|{{ i18n \"hello\" }}|{{.Language.Lang}}|RelPermalink: {{ .RelPermalink }}|Permalink: {{ .Permalink }}|{{ .Content }}|Resources: {{ range .Resources }}{{ .MediaType }}: {{ .RelPermalink}} -- {{ end }}|Summary: {{ .Summary }}|Truncated: {{ .Truncated }}|Parent: {{ .Parent.Title }}", "_default/list.html", "List Page " + listTemplateCommon, "index.html", "{{ $p := .Paginator }}Default Home Page {{ $p.PageNumber }}: {{ .Title }}|{{ .IsHome }}|{{ i18n \"hello\" }}|{{ .Permalink }}|{{ .Site.Data.hugo.slogan }}|String Resource: {{ ( \"Hugo Pipes\" | resources.FromString \"text/pipes.txt\").RelPermalink }}", "index.fr.html", "{{ $p := .Paginator }}French Home Page {{ $p.PageNumber }}: {{ .Title }}|{{ .IsHome }}|{{ i18n \"hello\" }}|{{ .Permalink }}|{{ .Site.Data.hugo.slogan }}|String Resource: {{ ( \"Hugo Pipes\" | resources.FromString \"text/pipes.txt\").RelPermalink }}", "_default/terms.html", "Taxonomy Term Page " + listTemplateCommon, "_default/taxonomy.html", "Taxonomy List Page " + listTemplateCommon, // Shortcodes "shortcodes/shortcode.html", "Shortcode: {{ i18n \"hello\" }}", // A shortcode in multiple languages "shortcodes/lingo.html", "LingoDefault", "shortcodes/lingo.fr.html", "LingoFrench", // Special templates "404.html", "404|{{ .Lang }}|{{ .Title }}", "robots.txt", "robots|{{ .Lang }}|{{ .Title }}", } defaultI18n = []string{ "en.yaml", ` hello: other: "Hello" `, "fr.yaml", ` hello: other: "Bonjour" `, } defaultData = []string{ "hugo.toml", "slogan = \"Hugo Rocks!\"", } ) if len(s.contentFilePairs) == 0 { s.writeFilePairs("content", s.createFilenameContent(defaultContent)) } if len(s.templateFilePairs) == 0 { s.writeFilePairs("layouts", s.createFilenameContent(defaultTemplates)) } if len(s.dataFilePairs) == 0 { s.writeFilePairs("data", s.createFilenameContent(defaultData)) } if len(s.i18nFilePairs) == 0 { s.writeFilePairs("i18n", s.createFilenameContent(defaultI18n)) } } func (s *sitesBuilder) Fatalf(format string, args ...interface{}) { s.T.Helper() s.T.Fatalf(format, args...) } func (s *sitesBuilder) AssertFileContentFn(filename string, f func(s string) bool) { s.T.Helper() content := s.FileContent(filename) if !f(content) { s.Fatalf("Assert failed for %q in content\n%s", filename, content) } } func (s *sitesBuilder) AssertHome(matches ...string) { s.AssertFileContent("public/index.html", matches...) } func (s *sitesBuilder) AssertFileContent(filename string, matches ...string) { s.T.Helper() content := s.FileContent(filename) for _, m := range matches { lines := strings.Split(m, "\n") for _, match := range lines { match = strings.TrimSpace(match) if match == "" { continue } if !strings.Contains(content, match) { s.Fatalf("No match for %q in content for %s\n%s\n%q", match, filename, content, content) } } } } func (s *sitesBuilder) AssertFileDoesNotExist(filename string) { if s.CheckExists(filename) { s.Fatalf("File %q exists but must not exist.", filename) } } func (s *sitesBuilder) AssertImage(width, height int, filename string) { filename = filepath.Join(s.workingDir, filename) f, err := s.Fs.Destination.Open(filename) s.Assert(err, qt.IsNil) defer f.Close() cfg, err := jpeg.DecodeConfig(f) s.Assert(err, qt.IsNil) s.Assert(cfg.Width, qt.Equals, width) s.Assert(cfg.Height, qt.Equals, height) } func (s *sitesBuilder) AssertNoDuplicateWrites() { s.Helper() d := s.Fs.Destination.(hugofs.DuplicatesReporter) s.Assert(d.ReportDuplicates(), qt.Equals, "") } func (s *sitesBuilder) FileContent(filename string) string { s.T.Helper() filename = filepath.FromSlash(filename) if !strings.HasPrefix(filename, s.workingDir) { filename = filepath.Join(s.workingDir, filename) } return readDestination(s.T, s.Fs, filename) } func (s *sitesBuilder) AssertObject(expected string, object interface{}) { s.T.Helper() got := s.dumper.Sdump(object) expected = strings.TrimSpace(expected) if expected != got { fmt.Println(got) diff := htesting.DiffStrings(expected, got) s.Fatalf("diff:\n%s\nexpected\n%s\ngot\n%s", diff, expected, got) } } func (s *sitesBuilder) AssertFileContentRe(filename string, matches ...string) { content := readDestination(s.T, s.Fs, filename) for _, match := range matches { r := regexp.MustCompile("(?s)" + match) if !r.MatchString(content) { s.Fatalf("No match for %q in content for %s\n%q", match, filename, content) } } } func (s *sitesBuilder) CheckExists(filename string) bool { return destinationExists(s.Fs, filepath.Clean(filename)) } func (s *sitesBuilder) GetPage(ref string) page.Page { p, err := s.H.Sites[0].getPageNew(nil, ref) s.Assert(err, qt.IsNil) return p } func (s *sitesBuilder) GetPageRel(p page.Page, ref string) page.Page { p, err := s.H.Sites[0].getPageNew(p, ref) s.Assert(err, qt.IsNil) return p } func newTestHelper(cfg config.Provider, fs *hugofs.Fs, t testing.TB) testHelper { return testHelper{ Cfg: cfg, Fs: fs, C: qt.New(t), } } type testHelper struct { Cfg config.Provider Fs *hugofs.Fs *qt.C } func (th testHelper) assertFileContent(filename string, matches ...string) { th.Helper() filename = th.replaceDefaultContentLanguageValue(filename) content := readDestination(th, th.Fs, filename) for _, match := range matches { match = th.replaceDefaultContentLanguageValue(match) th.Assert(strings.Contains(content, match), qt.Equals, true, qt.Commentf(match+" not in: \n"+content)) } } func (th testHelper) assertFileContentRegexp(filename string, matches ...string) { filename = th.replaceDefaultContentLanguageValue(filename) content := readDestination(th, th.Fs, filename) for _, match := range matches { match = th.replaceDefaultContentLanguageValue(match) r := regexp.MustCompile(match) matches := r.MatchString(content) if !matches { fmt.Println(match+":\n", content) } th.Assert(matches, qt.Equals, true) } } func (th testHelper) assertFileNotExist(filename string) { exists, err := helpers.Exists(filename, th.Fs.Destination) th.Assert(err, qt.IsNil) th.Assert(exists, qt.Equals, false) } func (th testHelper) replaceDefaultContentLanguageValue(value string) string { defaultInSubDir := th.Cfg.GetBool("defaultContentLanguageInSubDir") replace := th.Cfg.GetString("defaultContentLanguage") + "/" if !defaultInSubDir { value = strings.Replace(value, replace, "", 1) } return value } func loadTestConfig(fs afero.Fs, withConfig ...func(cfg config.Provider) error) (*viper.Viper, error) { v, _, err := LoadConfig(ConfigSourceDescriptor{Fs: fs}, withConfig...) return v, err } func newTestCfgBasic() (*viper.Viper, *hugofs.Fs) { mm := afero.NewMemMapFs() v := viper.New() v.Set("defaultContentLanguageInSubdir", true) fs := hugofs.NewFrom(hugofs.NewBaseFileDecorator(mm), v) return v, fs } func newTestCfg(withConfig ...func(cfg config.Provider) error) (*viper.Viper, *hugofs.Fs) { mm := afero.NewMemMapFs() v, err := loadTestConfig(mm, func(cfg config.Provider) error { // Default is false, but true is easier to use as default in tests cfg.Set("defaultContentLanguageInSubdir", true) for _, w := range withConfig { w(cfg) } return nil }) if err != nil && err != ErrNoConfigFile { panic(err) } fs := hugofs.NewFrom(hugofs.NewBaseFileDecorator(mm), v) return v, fs } func newTestSitesFromConfig(t testing.TB, afs afero.Fs, tomlConfig string, layoutPathContentPairs ...string) (testHelper, *HugoSites) { if len(layoutPathContentPairs)%2 != 0 { t.Fatalf("Layouts must be provided in pairs") } c := qt.New(t) writeToFs(t, afs, filepath.Join("content", ".gitkeep"), "") writeToFs(t, afs, "config.toml", tomlConfig) cfg, err := LoadConfigDefault(afs) c.Assert(err, qt.IsNil) fs := hugofs.NewFrom(afs, cfg) th := newTestHelper(cfg, fs, t) for i := 0; i < len(layoutPathContentPairs); i += 2 { writeSource(t, fs, layoutPathContentPairs[i], layoutPathContentPairs[i+1]) } h, err := NewHugoSites(deps.DepsCfg{Fs: fs, Cfg: cfg}) c.Assert(err, qt.IsNil) return th, h } func createWithTemplateFromNameValues(additionalTemplates ...string) func(templ tpl.TemplateManager) error { return func(templ tpl.TemplateManager) error { for i := 0; i < len(additionalTemplates); i += 2 { err := templ.AddTemplate(additionalTemplates[i], additionalTemplates[i+1]) if err != nil { return err } } return nil } } // TODO(bep) replace these with the builder func buildSingleSite(t testing.TB, depsCfg deps.DepsCfg, buildCfg BuildCfg) *Site { t.Helper() return buildSingleSiteExpected(t, false, false, depsCfg, buildCfg) } func buildSingleSiteExpected(t testing.TB, expectSiteInitError, expectBuildError bool, depsCfg deps.DepsCfg, buildCfg BuildCfg) *Site { t.Helper() b := newTestSitesBuilderFromDepsCfg(t, depsCfg).WithNothingAdded() err := b.CreateSitesE() if expectSiteInitError { b.Assert(err, qt.Not(qt.IsNil)) return nil } else { b.Assert(err, qt.IsNil) } h := b.H b.Assert(len(h.Sites), qt.Equals, 1) if expectBuildError { b.Assert(h.Build(buildCfg), qt.Not(qt.IsNil)) return nil } b.Assert(h.Build(buildCfg), qt.IsNil) return h.Sites[0] } func writeSourcesToSource(t *testing.T, base string, fs *hugofs.Fs, sources ...[2]string) { for _, src := range sources { writeSource(t, fs, filepath.Join(base, src[0]), src[1]) } } func getPage(in page.Page, ref string) page.Page { p, err := in.GetPage(ref) if err != nil { panic(err) } return p } func content(c resource.ContentProvider) string { cc, err := c.Content() if err != nil { panic(err) } ccs, err := cast.ToStringE(cc) if err != nil { panic(err) } return ccs } func pagesToString(pages ...page.Page) string { var paths []string for _, p := range pages { paths = append(paths, p.Path()) } sort.Strings(paths) return strings.Join(paths, "|") } func dumpPages(pages ...page.Page) { fmt.Println("---------") for _, p := range pages { var meta interface{} if p.File() != nil && p.File().FileInfo() != nil { meta = p.File().FileInfo().Meta() } fmt.Printf("Kind: %s Title: %-10s RelPermalink: %-10s Path: %-10s sections: %s Lang: %s Meta: %v\n", p.Kind(), p.Title(), p.RelPermalink(), p.Path(), p.SectionsPath(), p.Lang(), meta) } } func dumpSPages(pages ...*pageState) { for i, p := range pages { fmt.Printf("%d: Kind: %s Title: %-10s RelPermalink: %-10s Path: %-10s sections: %s\n", i+1, p.Kind(), p.Title(), p.RelPermalink(), p.Path(), p.SectionsPath()) } } func printStringIndexes(s string) { lines := strings.Split(s, "\n") i := 0 for _, line := range lines { for _, r := range line { fmt.Printf("%-3s", strconv.Itoa(i)) i += utf8.RuneLen(r) } i++ fmt.Println() for _, r := range line { fmt.Printf("%-3s", string(r)) } fmt.Println() } } // See https://github.com/golang/go/issues/19280 // Not in use. var parallelEnabled = true func parallel(t *testing.T) { if parallelEnabled { t.Parallel() } } func skipSymlink(t *testing.T) { if runtime.GOOS == "windows" && os.Getenv("CI") == "" { t.Skip("skip symlink test on local Windows (needs admin)") } } func captureStderr(f func() error) (string, error) { old := os.Stderr r, w, _ := os.Pipe() os.Stderr = w err := f() w.Close() os.Stderr = old var buf bytes.Buffer io.Copy(&buf, r) return buf.String(), err } func captureStdout(f func() error) (string, error) { old := os.Stdout r, w, _ := os.Pipe() os.Stdout = w err := f() w.Close() os.Stdout = old var buf bytes.Buffer io.Copy(&buf, r) return buf.String(), err }
package hugolib import ( "bytes" "fmt" "image/jpeg" "io" "math/rand" "os" "path/filepath" "regexp" "runtime" "sort" "strconv" "strings" "testing" "text/template" "time" "unicode/utf8" "github.com/gohugoio/hugo/htesting" "github.com/gohugoio/hugo/output" "github.com/gohugoio/hugo/parser/metadecoders" "github.com/google/go-cmp/cmp" "github.com/gohugoio/hugo/parser" "github.com/pkg/errors" "github.com/fsnotify/fsnotify" "github.com/gohugoio/hugo/common/herrors" "github.com/gohugoio/hugo/config" "github.com/gohugoio/hugo/deps" "github.com/gohugoio/hugo/resources/page" "github.com/sanity-io/litter" "github.com/spf13/afero" "github.com/spf13/cast" "github.com/gohugoio/hugo/helpers" "github.com/gohugoio/hugo/tpl" "github.com/spf13/viper" "github.com/gohugoio/hugo/resources/resource" qt "github.com/frankban/quicktest" "github.com/gohugoio/hugo/common/loggers" "github.com/gohugoio/hugo/hugofs" ) var ( deepEqualsPages = qt.CmpEquals(cmp.Comparer(func(p1, p2 *pageState) bool { return p1 == p2 })) deepEqualsOutputFormats = qt.CmpEquals(cmp.Comparer(func(o1, o2 output.Format) bool { return o1.Name == o2.Name && o1.MediaType.Type() == o2.MediaType.Type() })) ) type sitesBuilder struct { Cfg config.Provider environ []string Fs *hugofs.Fs T testing.TB depsCfg deps.DepsCfg *qt.C logger loggers.Logger rnd *rand.Rand dumper litter.Options // Used to test partial rebuilds. changedFiles []string removedFiles []string // Aka the Hugo server mode. running bool H *HugoSites theme string // Default toml configFormat string configFileSet bool viperSet bool // Default is empty. // TODO(bep) revisit this and consider always setting it to something. // Consider this in relation to using the BaseFs.PublishFs to all publishing. workingDir string addNothing bool // Base data/content contentFilePairs []filenameContent templateFilePairs []filenameContent i18nFilePairs []filenameContent dataFilePairs []filenameContent // Additional data/content. // As in "use the base, but add these on top". contentFilePairsAdded []filenameContent templateFilePairsAdded []filenameContent i18nFilePairsAdded []filenameContent dataFilePairsAdded []filenameContent } type filenameContent struct { filename string content string } func newTestSitesBuilder(t testing.TB) *sitesBuilder { v := viper.New() fs := hugofs.NewMem(v) litterOptions := litter.Options{ HidePrivateFields: true, StripPackageNames: true, Separator: " ", } return &sitesBuilder{ T: t, C: qt.New(t), Fs: fs, configFormat: "toml", dumper: litterOptions, rnd: rand.New(rand.NewSource(time.Now().Unix())), } } func newTestSitesBuilderFromDepsCfg(t testing.TB, d deps.DepsCfg) *sitesBuilder { c := qt.New(t) litterOptions := litter.Options{ HidePrivateFields: true, StripPackageNames: true, Separator: " ", } b := &sitesBuilder{T: t, C: c, depsCfg: d, Fs: d.Fs, dumper: litterOptions, rnd: rand.New(rand.NewSource(time.Now().Unix()))} workingDir := d.Cfg.GetString("workingDir") b.WithWorkingDir(workingDir) return b.WithViper(d.Cfg.(*viper.Viper)) } func (s *sitesBuilder) Running() *sitesBuilder { s.running = true return s } func (s *sitesBuilder) WithNothingAdded() *sitesBuilder { s.addNothing = true return s } func (s *sitesBuilder) WithLogger(logger loggers.Logger) *sitesBuilder { s.logger = logger return s } func (s *sitesBuilder) WithWorkingDir(dir string) *sitesBuilder { s.workingDir = filepath.FromSlash(dir) return s } func (s *sitesBuilder) WithEnviron(env ...string) *sitesBuilder { for i := 0; i < len(env); i += 2 { s.environ = append(s.environ, fmt.Sprintf("%s=%s", env[i], env[i+1])) } return s } func (s *sitesBuilder) WithConfigTemplate(data interface{}, format, configTemplate string) *sitesBuilder { s.T.Helper() if format == "" { format = "toml" } templ, err := template.New("test").Parse(configTemplate) if err != nil { s.Fatalf("Template parse failed: %s", err) } var b bytes.Buffer templ.Execute(&b, data) return s.WithConfigFile(format, b.String()) } func (s *sitesBuilder) WithViper(v *viper.Viper) *sitesBuilder { s.T.Helper() if s.configFileSet { s.T.Fatal("WithViper: use Viper or config.toml, not both") } defer func() { s.viperSet = true }() // Write to a config file to make sure the tests follow the same code path. var buff bytes.Buffer m := v.AllSettings() s.Assert(parser.InterfaceToConfig(m, metadecoders.TOML, &buff), qt.IsNil) return s.WithConfigFile("toml", buff.String()) } func (s *sitesBuilder) WithConfigFile(format, conf string) *sitesBuilder { s.T.Helper() if s.viperSet { s.T.Fatal("WithConfigFile: use Viper or config.toml, not both") } s.configFileSet = true filename := s.absFilename("config." + format) writeSource(s.T, s.Fs, filename, conf) s.configFormat = format return s } func (s *sitesBuilder) WithThemeConfigFile(format, conf string) *sitesBuilder { s.T.Helper() if s.theme == "" { s.theme = "test-theme" } filename := filepath.Join("themes", s.theme, "config."+format) writeSource(s.T, s.Fs, s.absFilename(filename), conf) return s } func (s *sitesBuilder) WithSourceFile(filenameContent ...string) *sitesBuilder { s.T.Helper() for i := 0; i < len(filenameContent); i += 2 { writeSource(s.T, s.Fs, s.absFilename(filenameContent[i]), filenameContent[i+1]) } return s } func (s *sitesBuilder) absFilename(filename string) string { filename = filepath.FromSlash(filename) if filepath.IsAbs(filename) { return filename } if s.workingDir != "" && !strings.HasPrefix(filename, s.workingDir) { filename = filepath.Join(s.workingDir, filename) } return filename } const commonConfigSections = ` [services] [services.disqus] shortname = "disqus_shortname" [services.googleAnalytics] id = "ga_id" [privacy] [privacy.disqus] disable = false [privacy.googleAnalytics] respectDoNotTrack = true anonymizeIP = true [privacy.instagram] simple = true [privacy.twitter] enableDNT = true [privacy.vimeo] disable = false [privacy.youtube] disable = false privacyEnhanced = true ` func (s *sitesBuilder) WithSimpleConfigFile() *sitesBuilder { s.T.Helper() return s.WithSimpleConfigFileAndBaseURL("http://example.com/") } func (s *sitesBuilder) WithSimpleConfigFileAndBaseURL(baseURL string) *sitesBuilder { s.T.Helper() return s.WithSimpleConfigFileAndSettings(map[string]interface{}{"baseURL": baseURL}) } func (s *sitesBuilder) WithSimpleConfigFileAndSettings(settings interface{}) *sitesBuilder { s.T.Helper() var buf bytes.Buffer parser.InterfaceToConfig(settings, metadecoders.TOML, &buf) config := buf.String() + commonConfigSections return s.WithConfigFile("toml", config) } func (s *sitesBuilder) WithDefaultMultiSiteConfig() *sitesBuilder { defaultMultiSiteConfig := ` baseURL = "http://example.com/blog" paginate = 1 disablePathToLower = true defaultContentLanguage = "en" defaultContentLanguageInSubdir = true [permalinks] other = "/somewhere/else/:filename" [blackfriday] angledQuotes = true [Taxonomies] tag = "tags" [Languages] [Languages.en] weight = 10 title = "In English" languageName = "English" [Languages.en.blackfriday] angledQuotes = false [[Languages.en.menu.main]] url = "/" name = "Home" weight = 0 [Languages.fr] weight = 20 title = "Le Français" languageName = "Français" [Languages.fr.Taxonomies] plaque = "plaques" [Languages.nn] weight = 30 title = "På nynorsk" languageName = "Nynorsk" paginatePath = "side" [Languages.nn.Taxonomies] lag = "lag" [[Languages.nn.menu.main]] url = "/" name = "Heim" weight = 1 [Languages.nb] weight = 40 title = "På bokmål" languageName = "Bokmål" paginatePath = "side" [Languages.nb.Taxonomies] lag = "lag" ` + commonConfigSections return s.WithConfigFile("toml", defaultMultiSiteConfig) } func (s *sitesBuilder) WithSunset(in string) { // Write a real image into one of the bundle above. src, err := os.Open(filepath.FromSlash("testdata/sunset.jpg")) s.Assert(err, qt.IsNil) out, err := s.Fs.Source.Create(filepath.FromSlash(filepath.Join(s.workingDir, in))) s.Assert(err, qt.IsNil) _, err = io.Copy(out, src) s.Assert(err, qt.IsNil) out.Close() src.Close() } func (s *sitesBuilder) createFilenameContent(pairs []string) []filenameContent { var slice []filenameContent s.appendFilenameContent(&slice, pairs...) return slice } func (s *sitesBuilder) appendFilenameContent(slice *[]filenameContent, pairs ...string) { if len(pairs)%2 != 0 { panic("file content mismatch") } for i := 0; i < len(pairs); i += 2 { c := filenameContent{ filename: pairs[i], content: pairs[i+1], } *slice = append(*slice, c) } } func (s *sitesBuilder) WithContent(filenameContent ...string) *sitesBuilder { s.appendFilenameContent(&s.contentFilePairs, filenameContent...) return s } func (s *sitesBuilder) WithContentAdded(filenameContent ...string) *sitesBuilder { s.appendFilenameContent(&s.contentFilePairsAdded, filenameContent...) return s } func (s *sitesBuilder) WithTemplates(filenameContent ...string) *sitesBuilder { s.appendFilenameContent(&s.templateFilePairs, filenameContent...) return s } func (s *sitesBuilder) WithTemplatesAdded(filenameContent ...string) *sitesBuilder { s.appendFilenameContent(&s.templateFilePairsAdded, filenameContent...) return s } func (s *sitesBuilder) WithData(filenameContent ...string) *sitesBuilder { s.appendFilenameContent(&s.dataFilePairs, filenameContent...) return s } func (s *sitesBuilder) WithDataAdded(filenameContent ...string) *sitesBuilder { s.appendFilenameContent(&s.dataFilePairsAdded, filenameContent...) return s } func (s *sitesBuilder) WithI18n(filenameContent ...string) *sitesBuilder { s.appendFilenameContent(&s.i18nFilePairs, filenameContent...) return s } func (s *sitesBuilder) WithI18nAdded(filenameContent ...string) *sitesBuilder { s.appendFilenameContent(&s.i18nFilePairsAdded, filenameContent...) return s } func (s *sitesBuilder) EditFiles(filenameContent ...string) *sitesBuilder { for i := 0; i < len(filenameContent); i += 2 { filename, content := filepath.FromSlash(filenameContent[i]), filenameContent[i+1] absFilename := s.absFilename(filename) s.changedFiles = append(s.changedFiles, absFilename) writeSource(s.T, s.Fs, absFilename, content) } return s } func (s *sitesBuilder) RemoveFiles(filenames ...string) *sitesBuilder { for _, filename := range filenames { absFilename := s.absFilename(filename) s.removedFiles = append(s.removedFiles, absFilename) s.Assert(s.Fs.Source.Remove(absFilename), qt.IsNil) } return s } func (s *sitesBuilder) writeFilePairs(folder string, files []filenameContent) *sitesBuilder { // We have had some "filesystem ordering" bugs that we have not discovered in // our tests running with the in memory filesystem. // That file system is backed by a map so not sure how this helps, but some // randomness in tests doesn't hurt. // TODO(bep) this turns out to be more confusing than helpful. // s.rnd.Shuffle(len(files), func(i, j int) { files[i], files[j] = files[j], files[i] }) for _, fc := range files { target := folder // TODO(bep) clean up this magic. if strings.HasPrefix(fc.filename, folder) { target = "" } if s.workingDir != "" { target = filepath.Join(s.workingDir, target) } writeSource(s.T, s.Fs, filepath.Join(target, fc.filename), fc.content) } return s } func (s *sitesBuilder) CreateSites() *sitesBuilder { if err := s.CreateSitesE(); err != nil { herrors.PrintStackTraceFromErr(err) s.Fatalf("Failed to create sites: %s", err) } return s } func (s *sitesBuilder) LoadConfig() error { if !s.configFileSet { s.WithSimpleConfigFile() } cfg, _, err := LoadConfig(ConfigSourceDescriptor{ WorkingDir: s.workingDir, Fs: s.Fs.Source, Logger: s.logger, Environ: s.environ, Filename: "config." + s.configFormat, }, func(cfg config.Provider) error { return nil }) if err != nil { return err } s.Cfg = cfg return nil } func (s *sitesBuilder) CreateSitesE() error { if !s.addNothing { if _, ok := s.Fs.Source.(*afero.OsFs); ok { for _, dir := range []string{ "content/sect", "layouts/_default", "layouts/_default/_markup", "layouts/partials", "layouts/shortcodes", "data", "i18n", } { if err := os.MkdirAll(filepath.Join(s.workingDir, dir), 0777); err != nil { return errors.Wrapf(err, "failed to create %q", dir) } } } s.addDefaults() s.writeFilePairs("content", s.contentFilePairsAdded) s.writeFilePairs("layouts", s.templateFilePairsAdded) s.writeFilePairs("data", s.dataFilePairsAdded) s.writeFilePairs("i18n", s.i18nFilePairsAdded) s.writeFilePairs("i18n", s.i18nFilePairs) s.writeFilePairs("data", s.dataFilePairs) s.writeFilePairs("content", s.contentFilePairs) s.writeFilePairs("layouts", s.templateFilePairs) } if err := s.LoadConfig(); err != nil { return errors.Wrap(err, "failed to load config") } s.Fs.Destination = hugofs.NewCreateCountingFs(s.Fs.Destination) depsCfg := s.depsCfg depsCfg.Fs = s.Fs depsCfg.Cfg = s.Cfg depsCfg.Logger = s.logger depsCfg.Running = s.running sites, err := NewHugoSites(depsCfg) if err != nil { return errors.Wrap(err, "failed to create sites") } s.H = sites return nil } func (s *sitesBuilder) BuildE(cfg BuildCfg) error { if s.H == nil { s.CreateSites() } return s.H.Build(cfg) } func (s *sitesBuilder) Build(cfg BuildCfg) *sitesBuilder { s.T.Helper() return s.build(cfg, false) } func (s *sitesBuilder) BuildFail(cfg BuildCfg) *sitesBuilder { s.T.Helper() return s.build(cfg, true) } func (s *sitesBuilder) changeEvents() []fsnotify.Event { var events []fsnotify.Event for _, v := range s.changedFiles { events = append(events, fsnotify.Event{ Name: v, Op: fsnotify.Write, }) } for _, v := range s.removedFiles { events = append(events, fsnotify.Event{ Name: v, Op: fsnotify.Remove, }) } return events } func (s *sitesBuilder) build(cfg BuildCfg, shouldFail bool) *sitesBuilder { s.Helper() defer func() { s.changedFiles = nil }() if s.H == nil { s.CreateSites() } err := s.H.Build(cfg, s.changeEvents()...) if err == nil { logErrorCount := s.H.NumLogErrors() if logErrorCount > 0 { err = fmt.Errorf("logged %d errors", logErrorCount) } } if err != nil && !shouldFail { herrors.PrintStackTraceFromErr(err) s.Fatalf("Build failed: %s", err) } else if err == nil && shouldFail { s.Fatalf("Expected error") } return s } func (s *sitesBuilder) addDefaults() { var ( contentTemplate = `--- title: doc1 weight: 1 tags: - tag1 date: "2018-02-28" --- # doc1 *some "content"* {{< shortcode >}} {{< lingo >}} ` defaultContent = []string{ "content/sect/doc1.en.md", contentTemplate, "content/sect/doc1.fr.md", contentTemplate, "content/sect/doc1.nb.md", contentTemplate, "content/sect/doc1.nn.md", contentTemplate, } listTemplateCommon = "{{ $p := .Paginator }}{{ $p.PageNumber }}|{{ .Title }}|{{ i18n \"hello\" }}|{{ .Permalink }}|Pager: {{ template \"_internal/pagination.html\" . }}|Kind: {{ .Kind }}|Content: {{ .Content }}|Len Pages: {{ len .Pages }}|Len RegularPages: {{ len .RegularPages }}| HasParent: {{ if .Parent }}YES{{ else }}NO{{ end }}" defaultTemplates = []string{ "_default/single.html", "Single: {{ .Title }}|{{ i18n \"hello\" }}|{{.Language.Lang}}|RelPermalink: {{ .RelPermalink }}|Permalink: {{ .Permalink }}|{{ .Content }}|Resources: {{ range .Resources }}{{ .MediaType }}: {{ .RelPermalink}} -- {{ end }}|Summary: {{ .Summary }}|Truncated: {{ .Truncated }}|Parent: {{ .Parent.Title }}", "_default/list.html", "List Page " + listTemplateCommon, "index.html", "{{ $p := .Paginator }}Default Home Page {{ $p.PageNumber }}: {{ .Title }}|{{ .IsHome }}|{{ i18n \"hello\" }}|{{ .Permalink }}|{{ .Site.Data.hugo.slogan }}|String Resource: {{ ( \"Hugo Pipes\" | resources.FromString \"text/pipes.txt\").RelPermalink }}", "index.fr.html", "{{ $p := .Paginator }}French Home Page {{ $p.PageNumber }}: {{ .Title }}|{{ .IsHome }}|{{ i18n \"hello\" }}|{{ .Permalink }}|{{ .Site.Data.hugo.slogan }}|String Resource: {{ ( \"Hugo Pipes\" | resources.FromString \"text/pipes.txt\").RelPermalink }}", "_default/terms.html", "Taxonomy Term Page " + listTemplateCommon, "_default/taxonomy.html", "Taxonomy List Page " + listTemplateCommon, // Shortcodes "shortcodes/shortcode.html", "Shortcode: {{ i18n \"hello\" }}", // A shortcode in multiple languages "shortcodes/lingo.html", "LingoDefault", "shortcodes/lingo.fr.html", "LingoFrench", // Special templates "404.html", "404|{{ .Lang }}|{{ .Title }}", "robots.txt", "robots|{{ .Lang }}|{{ .Title }}", } defaultI18n = []string{ "en.yaml", ` hello: other: "Hello" `, "fr.yaml", ` hello: other: "Bonjour" `, } defaultData = []string{ "hugo.toml", "slogan = \"Hugo Rocks!\"", } ) if len(s.contentFilePairs) == 0 { s.writeFilePairs("content", s.createFilenameContent(defaultContent)) } if len(s.templateFilePairs) == 0 { s.writeFilePairs("layouts", s.createFilenameContent(defaultTemplates)) } if len(s.dataFilePairs) == 0 { s.writeFilePairs("data", s.createFilenameContent(defaultData)) } if len(s.i18nFilePairs) == 0 { s.writeFilePairs("i18n", s.createFilenameContent(defaultI18n)) } } func (s *sitesBuilder) Fatalf(format string, args ...interface{}) { s.T.Helper() s.T.Fatalf(format, args...) } func (s *sitesBuilder) AssertFileContentFn(filename string, f func(s string) bool) { s.T.Helper() content := s.FileContent(filename) if !f(content) { s.Fatalf("Assert failed for %q in content\n%s", filename, content) } } func (s *sitesBuilder) AssertHome(matches ...string) { s.AssertFileContent("public/index.html", matches...) } func (s *sitesBuilder) AssertFileContent(filename string, matches ...string) { s.T.Helper() content := s.FileContent(filename) for _, m := range matches { lines := strings.Split(m, "\n") for _, match := range lines { match = strings.TrimSpace(match) if match == "" { continue } if !strings.Contains(content, match) { s.Fatalf("No match for %q in content for %s\n%s\n%q", match, filename, content, content) } } } } func (s *sitesBuilder) AssertFileDoesNotExist(filename string) { if s.CheckExists(filename) { s.Fatalf("File %q exists but must not exist.", filename) } } func (s *sitesBuilder) AssertImage(width, height int, filename string) { filename = filepath.Join(s.workingDir, filename) f, err := s.Fs.Destination.Open(filename) s.Assert(err, qt.IsNil) defer f.Close() cfg, err := jpeg.DecodeConfig(f) s.Assert(err, qt.IsNil) s.Assert(cfg.Width, qt.Equals, width) s.Assert(cfg.Height, qt.Equals, height) } func (s *sitesBuilder) AssertNoDuplicateWrites() { s.Helper() d := s.Fs.Destination.(hugofs.DuplicatesReporter) s.Assert(d.ReportDuplicates(), qt.Equals, "") } func (s *sitesBuilder) FileContent(filename string) string { s.T.Helper() filename = filepath.FromSlash(filename) if !strings.HasPrefix(filename, s.workingDir) { filename = filepath.Join(s.workingDir, filename) } return readDestination(s.T, s.Fs, filename) } func (s *sitesBuilder) AssertObject(expected string, object interface{}) { s.T.Helper() got := s.dumper.Sdump(object) expected = strings.TrimSpace(expected) if expected != got { fmt.Println(got) diff := htesting.DiffStrings(expected, got) s.Fatalf("diff:\n%s\nexpected\n%s\ngot\n%s", diff, expected, got) } } func (s *sitesBuilder) AssertFileContentRe(filename string, matches ...string) { content := readDestination(s.T, s.Fs, filename) for _, match := range matches { r := regexp.MustCompile("(?s)" + match) if !r.MatchString(content) { s.Fatalf("No match for %q in content for %s\n%q", match, filename, content) } } } func (s *sitesBuilder) CheckExists(filename string) bool { return destinationExists(s.Fs, filepath.Clean(filename)) } func (s *sitesBuilder) GetPage(ref string) page.Page { p, err := s.H.Sites[0].getPageNew(nil, ref) s.Assert(err, qt.IsNil) return p } func (s *sitesBuilder) GetPageRel(p page.Page, ref string) page.Page { p, err := s.H.Sites[0].getPageNew(p, ref) s.Assert(err, qt.IsNil) return p } func newTestHelper(cfg config.Provider, fs *hugofs.Fs, t testing.TB) testHelper { return testHelper{ Cfg: cfg, Fs: fs, C: qt.New(t), } } type testHelper struct { Cfg config.Provider Fs *hugofs.Fs *qt.C } func (th testHelper) assertFileContent(filename string, matches ...string) { th.Helper() filename = th.replaceDefaultContentLanguageValue(filename) content := readDestination(th, th.Fs, filename) for _, match := range matches { match = th.replaceDefaultContentLanguageValue(match) th.Assert(strings.Contains(content, match), qt.Equals, true, qt.Commentf(match+" not in: \n"+content)) } } func (th testHelper) assertFileContentRegexp(filename string, matches ...string) { filename = th.replaceDefaultContentLanguageValue(filename) content := readDestination(th, th.Fs, filename) for _, match := range matches { match = th.replaceDefaultContentLanguageValue(match) r := regexp.MustCompile(match) matches := r.MatchString(content) if !matches { fmt.Println(match+":\n", content) } th.Assert(matches, qt.Equals, true) } } func (th testHelper) assertFileNotExist(filename string) { exists, err := helpers.Exists(filename, th.Fs.Destination) th.Assert(err, qt.IsNil) th.Assert(exists, qt.Equals, false) } func (th testHelper) replaceDefaultContentLanguageValue(value string) string { defaultInSubDir := th.Cfg.GetBool("defaultContentLanguageInSubDir") replace := th.Cfg.GetString("defaultContentLanguage") + "/" if !defaultInSubDir { value = strings.Replace(value, replace, "", 1) } return value } func loadTestConfig(fs afero.Fs, withConfig ...func(cfg config.Provider) error) (*viper.Viper, error) { v, _, err := LoadConfig(ConfigSourceDescriptor{Fs: fs}, withConfig...) return v, err } func newTestCfgBasic() (*viper.Viper, *hugofs.Fs) { mm := afero.NewMemMapFs() v := viper.New() v.Set("defaultContentLanguageInSubdir", true) fs := hugofs.NewFrom(hugofs.NewBaseFileDecorator(mm), v) return v, fs } func newTestCfg(withConfig ...func(cfg config.Provider) error) (*viper.Viper, *hugofs.Fs) { mm := afero.NewMemMapFs() v, err := loadTestConfig(mm, func(cfg config.Provider) error { // Default is false, but true is easier to use as default in tests cfg.Set("defaultContentLanguageInSubdir", true) for _, w := range withConfig { w(cfg) } return nil }) if err != nil && err != ErrNoConfigFile { panic(err) } fs := hugofs.NewFrom(hugofs.NewBaseFileDecorator(mm), v) return v, fs } func newTestSitesFromConfig(t testing.TB, afs afero.Fs, tomlConfig string, layoutPathContentPairs ...string) (testHelper, *HugoSites) { if len(layoutPathContentPairs)%2 != 0 { t.Fatalf("Layouts must be provided in pairs") } c := qt.New(t) writeToFs(t, afs, filepath.Join("content", ".gitkeep"), "") writeToFs(t, afs, "config.toml", tomlConfig) cfg, err := LoadConfigDefault(afs) c.Assert(err, qt.IsNil) fs := hugofs.NewFrom(afs, cfg) th := newTestHelper(cfg, fs, t) for i := 0; i < len(layoutPathContentPairs); i += 2 { writeSource(t, fs, layoutPathContentPairs[i], layoutPathContentPairs[i+1]) } h, err := NewHugoSites(deps.DepsCfg{Fs: fs, Cfg: cfg}) c.Assert(err, qt.IsNil) return th, h } func createWithTemplateFromNameValues(additionalTemplates ...string) func(templ tpl.TemplateManager) error { return func(templ tpl.TemplateManager) error { for i := 0; i < len(additionalTemplates); i += 2 { err := templ.AddTemplate(additionalTemplates[i], additionalTemplates[i+1]) if err != nil { return err } } return nil } } // TODO(bep) replace these with the builder func buildSingleSite(t testing.TB, depsCfg deps.DepsCfg, buildCfg BuildCfg) *Site { t.Helper() return buildSingleSiteExpected(t, false, false, depsCfg, buildCfg) } func buildSingleSiteExpected(t testing.TB, expectSiteInitError, expectBuildError bool, depsCfg deps.DepsCfg, buildCfg BuildCfg) *Site { t.Helper() b := newTestSitesBuilderFromDepsCfg(t, depsCfg).WithNothingAdded() err := b.CreateSitesE() if expectSiteInitError { b.Assert(err, qt.Not(qt.IsNil)) return nil } else { b.Assert(err, qt.IsNil) } h := b.H b.Assert(len(h.Sites), qt.Equals, 1) if expectBuildError { b.Assert(h.Build(buildCfg), qt.Not(qt.IsNil)) return nil } b.Assert(h.Build(buildCfg), qt.IsNil) return h.Sites[0] } func writeSourcesToSource(t *testing.T, base string, fs *hugofs.Fs, sources ...[2]string) { for _, src := range sources { writeSource(t, fs, filepath.Join(base, src[0]), src[1]) } } func getPage(in page.Page, ref string) page.Page { p, err := in.GetPage(ref) if err != nil { panic(err) } return p } func content(c resource.ContentProvider) string { cc, err := c.Content() if err != nil { panic(err) } ccs, err := cast.ToStringE(cc) if err != nil { panic(err) } return ccs } func pagesToString(pages ...page.Page) string { var paths []string for _, p := range pages { paths = append(paths, p.Path()) } sort.Strings(paths) return strings.Join(paths, "|") } func dumpPages(pages ...page.Page) { fmt.Println("---------") for _, p := range pages { var meta interface{} if p.File() != nil && p.File().FileInfo() != nil { meta = p.File().FileInfo().Meta() } fmt.Printf("Kind: %s Title: %-10s RelPermalink: %-10s Path: %-10s sections: %s Lang: %s Meta: %v\n", p.Kind(), p.Title(), p.RelPermalink(), p.Path(), p.SectionsPath(), p.Lang(), meta) } } func dumpSPages(pages ...*pageState) { for i, p := range pages { fmt.Printf("%d: Kind: %s Title: %-10s RelPermalink: %-10s Path: %-10s sections: %s\n", i+1, p.Kind(), p.Title(), p.RelPermalink(), p.Path(), p.SectionsPath()) } } func printStringIndexes(s string) { lines := strings.Split(s, "\n") i := 0 for _, line := range lines { for _, r := range line { fmt.Printf("%-3s", strconv.Itoa(i)) i += utf8.RuneLen(r) } i++ fmt.Println() for _, r := range line { fmt.Printf("%-3s", string(r)) } fmt.Println() } } // See https://github.com/golang/go/issues/19280 // Not in use. var parallelEnabled = true func parallel(t *testing.T) { if parallelEnabled { t.Parallel() } } func skipSymlink(t *testing.T) { if runtime.GOOS == "windows" && os.Getenv("CI") == "" { t.Skip("skip symlink test on local Windows (needs admin)") } } func captureStderr(f func() error) (string, error) { old := os.Stderr r, w, _ := os.Pipe() os.Stderr = w err := f() w.Close() os.Stderr = old var buf bytes.Buffer io.Copy(&buf, r) return buf.String(), err } func captureStdout(f func() error) (string, error) { old := os.Stdout r, w, _ := os.Pipe() os.Stdout = w err := f() w.Close() os.Stdout = old var buf bytes.Buffer io.Copy(&buf, r) return buf.String(), err }
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./docs/content/en/functions/fileExists.md
--- title: "fileExists" linktitle: "fileExists" date: 2017-08-31T22:38:22+02:00 description: Checks whether a file exists under the given path. godocref: publishdate: 2017-08-31T22:38:22+02:00 lastmod: 2017-08-31T22:38:22+02:00 categories: [functions] menu: docs: parent: "functions" signature: ["fileExists PATH"] workson: [] hugoversion: relatedfuncs: [] deprecated: false aliases: [] --- `fileExists` allows you to check if a file exists under a given path, e.g. before inserting code into a template: ``` {{ if (fileExists "static/img/banner.jpg") -}} <img src="{{ "img/banner.jpg" | absURL }}" /> {{- end }} ``` In the example above, a banner from the `static` folder should be shown if the given path points to an existing file.
--- title: "fileExists" linktitle: "fileExists" date: 2017-08-31T22:38:22+02:00 description: Checks whether a file exists under the given path. godocref: publishdate: 2017-08-31T22:38:22+02:00 lastmod: 2017-08-31T22:38:22+02:00 categories: [functions] menu: docs: parent: "functions" signature: ["fileExists PATH"] workson: [] hugoversion: relatedfuncs: [] deprecated: false aliases: [] --- `fileExists` allows you to check if a file exists under a given path, e.g. before inserting code into a template: ``` {{ if (fileExists "static/img/banner.jpg") -}} <img src="{{ "img/banner.jpg" | absURL }}" /> {{- end }} ``` In the example above, a banner from the `static` folder should be shown if the given path points to an existing file.
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./resources/testdata/circle.svg
<svg height="100" width="100"> <circle cx="50" cy="50" r="40" stroke="black" stroke-width="3" fill="red" /> Sorry, your browser does not support inline SVG. </svg>
<svg height="100" width="100"> <circle cx="50" cy="50" r="40" stroke="black" stroke-width="3" fill="red" /> Sorry, your browser does not support inline SVG. </svg>
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./docs/content/en/showcase/stackimpact/featured.png
PNG  IHDR$~gAMA asRGB8PLTE&)1+.6-08,/7(+3),4*-5'*1'*2}/2:.1903;14<25=36>46<$'/(+2)$  wx{,/6&&,8w HIK~&# #,NOQgilBCF:;>TTVopsՊ~{acfXY[kά\]`'%9Vn<>C+"'&'su^!VwȌ555g..-#El05A[)/<&2F"N~>@ZW(IDATxaSHǃ QT/E&)A`R4t,:7N}S?m6 V[Y%>neVHxqX@ w; w;rr@@ w;@ w;rrri~._ң;ॸ=<EBAۇׇy~܏GOMv+ &>KG +/r\^A]?țd2ܪNwl?BN/=@gOurONt!> ,̣wYTaJ[//)1 dUEkwnyRunل5 㞪ۮgw8ăB?ܐ#gW偒YAJf5͢(G^<j]\uۉunB@/_LI٥?</,]b>q[FZFQ) ֹߪ}Zv&Ξiyx1!$x$%vPBa}:4Urt/sY&=f8HanzʹNξ o-Mz}3K -2\Q-QVC"$.l=w jQbvP JomgQѢ4sRZ]xX9\N./?oK8^7FbrOtb+o+ߧK܅tOJmu{65cOc Q꾋Suv۞NNy_ʝH4Igd YnDgh؂v\D"ˇǜ$Qa SAHtyqgKfCŊQ bJd)#F-vpla#SZϐ_3(LDy<[yE/†el}uNhe9@~dN*UTrk64+;s{#w|h)J9>j+'Aj(<7Ycm%%WaXh4,=xSͲ4f|U ^Nhrr(+_{։,Z ZrsӒԨ.J!L6 #CׂIWrF2**Mez 6`F,I8WCRh-t% OUp Ճ ,ЊmX?C:#}oEXެƢ0> +Ġ/!n*i\r:{d޴\UtPUr*|"s3/sSvn¢ U7r4=\E)#4v7 GfüAVgwd2tMXӯ;u4GV;4Im4 BVkoajnSp%oCau5}kJQǷy%6<MJ:AOZ& $B8:K*賣Euh-׬t.7ti9HFl4`zKpɂ)IαoGYJ4cFnȦnMvtnR}Wrjo7fi"`=6]~r/M&בŋ !/o^\g$Jз"Bܳ]ܙ7Ҝ4{XnfOG9}"h4z4߳X7} LЁ d垚G`>ð@YbHQ=Jk.rWbH]K 75$mUnyCJ&m1t۫ e޶EX-zSas,p\zEP}Xd,~yhlC ZO5H=XFj5J.T#mӧV) U@TycUJXvZ.V35zjjYzZJ-g^P>7^[06nYyغ+{N 'GI`Qv\]ˠŦ8]~Ϋbpr_eCןM45ꅺY>{NH﹟6 ΌTNtߟE1,SLKr?g7 nag4-Z0_ˑ7bs#db;hZ1br7G%~&%}XՒNZWJZpʝ]0ƫ빎V+wFǣfs{W w_;mrцũKem6F^)EU.KIg/tc ֱ0 LlɊ4v,;Ŏ+ҡ4Ri˗% {difv:`G£WGnOh{n5̯\щ݉;XfOExbLe7-i;rJ;SepԝvGn6O^O3BXqI)ڕ*iW?̿ŇYuUop=+]\.77 7ַymPjf~|-;p-\l7$e!Y-uIDE#> $RpDfԐH7 akRȲ9γeT #©E-t[B8lQ =7?=MΌr|6)ḽuIVT4xj ,yglgԲ ((W=nOE{sqHZ<bDy;FD^D=!aх#k,/8ob V"rإ1YUS݇% \>.3 #ʽRp >n? jO Ph+r vr~]o?{G_5JCp)}AN+4~ i"_eWpnc24 _ys{ELXF pк8 McV5<ނ4lLh] w<ge͡}/Hagv\%B9Z;7KM[摔s#p;(j|zhu'VakJ(\"d0l"SPx൭N'_wА5ܡ``2V:S@}ݲe4:AY)C{:4L;c)[F]WpǿF@>o |v`[7{Q]iӍrǠ̞Z?_6p]ϳe -s{pHDȞ]Ww~ VqBpwY}zw}yQpOeY%'c~H[+};m8zme X𩡛;] AH!J5_6PWQI<NY2>!qb[닐Uw{MA FASŊ7TcRܱ=Az4p~"E;4Erߛ}\..s LPP wlRfT*~![p_(nsٻ i;K?rO=(Se:ʨii:3G=JIx"&=g ];ny) Ɓ+laɣ 8l*OТr_]K[xƞ{ jVH<K*3w{8m7HՋG]zemQPVIvbY{{8QDŽF>Y0װC#KUWrOo>,)C1%_G(;&&ܯs\k[xG[2nr? hi0*wVvh/DУw &|k"܇, M T/F'Y7ݦ1} w!IDW%ܻ^pu^5 ܞZ;=T 9P8yM`m[0X\:BQG$;8]hG-+wr9h14~;oվ_Zw}~պyԙ}]_qU-;Ld7ĠP0,N,/~>w "*N\Pmpb(7#vrG(q񇢏ۀ;Lc*d R]CޓgnqDȷw&i_1ȃ=^pAS6n.bxPd(RmPWMZٮPݎ'aml-rc=0OuN4ac=pO'2kPCCo|l2R}v;jo |}vm݋ϖ)-}S'w2'(IoLSXt0F>Rp0 _C#CŎ0.䕵NM(} r瞧BV}1*EZ &p6u7ܖ sh= B[&} we2zn0}*M<p$zc˴>jRW+8mwhA9`g+w];|< <6=euR_QyCzw>^i{*o1=)sWP^re|өsEC<%/6˛ֶ z=8r.9}>a |舓\4esR8Yi:~<b2u#/f;eM/;dmngqݤ_kOMkg:p d`$bR[*o}CfR3Q8^ 3J!C2MpZpsne(~=P ]rwxB@ *kޒU϶4:yjFUgMJm-rq7g H=sIv璻+2f=.לOܷ^lַV M5_Di:pyy r^/_>61|1{ I#Tܝҧ?fO+Cr@ "U&c5gFEill") GF&rwn͸'2Nvh+eq+ZFeUNm:f{At;Nur}`ry^6SfoKƹT>}JFEų,s}QscWꆺ^ݦ' ܩٞFXG~m&EگTUޓv}\hr"<=4}W:R_^>OfDˢ6eD]ݭ{~[fi4}a'1uݗV>Li"w-sfmLv}|a+aKÞGgZ7[ɝgM-a7a>dVӁf1a|bΔHr˜Ș3r7t<PՑfj4c&BԑgSY^9IYR1wU.?K5V<s,#n'gZ.[;A=SjT3ˠ 5]G WG&R%'yr#nC"h,ɶvvYoڢY;>L} rwprQo'8qsbJ57LԚgKqBg9fꗛ_Ka3mNrsZI锃v9ff}Q"~8M Ձo(ioz`e#:zWQ- MpSљlB,s0jv-r{RfnY@دDsMF:Ic^r~Wh.}NYeu -}f9X+Qt:O -Y*Z>k7 3YWVP{zD.j9bލ F2jUn*;r&[ŏwi6ںQN[hݭݡevfj--3v|6i4''lbQqU-d<ʛ2E)gQ.=6"W:9DoKxWLz<K~D;5q%Ne oEȝnhy͠#mב;^qtto?Ax4W_Jd2 : [jiSҪKc)k& n}-$dzk=}MZ#,/%77TJXr[4?ղf*/)K*smzVҥkRb~ؘ‹ѭ˴/N kVxS\d+bbtAτx8wa/."ʃ˯gYOwMWW~:`<7^CO/8q=˞iM`zGN,Ҳ=nqGvjb׬(qI)2.t™f>\1r Q3POxճX$s,fB*.<\gn]*I#=Zg:g*auXѓ,5 &]Vf[+*gXVzH&`k̛U+ҶrR"dމR"H91ҕ`Y*aXÊM[x"_v;](O~Uv7Үٗ_fr6wĔu(FcəH*>ahxIBDwǭvӓpΦvŘe?[-gNJWo{s_2ډQG*;,+7EגxT]YG." q'r)D`;6RO.ө}:N[JdorgS+C\Ȟ~b)~`xZyO6s3?:9>;S{лZcz4& >3wCT:=hS#'{5L7ͫ< ہ|T>?t Ӑ; (wD`3׭NXq wm{O^_]w@o;xԕ¥r/'s^\' /.ː;ܷr#'J/^u@7gaNz;E w@ w; w;rU;rr@@ w; w;rr?mo%xM7 Nәi o8!#Ym>Bۆ_[āw<ehߋs<H7ܐI^},> =Z,BEuWgYc<J-ʤna@Ǔ}*醵QP(N}LZ 2z,nVf]w4|6Nijkcâс`FU[L6ĦRE_ڌuXOf-C{Bwml&oQP &spCubqf9fhZ(Ay2sbec@ XQ夘'Y?[<* (EwЦ []:R;4IHaɜMHLE]nDTM?~gf"L'XԞ07Hj]4PI&8"Hl<fHmDKMX[B9sT>2|3iVlV6 %$tzltHJf| b{F+qI͍>1j 7t`B V0;9TMb!*;s07oy5%!i7g0aRfFgFȆ'}(0U91; dh S"۴<W`RaZќ}Dl&lJ%]KpV&Cqa;;:{̀3r}=iNsѣC;"}<%wZ̎a Q0I>pFQ>7Og =]#hM{¶6s/{j23NdsO P4wbty bPVޮ"T=iqv)\%w&qW^h2N殱P'q\ZX*3)ܠ;zxA̝3r߼,VcmH|e&hmqɽ2<MhTҴ7vyNۘ\˟5[AO3VK{IOQDLQG'7o>ebМ6(³6}Hsb)y&bE~5쪓; -fm(+>ib1ݲA]KS/u8l"qHq4_ ]m) @T mvO}IH("bSS45.ҸpJ':s(d/sgM@d+X0YB)0ƦaRc*]e΅7$c P)&? 61{~63rP hBs* <r.!zF̝ZL,]{qvְJn4VB疚5I!V'/1CWAV)i5m̬7}_@sW^ &YWx&@wO+˯<WO6Pֹ^չ)PYH=]<,c 6$k_VGBxJuEYMr t]HM"WN:6VA2:uZ*>21{s͔A%MxTVg`&meM,2[Oo4: p9eDO-*9BUŔ 8b$Aۅw nG)E.p*4dQB Wu]b=gJPf)FE1:7sS sn>a-;mfؕg'_`y亮SY/U`ljP0\*3EOhI&/'y~Gs'剦<jQmIfaB5TM^YMi ƤeVI:T¤y VCs xchkiH:c: 6Āt@Dh_>{NP(@69|S 7 *cEv9 A:fHC.ghz*2 1AcX:@l ~y"%&[[M_>No[1v R+?޷8á¿QE;N`ކ#~BmD,~Tw*_PxxD>)-n?7Xd?W9kVZ⧔er*Շ4n*H j[!>Ҋ~Y]>];tEjjjjjjjjjj7vΛ)lr1M]*-+-{[pn'ywzL=/|zv4<$[*?9>Ι@G^ʻ/{ kBb'i NTo'"bnχt~]_fBQ^v n{˅gho{ixx6D] U~y{1s`{~5 W^Cq!v>6 e+Pq ; y֌|3 UL*Z8|y#.k[c# =ׅ"Bynدlxwtzt؃ ezdwIa-}tpΗ\@FD[p,_zzx9OGk ޘIkw =wAGB'M娔By5ʀDFBcT D}-a:06wҜ;LjrvsؽHn1/Pґs1µ=\`V 3L]N e&ȱ:W'UR,㸟+fB;l\Uj<yE電q%Hp08qwp{kKܔwrB$J[TJN`Bbc{o^=h:om2@";բ)xVیfdy2uB3ءΡtamy{ozPC +_*KPC0$폴w gPPվmȽt9JڨY+3)J"svK@ @8cFr4Wiږټ66V>5=0bw}dvagjYMBl[EdA@SyLk#Vێ8&P8I7Aud̲dŋmnBpaFϼ4b1yГ:祧l]E(uR{2=RA#&pkS~ZO T Gqqe);6U+\䫘<rvMhGP)rꀢj̨S5qep8Fs. ϹUqşxHۆz*g KM#36jW8yL#>i:,uBr1 a|K䠤U<$vĮ 0-i@GE~,j%UXIz~b@';삒Z~/[i R0̼ܳM]YnP$ ._3%U:Q-#[}e䭈+*P@=:Kkg #loV_Z jטϩH5uupw$$2Þ?wQZwp( 4ӟb|-wx8khKږXM)d%>T 0^mjvHAyjsp?ed7|3@87l>bà!珀9{Lg❷~0ϩxIi:b:hE4Yֳim/'S6q# A/@ji|:|P!K"ıJtP?Dݿec.byϴVRci!l@(!Kc#^.G?[Dv)^0bm,nNmP V %f/PZkQswb&Z%-Ki2\AR5$oM*9<n)5T"v"Z/fOm{XLEiQ됰)>=pW+*"c&di!ǰv#-QmZ.b_!]44́o(Cwn̯:B#n/`SdjLdt.CC"^))k`kݧyHFbfDTMp!ruj#}=9=eעsbP n`ywsP4+ )>jpwMdUYxjM&I=nU;fL*̕q!G #BwhF;;E l(G{&JZ 5ę naf[X1a,A~pGeۼ9\Ф^+}=CO6_521$cI/ŃWj۷P[;rUk w <cTTD{}9V]…b2ՑXzQIC:8ڞWM{U bnw9;W,iw8jhҥnfZxlŒ;n'k,}$ 9s-QxAK  R6xɮPzcʉaȪ^30u:"wVD]0Daխh{.*1m /^~n|' sLC q #<55p@,[i~B G/KΡ۽6hoA9ݘJzF8e}(sCiBVTݐ"5pr<;g!—; "y%>([~MlLAaIWpzE,iz*eijx-p'6KiVW? Zu4SU\"w-pڎ}EKX]vZN(BY ){ie*<w$aaN@$GIT^AչVe9<,Y!?Y :Hp"',[pz⼚Ԗ ݼGp_Im oMOWLܯWu~'BB^q ܥ21_poHfռ_*ع!4r/X f+Y{arigJ:+6W6' |Kz5bm| !=4wcH{*Ϙ^@Dw% 4r)8Q6LHДז {Zk"Wv +»-r#C:[fV!]pߛ͹5pCΨW!s/FȧMoc">ܷݏ|Hטu| 집{"q4%roOJs%o@;=33 Ǘaܯw^+VB+3OI'\S53S; @unO'Vz4 Zpkv]<V u]\4p/CQ$%674 Q-H z͝TӵN=ܥ4=p{J1#/>;F{oKQnQ .\jÕ%|VvlnX{/_;Mmsp;ƹUpwF+zmm|"K,s)CeG]E:RԨ}͏a V;A+ˀ4Ǩ[O@ oUps^ %l<tq,=OǸ?ҡ?] 1譬 O5 \ c5Ju"j:,kdU4EPz.{ȹ \&Qtwvn @pE} m6qFC?ڳ4LwTwelWtS?"?H"tgZ$ǤRA):liQX B<P\ 6p/ /Bswp5oJjG\78=G ֟t,Z `~uItܩ=ꢂ;~SrHȏT2#+X븂;{A[{}\Wm4)4 .چPLi+(E ,a+ɀF.cu.JVN>wp}jb4r0vgi|+Տ 5/#</:6yU,E!^=p7pf-FfzӴEghlId%-A4w -)Rc'NiH)Lzy[I2s/egR]޶{%Dzw++#`7,f"\z&sWeZFdl¯웰KTi[–LlO)X"tTHy!I#I`﹖$$G;Xe`P#0hab~ j~>$-%1:ls DtVr}y-4ΕZ?so)Oyrb2H :c;X88ozK4b/CD+2A/P"Xc G)lSZWZC ʻ.d;#=m99 n~ x5MT .K_](9devFr;؟٫{uO]B:EF{Șý!ϭE_U9ʧ :͐{?g!<$Go"^ȻGJbNx(@g PhKkH<J#QVԲY=Y;>S鷞q yE+>sVC?|&֥Yj8U_?z&~SP?en>;h"46֯O&8 [.HOb|dBFZ6d=]Eo- IDZ][SػqU$1 "QOtZlE" 9D:0i{j-|'\2~&RFK~7?6lS78I{`;D߅QK++ aR_F{x% aP p^m_b2{Z|GP q=cb_1{*m{V{{{{{{{{{{{;; u0/'/PhzNWR?$`lSxJ wPR9)9I__/]iNbip1ӝWͰN>z,"^V|*WY]M^KxUPfgiL뮒ڵ׈٦|C:hh#{>;(L3v)C[J@ĔncQ7=9mQ'Wh+ )YKpS|aY6k6y6Nu' wpW̴-WR j\h SN)eDS4ijS'HPBwUi|(:J'7eCwZ$XK@sʹabDFQ45ŔI|So>vϝL ,&a9 ٢NE0&w_ymgыWK5CȴGJbKcDuK* tQ3ǔ#}. ``nU=Dr^jX%On&x̪ά0g֍|gG+kq%F]+0g5 +DӚ~rH?w9룺3-@ec%[ɕ&єr^mgDߣ&ܑ\;C(DsXqӰ2mr2s|B}G-W_p!?/㸵×&ۃnBpL`|#{i4='M+?)Eo ~dJpSJ}|Qrq|;,od=WŧJ>sh0lI}i "9un~ko([ׄo(8Y0%clj,Y\?wy$Xsǔ7j1NPX!傆,1Oo Sh#dP(#Pl<V[{p]#5.@eY%3Lm#UܩC\Fi }ٖnG-6>&R}*4/c@J_x4] + $|Ӊ)^Wfzqe|0 C79Cg`ۨ4`ipVRdQ#Yw>5FTs/#Y;:p3XAR. bW%4C8e)$HuM[fE$D)g]ztٕ/'ۤ00eMtH`5;hJSv&n \V˘d%YN%M5 Q*oĪM2 qg_%~msR`f4M-P!,̪QAFR uJ~vQNxQ5N7s}>%chuZ,]ЖtMS^~!N䳬$IAY_ZT"J|$U]tC zI2~h* DkňL<(Pkv.&iixI؏-*^%quLquBiExXEw>w<s-$];|8xd!<>%@[k$kXAlܴ ! tup[=@- @uYN$Z~6m`F;R -|:J)*0/1+ Z!k0Rfz^Ǹ9wY%b R *c{E j+,ƄBJ,tb >s"@4wŚK0!Ի؁{D34@e;BxVKNzM 4)iwfݻHWz nSeUP+]::sF*֡g2%p.;P2 !z#T#כU-<N^l<ȱR{Is{]Ht| d^}Ұ[8LRvA)-*!: %283MXU M5VC)HğRsޯܫ<ĸn0<<Àȱx&wG); c~Ϥ/TaJ苀B ǔ>x4cF2]^fgH+Y.8OvKDp73Ȁ;{%ωo?e Yn1fYV~ԃ源;PLCC;7c䝹jR_}L",'J7m=?ŖN>WK@_8G jAߴ*٘2=myj=/s}7>PCr__tp4pD z*jy=0 Ӡgԡ'l>vi*^&jែYUKJʰwYIMulb2zdzbS-+ynQ2[~!6w_uS&YpE~Sbj扽/o,r~K&xj\vGdxƌ-; 7mUJc xɢnJ' 2QMn:" ⪥ 5WjqB*J~ɣw;Kp a4cC_=N28ǪV+}!)KV[Iejc+~ g$OpeǔHWGpow8w+pOyMƉ=w[bA BWUԜ:8}H Ё;tgp"=Rz<,B@]Ef(eHD饧P)g< lQ<N΄Ǡ=Bu+ءgeLaV~O՛5;客Po=s 0.C }s30p;xRm70%اl1;<ꧢg)o=.Խ (A>Ӣn-'SeA;O|=>=G9~,=Z[bi8me6ϨzɓP-=dz>Vy >r Ki<0 aJa[h=jr4)(={.-Ôs`&p_)3R1.こKÈSM)~Rجo pSR p9Vo7-Ps˯釽v\xLK3xsN| %'$ y<(?ރ{ɍ:ҋg"KoV=w ] /T>tEð&p x:Bw..vܛHb$Y.C|yn&p'у=OH;gbwmˑ*Ԓ@.u/w ɞۺK\&nw(FR=5ĚFᠷ%PY{?ϐw#pw'"`'pwo%!Ά#jO;X57-_|#Ha2`NjAE"0na؁&\wUd RK*wK$[wꠜ<(:woUp.i wUb,Σc4u~'8DWAܽ~/ us~ B%Gn0 jeQikcpLMC9Ӂ{757Thcrஜ!U[<CWwLfRw+Ҫэ&dԠC$)2-V 9fR2 ߼vvRx . uPXͅ{yS\h}šׁ{(#d"ԉJ=ToLaY`q)2'UͩiE H)& VX@2͔A4bFJKL]#lwE܅¥<<{5QiD!eJSJ5."u@1dbM.=A P1% "TwFi?*fD]\C `\bA4{"/s)X: ;@z 1a^ 4$iGrOO$ !>/m"ˢxq 7/@D=3l\/Avq <6wwRq$9(fl 1K Zf9wS:pzH5KL>z BTH5 5ֱpaimsWdR>"'!EV2M9u:xCL,4Ϛ}yN{@!cig~&͎kJ(~}mYVґhSWYL37co,(B3:?;<{ R`I 2T?] pr PO`<Xu, e}++'J.; iprpΙYnCUָbiv92ipr("b,2.<QSxgEx-F7]̭O ".Q|eAƲq, F< g+c1J<b'sbfr;e),htyS @*dvu"mX'!83TIq^sH)bGTiI<H`u)b>qQ)m_] UP?<4q9vbn"\)]So,م*x YݵisoQPԯ.V|^Υ߹7~};:wqtޜ'u39 Eώ)fhӀ^ArG]K/Yη꓾ٔJ(l)i5RH] XQƌ`< 9&B8 OG3s”JUR,2?Ejf|b9p\U뺊rdeprS%Fj4N=ԯ u̡h,m)˘SSw]L_">G&}w ³PwWwܷ6rM!Qt攚njޒѽ,*/愛@M-yZ=Pߛ>#vWw\dQi{xxWbV%[Κlv˽YѴ^::ώN,a`ɥcϡp=U"w 'N334rTSPÙZbU, 7KvfaQ<tzM-ڝ NMĎKmO<N \ KsҊD/)0pfyeM{@s=~dݍfWn/Lurgӏ= jvnپwơ9Y8&axTF$Lozh`+(7ERQzri*wXj?|َi=Kч~Y? r:3O¿q>)= < `)Xpr^;L!%I`8c/KN_:,Z@H (H?Baf2Swr/h${irW Kx)?CEdPfa|__۟6;@,ggJ~iI?^ϼC&Wծv]jWծv]jWծv]jWծv]jWծv]j_־(X y0S- + [3q6?tkbB™NCySrRѓ?:1z-i*>$+Ҍ9qLt8-ɓ'~Dg$oH{RɟS:ElU08moJ9=dz2Y~J-8'#:Bx0.œ˲/7'OʧmH֍ :|ܩT/OޞK O&]9m#,sδ"VR.,JsdyjC*>d5|BkωaQZ DN0Rz6 ~In O1ZeW⍳sYc#8#1FE@ʶM#hhwG(<.p!c.)8g@PP<I9_(]ӋՁ+Y dKdsODTOAEVR%q rYސX^nQ343\ygB+Np"Y㓝P_"ld&"¨!,rUU'  %jQWlŔ7.c Ll'& eT=:#kաaS<#fN1m+OtNV,q /B<ȿ`FDaE0,m bQCB,s[MӯEMj}x\O!Rܥ)ĽCX[4jzYM4 Uˤүʼ'Z'R atS L<_WN+FpFN| Q]~wfuh&Igr}}:j^*R HWKq#D4j'ڑt2XJU=K = at@Kjh>nqX@'S[U5S} )=tQh`OS85;ƭCF"@V`\)1<Sb0[ҲJYs=7n Qsr?ye`iB q fyY RcZ s[\,si50lrF:NyuTs-uD)UkAVK ꏃ؎ 1iE)'v[4c凎xePAz**g$ !Eu!2c 6³@uW/gırǵ""` mJm/ >VIP2yN[CHZNp"B;s@aw%d)/PZ1zFDajrZr@Bf 9_ךԏ,[^zDB_JXJeײH h =;jW)B_낡LoK5SQxpv7K_8{xXÇrP|]V[-Ztjvwq2yQs%@9x(ax xɑ A.v8t&gCu@=l#)e^4y"a>C/wmN6m*6>v::7VSX8_kGY6KaYSc`%фկ,2S+^>3AaxK1-9nL}Z> VoeP`v0iͽ=EVy:|ԁN9~> &QA W6opieRy.2 }G*s|P6ؠlVw_FNk.tK$i 0q/u2E,xv¯Nge0[.U/Ǡ`,lBUĪ3t99~TsF<Ua_kADh]1gYVoO/ծU=Z|UC_R#f?:6kޣqLJړqkc<C>R:0,hf>ȂZ[I,VZ!Dk+j YF:t[<TAkq)K;.yIѓJv$$[y*<hJ`:_s R(I<tKl<;-)^#_o;$}{ !Ů[xq"lra]f^p{uq;zE7z P;RPEַW/6F%So hQBj Fe%ҋy).r^~Ll\'*foX1}rwBhC4LoCU&4Fkw tOzI9pL@ {x 6)!:Yi:^1ý{2#| p WA-6;h锺nβ+.mk+Xnt]q̏i w֯&q EuIՌOY @No*r7by#mËǝN |MEaU VǪ <aފd%SEcn/Ol}<zk{mCxiw}嚝k92I&H'J1z2~CZ:+G܅rk+e#>a0eZqhEMuA%EPHZ[ goCP+ Qz?Ri#UOӐt%7UKA/EXm1Bi&,FզQ֎Oq_<f(yǜGA[0Gcr2c7 6S3x,뾁{:5"ͪ>]rfKίON씘Dn;hwEMc*JŢ#N`8g8r4+ v ;Y?xZxs 1f4ӲEHi&g{qΆ*KߗN)kVh/0t=>|UXeˇ2{7 sQ|f-M ע| Fz->^6FXxYZl#cQ(̤Q]3swr+Gu[ NǏ,W C2a՛l4Ώ#.T吺2>4 2teb?:C.@9SY펯YM*/ >U0^J t`x 9Ö||D!Kyjl`z;j<{>'RPRW>R)Wc$Bāʱ! uh*12FA8O8wxY9g@^J+RXE:phNIh+ M*ܕ,F^vp3SK;x]3_p*L-"/sWՐf$x=| R^=Jz-OE|:o"ҳ t .5X:ZHRTTC*Z5;,4b }z%~?=yu՚?W pkX2_1m'-P*׳,^^4nICJӓoǜ >vnO۝7@>k1NLWn?}! da輙6Q+wp(t trNg="bߑo #23+iI˄o?m]DY5?;k=K%y[Z+%YT}[.Q)q?\Rin8f JK7po O?;=|V\pڪ/6>11gA"*qdE2#IMx^;S{hxR$A)G,=Z;OZfJS<aDR꼀;I@?iNE[[mERh>X#Ż;w^+Ԁ*OK81(R#?pg8ѺgPˆ ྴg[b]L-^&-;4{F &'zW˼L ]~/L[MLc W̎ʿږKql2V?}m{(Mq,{Y]t}ߍ?=0q>IbDEqoXZUzeKVpJCsF6A%5E!nkCb Uw.v\+/J֘@OQrn+\9A +pFl9^=RfoH5B|b޺5fgp ٿkH.'"tezx©׃[,^ÃLpSa$Rӱ*c-KZBݤx6ݴXj]i&pWzGmnfO pkm"jn A7$)}(hӗx6}z퇼$~~ӔAfӞ-$$yƧQj8]lgK"$vlYh v^]-w=.=Pq#9>ptl(h0l ]<1mU4=2`pSN{vQEQ.D(^BG*MVU$j3KtDRl9G'OD k+}ZV285RsT]p5񼣁[]|D zqx<jBNpLJ B| ςNO(Q!ܖP5_] ƸݍbJsA/^&Z&U%r݉@ b$E%Si*䧤:h¤Ťgz2wX{BE}ڱ/xB.%jKbLwA m˻܅/#ˣ@$;Sz/ܥ?7n#H3KxZGzpC 7n'<ѾN؊y(RIU\.!X&] ;bŬHL mZG5Fy`߬5."$wpd5RFR X4''z푘y;І%|Xq`)%u9]&45AKX"O4s/\VRCEǖf!T|pwc=s89Ne8G1;k.GJ?LNqY;ԥOJ28JW/wThD]H1*\J4]'Il10ٚS\%IA)c<J;D;Pc!TwrF,NmgšD'<a\@L=nzRb{Ɲ ذ%4Ufbrדr :Z"iɻ 'RP {zM  S~r^m]˄RM+]#í[N6N!v;L t}B1kJ{ Q#m>;@8p-ny KLʎ "4ּ&Ѭ<Ot9Kߓ*$tn7!Ǖ:g SPZuq u|H.`nw~:ٟhk֩5.[YfRZo؂*zsyݸ(ZF/ M'%O< \R Kcuo3[f i2nH 口@m3&bx^GΙTD3iT-YG2BIhf)]єez~3xDvoZI0u'өӈ7 3NoM$8MՆ6͟.> Ҝ}j:ųg*u:"P-NiV_#Ѯ$ąN"!5"ֲVsmbkNd.KOn.^۰\p2N= J< E-]6tU*%;TljNbtæ4$~\l2T[J'Ccc]S#+zdZ3Zwr  a^;Z k xۭd߼G\-n>jlXJgNU5 6-A;E47T&eOrW)(}Zp,eV۬*(5xJEBb2 ;#3%˶أ6Qu2ޯ'$NAV`;(_̤s-^Ro6˂( QBv|Y0=lFCH3άb05%kj;ήN.W?">4U+hnvL}Ch=x}44)IsF6mlc6q)Q7f9I1n9jqXb iko72]nFS[5?};}lc{6^_b{o鷋.C~WWWn?z6~όmlӟ|ߞs8օY-aBhS\ԗΤQǶ8C*$/񼋀\=(~z35{%W%<v|P](w:5a_5@3뺢oTC.4  @O*6Fcp:J/!2z:;]Cj:G}Civط1 gr't+Om3ejRPJcb{+vt6)TRT~&G vvNg|TjUA9~؈o;uuE:ipfN0R4\6j dzv \?''f͈9wÕMqt6D,5nF5PtuT{ ~Sݼ4k7]n/ꅉH2]IPPC=hû_i5MQ\ &v:'&Nb=:>f^aU;28UAjYΥ,xgl!IAA ɤtIhe+wmyNnb p!c7ë`%RcN徳ŊΦ.gT-6W/ߐ%yKtԨf W} $-ouAE8zǕ]qpo5W-2GnsF\ %e3?mvUE:LTU;d`(e3]Lmͦ)ra1:1C)#u i,? qL"msGcl욙/a6N+ZuྃUEf@{ʣaA]Y Uγ|p(od(+[&[~P-q0{W/Z[TK/O?[ZX?vrfε2)G) [e ))Ӣ_?YANgÆէ\UV*l0L4Pk'l 02޺w[&`8`({Эt 9A"rM@^cȵo7;ۦ[LV %ig ^6UlCY۩ CLWIYg][\;+BAXk?GMvU[O{a")E$fhVL%IBE{{p ՜| ᭽1k\BLq62Xdukv6>,Ƕ dwRI|ۻW7BZ\z99=?|sc0X/_6 T8jY"R d#ۢ,2 l͸Ϯ{wwSf1] ܍rl0AF +łP8R,LnO5' U/WSr !"ZuP݊LU$Lryœ[ݼ&2UY5 0)R0fG+H ' X3")Yg p"Uha:,EQpXIQ);okYvJ@,tU۵Z&ϠX!.<ײ8"y5p,ju)'VV3.5 ӐKRzR՝򢁽zjfޟe':.92T&&sC"ߗv!h?YU/89+w*>4ohHIF-CR&Y>L*jaܕGgpV1NSo:>%0^Ćg&mYhw!pbL(4y4HrN2BQ=\Đh)re.b$0:PF3v-*r9֣]V{O{c_0026uznOl[U*H:I~&^dv& :RrZ Cb#Q+w8 d_a8FĂ(ȨQIU'e?LJeq&s;[slNҩ>q˧N؀]B ;ik O+^a}3 kW>DYt#pr$Uޘt~jìiO *)"}kh qG;P<:^7OI{]ޕ❐Żo)>}^STõa*< EM2F8uƀܕUZI`w_ qA s zG=FhC6[G "S0 U_)N!#4TǗoW"p6[~RNF+6۲X˹푹IRRDr* OA': s:gUP h fDB2FV@P/jm_LD/]GEKl@6·m;]("߃#u~1wI`KhW]1Tl Ks`/ ewny)s`*V[f.L#3YߛJqQ\x$eJ եO:ãA0NKUwJKkDY8sޏ΁uq1]w[g8u]4y3STVݷ|2/<!]Y~qPQ}»&AM݄KSxdTٱp}B3Ȫ3%+)l`&&pORJankm;'-)&7案PL uQبߏ/nҦʚ]:^'-{ompϛ=?e.`nmB[lZ[3wKBQRY 3"^F} HP24:5b:ω${$h-L=S=!DSd=EEMRRpOdNɆBzjzw"Qps eqgWYnKdL{}P,av!He3h]U -XrW ʕ"R/F@0yY#V\ YR vB,e%&0a!B5@݂\h';M;7p )=|Z_Ъ1;?~{W !*4ϑ,<=.VrjP'!uu!g|cݓPZ kcDdrnuco@} 뗯9_BEgmm=@{JVcwEۻtǘ{& Iª=F#.Dt0Q%ÙgpPnqFN(rϐ Wޟ o__2Z{.uR7N`Q_ -38q3…c9 xnk") h(9~]fQʚܢ>,L'eL ՚i:MY4x:-'W[}u!.?eQ_[Yr6pR LDDȀ"Br)OЏ<ܙP̾8O;I8O}cU7|ǭӏNi&'I a2 S\ ﾿=eg]\<y_bAUw6!5Q}0nģ7<Z[M)r?N)xM+$%.I :KT't%VjO_1uk⳸UXVn2 Ew$j<aNtgq~6JaHP1pG_9'/?opwwW*%r/t7p W)LY2Yw̝‚j$ZO@ֶ$OhM L}ӦBsdR83W?9o ܳvێΡP[ m*|;{`ˍ})sΗV4p\T_{誌7Fl.SೲJqn5iZ籄"لs:u1p  ?pOXGmOZ4r.s(iaÌi ]Nބ#Ck@er3w8pԙ cBUJF_*SY?BKVȝD _<k:e[ ?r{8>ܒ}bR E&5p{|{<~Zkϊ=`&4@`i/0s'G5[sa0 F~<-ӌڌewʹ?nT1.4}n+ HGCHS/O_8G9ڡϽ(]ֿo?Vb}Pw-Rvg9)7@TBzB}6Fm9@cշܳЂIXrdUFѩqu`A錖E6X~h>Pb4ƃ$IpKY}5(2\V_VעT^<c5$]b՗#wS]{9R ܙqNj`ߥOBi /j9nZvZ&/x%G_֕A;W⢜_]wx`{~T'O K W9 Y*hB*/&҃--jR[4e- YIy)uen5xWk_ gFfmZ>&Nmھρr`+.Z"#V%S7-m;f Plc\/# 2E,y#]M?{<Jэ&L5$FKcwj{Dw{VQSl<l.$؎ uQ^_.}Y Dd%{Rb</fR1ٴTJЯlDpX-7pVx) L CgYiG^舄~"C+y?>oI:9gpYK+sH? JkR, q^Qz?w)\mCd^Rg\j}&kMkWʻp+0k|n[P-"k9ߠ>{܋7)DSQf*O4-d(RygN D+[rLkGe}̔EX5ޜ7zuWu'߂{P b "7 e  +C9yU&sA--Ӕ)w_ʮmGTsdc;<ӎ CaPҁ0Sx[8+ɗsivHmF? Zj7H=G=piEwBuǼw3ZrpˠzD*3`'O!w.3tb57FPd2/w<wi\΁;r&l{tg,k{pn1N4|G.u{6R;9lhyLzRc9tOIG2@R<г[YrǍ0( Oz`[ tq/r @] 5@.M齄*K!IJxNn0葽wRN3#&R$&5 ~@SXO x_N}@3ԣ:Vj8Γ4 .'ӈ5tp t0HY-c6$!tA.1[#>hC$@IÁ%&u0ȃn#87ѾWe1Q$&i"EL3ٶ"HI9̼71h1#ro^im7)r2{V5d0]X{J+'cpw!9>8.n宙WdΜDG&*o])O&)i9Y ({k}k TD f{9,vQxbF)oD%Z?aDT1dC>ܱGo#%q0?#r]ȝ |&Wd0TGܟ;0I5}vr,?k䲪bu l;#-ܤ#pcƤ4Zľ:8xڶdNwj0MFTuh0jv60_{sY8pwJ9LP؝ZTU%a 1 CL G6y. &)*n:ΝTdفjݶ]MFaX`z9wMȹ #pgp"E<Lɪ嶕Hsp1ud \vQWLPTub!<!p% J=׼12&`w-4]↦ Rs7UM?+u9lv N`(!Ɛ]ޣ  dFDYW lI. QS(@G ;hb|LRtn>DTP}yPDp2($w/WZȁej&SZ15np#WQ#`;pMTdg%{0R8/(9.=TcJھM#cB['HiFesrMo d9ƠT#Dx'3maQ sJbLդC6`5fMHѢGDS!,wlk]l+g] 0l=ܠuN]LQ~):\s{:;I^W/_ݜ]z6x>c;fr<ǦVբmځxӮϻ)kaxdW<bF㛛^SIWb$f߯oOSky ёUJ+tk] 6sbQv 8wF&i6qv}aZl"~=ݭ7gLS|ϬڶL<ڪſ 2ko[M ˾_A!e)AfD`[?7]g"a@k #-y}Ykk (k.~e-@Э+wse_`ho;`Oh׵R3vfKJ]10zˋ3غED1]a9x e9x6zU1 X' ʬ?H{R/V~ԫKh(Љ9Mjd;,rh4MrItoIHq l 6X<~1YAB@-|F$e0D/…+vL<czYR$e>/]r@`LTNr:b*EveW",궋hDJ=+ɛW,\PW?3}/8QƎ˧ ;IW}#n0'3L)|ɈoܱR=AR$1]ȡ~796W'z=(Q˧_hqmi7S>Wwue>>8dSp&'G~'>/,\n6tھN\ۼ?n4oڃ"z~9Ya?>p%j8`g+JV .)YX(>ĸ{_(}X[㦲\ 쏕_.9tg{lAx޵o"t‰p;[<V<]Y) *v%ߝK>{Y͈Kf:$vw_pwV߀t~n͐( ~0V]<и>W?ia\%wb U<By<u*KD;"tyDd˒MF!Rv~DB b_,݊|з%hXSI @'Zӹ.)xBlPWsZUYGMbMϟh8[R5Hl q5g\X8| \p y[lC? O!-5ym}ow1?WDQ/,Vo~~pOxp}O?=w{˧SIG8'`TyHd<jaaœcS|ǀ_Ho^<xΚTbܯplxKT3"*sk=+Y#J<Miqۢs'_7ޥ헽b\{י D!!FjE(* @QAB*|78;]+.!c'~<3"#Z8aϟ7眛mƣjU)Ul.!2[걐owoGU Z%q:}ZC{ K֟&^1>1)A٫g]yW< myrY'уU1eZ>g"SgW& ?$8 s-_q=nN7'pb=G?vmL`ġh ޤ:Lzf5 Ge0D>1lÖx-f=2\hc lgĀEw8sMltbr/u-(p !K5-fz]N y"y6jL\LbR`a9蕽<0{0jv: Բ0;c[͖<״-_dCoz Q=|ɶ6UdqxK&aboNQ66q&ۚ7ӄ77ڳ.,,vvT!+Wjdd=ЪsMfU]_I:ںG#IG$ރrfQe g#NfE=?bt6t8SԪz\=rGf{J.B'7Gy ˂EuHܡ.a\1H:mْ_-6c Ewڡ7+|/6w8DI.TaPT<:lm,eG{W1;tُᄫp7њЎE*8]M{$d$#{!w j=/ pO{h6bz=?e([; AfcғKOIoIW)]8WfB"71]8jnZ1FuzߏO4wkZZ$WowimpŮkeڤ^PR,ebOpw^f ca!5k]=SWVچ3,ZS5}4$u=f`GVi K7GV>  51U0R޷OC;=hȅNd7EIFY&9e,a5y^DBc?%}g(|Krjz|2T~]LswtLr&D5SA]?}upɞ-m2XGţM njm3 >% t>Қ`>8c5^u4]},8b 3ڥt][݂^y;sϗ|NG_42* ; ;(,zmy:bAU&wus wddՙ;fL7C5>-! ,GEsm>|\EW!XD{](㺆f|)wY V#[b!v^b]:}>T~`(|{Q8kΩ5V/~߲HkRLs P~Ê\|_U"> )g w"E7mg^:]=iap!ђ18 TÌ^i\(򄧀;>-5>Cӻu[>hqȧ1T;Ņdt&CͲ^?njL2y pWݚaʇMt߉ZIǐݾZTh_Ngج=]鸡r+d/RfADkaAj(tuw#/6X*{;]NuhkJjN]|3|I6}9{&_cll6뙎Kz10SZ $-ʛb3<aLp} NX >Œ;cXc?Jgn^㕘9<r~LE`4 H[Rx#ת?T$-FG%uv/*Q&yC͝3VSMn~_1`w9$3LjzEGbsyӦf V8GOϡ5CDAJ߳Xy[۫8 qϷڧ階5%,Փ #cɚx8?ܾöI+ٺy ̒YV" gϞ8,4T Yfc)h#ZypGб/o#]i-(jKaT<1 [I% %i݄Wr֊2&ns;L!iI40إ,%ZbSR>}2D<!8 EiQXr2'ANw'W;Ԣ=4ΉUʓrtMǚ{ - \+̳m)4i1ށcsZ-:EilQK?4nc8nfkp3VTDm)]Lݯ` q/kD j 4"+t?׻/01.lI#{3^=2ekenu0iRtkV=@R̗ _/w ==Sk"bp*rZd_ L55fs!Jkgk:gJĎl~T% `~waψO2gx ,Pl2# pOȚw3]9wpS+Lʷpq퇖{VgSz7\wAdcZL aubs!W2L xwy13g&tNEmeØ;W;5]7;!u@6sý>L>TΨcwpMnK^4,5r {e<Α$`5bp3Ւfn#S0DK??.;smGðELkN"ni&4hw/cHvfT)|H~$߷˪xăvpwxؐn&O79oɵ ,<-م)މrsҍCmaqwKyi> )Aw 2zP o0lMqNݴܝ1f6%L: `>&1843ϻu3m.O2|ϯ+7,sVQz]<-e+E[/% wZ!.#OVߟߟ[O;CnT,/YL,퇻U3/J!#4p?ȫ=}JJCsW53(ͱ5Sp˿w&'`4>Mզ8[}V1/wNGe#Afk.lvKS:Nw[f^'t0I"<_&MXCoGkч֍ۈvW =~ (+@mkEZioǔ?f$%!.[$,mM׿*iQ =n%=pBq67[~yvzzpD]5lr#UF!l!lyl;p;B<:`_{}HqMNbLa>OGLX:UC'C!S*vྣmh+n\&QkԼo4rm&7%Bwx0<Dfߩ,+:g^kn#6MW* FƼ_nvHJC|w)_z2U "!F)z:Q<32 ^`> R|M?WIQ',q@!jGe.})S&".ðxJ⯇?ܟ#9w>2[lirHOgקm<-w[HQ*y/G߯V'erƌܝ*STG0cyvڐ{,`;xXg3kྔp'W 3 AbUcM ⠁$&>$C7WGj{zA ٻ+$ΥVnB~BmQrV?@/T9bɜ C B- V2T$ig\KԚ?D?/23LJV`{&.=OO1QMۄ 4#('wX/0l!*M]2wF4O 'TCgec<Mk5>ȧnXm:5>|Kz&$?^]#OeG9|g)^:794^33;t3{?ѣFLh2,,[?{=vzᮦ1Cgy>pOy!'4 !I w&!upUʬ}Wp@:][鴢m"n^ vZ-k-OqBJ-{;%m;ϡ"|)D* s?nh+0TD+ /8MY毺>SOHݚ8W2jr;>s#Rr΂R~x6OCGp#CS{?:4R3#N$Teu\5[~ȣ[Fn oim[3!5nf;YV.e\4ٝJ __KFh<o9ҩwm-늈;4}sn5݊?ýD|Зs+ |PMk]ԉ=JRo&tZn,rW׃ă{ԟhHu?{6]Z#mt=Kˈ,HLF3?v-H⠧ًؓM.¡[:4!.5|SՀ_Rr- ܵDwտN) NkyHXϠ|˫3Rv0*9k5U V]w)Pb_qpϡWF|m"jܡSWo2Y3 wJfj'TcyFƟٖ? [p"N*{}Qk³5P3o=kLwfʱLmD὞t+>UR'Tmŗ*kF. kDŽ ՇaG-{Op*1pסOayYѼ2\0RpYhM%tV|7~t۲MpEɉwQ$wQn^曃1 GZAZl.B/kW0%'~k ]`^pClMAva"GCJ>{`MJq* 2zV"iaaq`ߋxpHLϤ!ӁN mZg+0A,9LO/UaBX^ 㢕LmgoUg~81-`2gp}z>[qloez/Ȟ׎wRcR/ _ }q~ysxO ^ w=҄CեB$UaXPs/}w{6/Lp頦sevpR.A!ܓ5XkK&, {r;p"˴̿|\U٩Sdgjưhz|{4p_b-(y+ǃ 92c>=6~_E]yZpop(#k<@mD6(ffp5NJ8h F7=Jz4N&I|DAlm94 ol C: DA֘n 9rNCg8]?!*CʦRYuxvDI -)19`/uom~Ƞ{ 5ETJ4N_x$XzV w(ڟKtkyÄP[ .J{EW0al2O"u.>-ξd[¸nϟ?qe%XHa$D۷g񏋋1+Eu=Fu|"On%<޲{hZfߴJ]*޴ t>Daέd icO&%ZE9!9VZi+o?t]6cGZ^0!}8GaSﱣ ?쏫OMк;`Os@@pJ<z|JVA 8¯?_tՂ(܈ + H2pBEImhn1x煬~gs̻+"﯎ ))C&?%֐dI˵׳cA._ukv@\ օf<Јq5Fju儢0. }It5a}J*] Ԏ]ۃұ8Pnʛs30T}Hsvf"8y.Y4Bdĕ.tw{g6KIeaqPA(!̃dޭ45Zx!\-vhUFA:tAhs*2;)AI5ܭQӮaܪso|7 086*=g0mm[>ϔxGyo.;냰PTʭ}v^_}*B ;VNj%ސ}<CɖaQd08˥omut#e= G25z>/q_~$lZn.gžBz 9{2Q !ٿ}ǻ_\+\̩~ pJoG - @}*@zUCUB@u?O)wf;uˀlcxԇyRY-Ÿ wz300A A%](TT7Β]`EfjXш<RkQD<$%-2t<_(תYR،.S; Нb]3oX7I %#-2L*LdH 6rj8&_AX;]gy" ҙ -w& YZbqP-]ѐ4݅܇g9D^ wOmm]*r\vZ&q$; \:aoqC>-h$4ב:2]w8nvZ!&+A{oW9n_|eߣ{H'T{լQi2y­Ӿmz: w0"CL`f4pbhCL|HFijwqsCJh߄\bWAUnKPut ƻ^n HIm7 A_oR#XCS}p_ B}l\lz/Tz晜25-*(I l[Ӟ,pO;h+uH+|IX璩ѬeO]TrjNeGu'pt+鞞V=Uf \ -V9ԝ r6'> 3iI\a%:1?fR (яs`- >&9^LPT3<F[0jLpbw*[CJ")Pe"sCnw?IҼjS!>.Pb-a1ȗ7\mRs%ZHRiS|Om tr>XI kQ,wXB/<2> 2xi-X;,*G`5Fp <?F)*0\p,,k+~eaPm<s1w0i_r rSqsPܷ ,,JR8Jśg‪qo_"v)'~JW[nU-ha[:E/}#FaK# uƹ olaFT1]ȲL-hԢODg TGzufOE!BsR,OðMOagؾݨ8j #s-] Zr>x5͈G@);qAOS!q Iŀ~p w(p-ٱᎩF KeBԧw8j;ՅgiCv[b"ݟ7<{\Q +CSZ,fZ9uGCqecjE}6{ޅS?YFemk{;^7;{7!·>\1`',yva|< A׵eQ \:LY{W.;<sXh3ܓ+٩]QNisleŸ; 5b =- 0p'{tU^]'ik&{MK;rP0gTu.8y[Ȝ8CB ̌w{@.==c;lLT%=<18DcþcI Sg:/d5y9>H5{3Mb˽p˽z !yn vV: v'!s݇t(nth;]|Tx~nj=@=齔߱HJ;V\<Nqp&Ԗ)KEwro}Τ|Mjnyss0row͟k8-Awr E}:#e}2!T>ѻGT݀؃ k˽|9l#;n/*|Op*WߺXvrwQg;{kp+TF0[g[nU@0i[XNZ"+<<DS[˝<IMវw[+0A]D[ԞgB;N)'j˽ϙ+=V)BkJ>dsdC{NL\S dz$*ϟ[#'y~kCf䷔/%CI5p`pq:==.=NF!1nֻ7;prێַ;[]Y#mk >wjvrevi jkx!tַp5=gun=<{Fn w}cXS1~7)Ay'7)rs+hǤ aABѥNX lQRs'`DfUp.gpo|܉j-c4+: QNOCi+* EEJHloq=3vb'7]] ~=zq?ˁ:HH_Ӫ4í-wM֨<I =x?mw+G"cr-?5! yJQ0BiMp:wxY $QIKz玜ŝalȺ gre([ sM@=Ug^0_Z쬒:ݺ@ٹ g;P c_]TpI/iVNLpe[f犹/ƃF]z`.ȝg4jgӈ  TgbZ`xlAf߹ tLhd.Y"ulP!Fj7swĠP[|{VrVE0w"-So\Bp7mWvc]Svmq`*as`d۹; P1Vped9Ep/c0%wE"!ѿlě(?Km =7dbFw9e@$sSб3ht9AG ȱeG=֜ QFFTV1zZ* Dj6я+%" 6AC`YH1VAb cb6*3Qp$'&vcҲbv<TgLPQx B±z+KUiwd7N:VBs疁"7#$R) `"Xkz~y-O"!~Ǿ{IDޅNQǸӻx^YOJb2M2\[s|x ֒'6:5݀q6s+rY tv"+ł$"hO ۙ(pHAWeL~*$֋e0ֽ*rBg3Б16N{n0`lK[[+rਙ}[w?Bvt/IUi9A@ ""b{wޞ!ٖ˴lح降zxGXVCy+}5zTs&"]/2; `^q&[T;FߵDp 8=kpo y}Cfe)6#.Eqކ*%7b!DSI\ejG;aǼN'=D49ł(*ű˓ꀗǜPKV2tOї s2'2mD{U>ϝ(A94&//鋠T]i0)}yWg#<T`fI<S[|shhq?_eʋπ#K:7 VF &Jbf+ -K Ay9ܞK6habeRONN'de@/lΩg Tw%C*EG.0h=+Tg:2Ӻw!&VE6GwSr3C3e"ˍVgslLԨEOUEXŻMS#vWsFS]vc{yfJ33Juc!1$%o:xݿ/?iJ+1 k=N}uFp@ թ ̱ԧ[wb 2jdK0h2 ++'eti*\NVֱ ([d|v;w_j}\Y0{2oFMPem[e " 㬕( -lz7hyo!8"Vr|(*UtB-^IL3yZuj8tV#y.6e2n'8bO6xd0 ܯpQmI˹'㛱e$t#xҖ%t_B}>c.>' VeT<)>>k;'ajܑ;+"̱$2SvQXhqG ǒƧT3v9GHC}y}:MC3Zy#bMbeN1ovYZ>]S/;v3~<{[}IC8 "[S_W绾9!W44Y׏gc!Cmܺpk7{1%)eRo<D.]VKwv< ڀM Ði{Ŀ~;̀k SQzJj'po'?/6r}=\>u-gBF$&LCxJDحS=Ӽ3v{&Gnm'Ag壬KʎhoP[oUx:w\8A56"hŽ#Uk&J!+M+Rߨ##aOGmJ HM~( ULHʅT6Cw A6V]z1tNL aNrV{ջf˹IHr~].'6Jm|y;>uH'3-*8E꠰d> )b( ۵}Bvÿ%Ldald~a^%lS{K~nF֭ڧ /́w7MLbtMlWD3;;oU_A&r;-ǟ=~W6|$~XA_V{:sY6}Oy)W0Q{i: BnZg%Hk}nkq}ݐj5pbTo{nb `K9r ܃Z&C@b [)?ѷd{UEn"Uˣ|kwi.fs͞<>m:Yk;?ѻ^sL3 ^Wo(BEMA%X9uthλ &&p>F/bmT[gdx܍&w:P)Nz HU6ISxBP|14=+Fj^/u3 ΝHzaq-RA]i[Y["{wl4̽W7Ip0緛cw{ [pyrO]Ya84{ƺL+ \pO;ݖř w&:VQQpex.>]s?7mg9m oOfa4_&VC `TsPԇm/ѱ5 /G_'X࣍n_I(W[9XEoA1\_.'xn4; \ A8oY?:ˠ[ҡ<wDnRn}h/ܛ*%,2~xOl&Obřrp'9+tBeckCz[FPஷeym}Um]pWm[q<Р.IOa s,Kjp][D7I4#'?l֝- mv~fT&Yŵ#y5 {.k 4&vetl.NfVlH©*#ۖ\)tB =m]01}ӕgHt8,Mw)(++.PNp};'+\ipe۷eLrB̥C}ss&zվIvT{p31]yk:N%ĨJMxʛ{4/W+Ů~dήLC=K]?o%ҏ×QSLT˟w>)Ģ7?aQbNO~19Bg[Ukg竛ӟ[C虐Q*N7L$uAGs䯟nVW/Ry<2oWOJDj\z'T''289} \/d}eG$g;E"_ U_rsZ"./w8riߋ_#k|R޾ }RWLWmB)O~.SICY׼ ˯G{Zs=|Phͦ ,w#K]{*4;<M9yLwfSŮ& >.$+gExFޣ#%ns>bI'P5Ӊ F%y=Oi2uVr4KˋAQQm.ʜ.66K%P<mљmQo|'7UpFΘt47(6^7{#F2eF.uKzR*91LEۓ#!OFY>Qq a,_+j3ZܕPa%l)]k!VRZ)` m<AV76ΘQL=s:ѷiRj:Ֆ՜m~iN',F],O7YH*@?58[ӻԥ.Kˡ>Qg.uK]K]Rԁ{ԥ.u.u鿓lP+*گ>Y)By9`ц쌵)" P"foڼ0dBy+ʂh= j%P; WÉءs%z=XrB srF[=MR ca;N[ռh* :p U.ӃE\[ugae3D(w<-A+ƴK;6ަ1IEqԆ -ӬlM7MD< q90xӮ:j_$iP$B0qI H踪e(r8T~r^?qlL=|svj1˜z)Bո@ǥ1J7ڲXNDĢQ2 %ܙ *g)4qX境1ahDž0af6!*Cw,q)`I֙HQ VƎ /%4!EL&:v,;ba+dd;GQ,p ڞ2:+ SC;-wX}]S8Fe`p҃B1繓LsX4M+##УPD0^&'U \CY2V|u 8ph0⽳`a8 АEinr4-C* ^7BhıOfh7ۘد' iѫq5P,4huR޴oR8C:7gQlԏ0UKGQ 3T.kvT%bz!@nꩀgqW0J#ܦ4lG= y_\4o>(IkeD"#znd(vvۮM0+Fxכ9]ǘS*Id-KpQa&83<lNPZZNwN=,sK"A**zUB=]Hɩ{eM`qa-9lw,Ў͋*fP[ӺY얙} :pvcꢘk[@ ,K cжWT{: k ^S'i$d15OֵFb+-o HfU۵&a]zu3w,w ;tj\V/t3<kOD>sGdW7~k`@ui(X F[p!b&f!<\<8lfzUUŚ,&4I!>_4pi(B=8ԄIti!R#Ơ,ǭ̉9%S"=^ BX-܉D@h^#4>jX=Bt+k*@M0NP@LGFTm ]Z}kD!$UfD\k]D(+@M˫ qj4^AdbARrVcw q@ƣ|SaB̲ &zpȑH`aش}ێyɬ9=(lB+ّ%5!@,7*>x .ڲz<3%P0H;N wYw(O}/[n*])11i ouinzȱBVe au̝ugͣp{\׉㍶/_^q&3?M4miDzdy4ï-c!mt\4΢Dz}A>ɨzv<X }rdL(I~ '&@? j8=!Lth|?G.ԭC.c&~}9Y^Jm"3XB1(kHcޖ`0\qF#KgYH.zBj~BA_P{T`Ѵټ+E_ 셞Ȗ6羐O~/}hE]6r .㜊h~=7fZ%eUy~y0Ę\{Z;ƈc*eYa;/:k' ,>{ oYc`QξMpV̚;h4#T>y$UUНYSb<ǻ$NW @*F}Apcn y\iccBg\=UhN>uzF|Iړ ʴ%H0huz3tں=۞\מ_&I"z_͛0d9 Kˎc##G ^ZVΉ h^xz>2yE/1A%A{oHWяG>(' <>kfd? .^2Й: Oz`ٳgWN㤒:]f_infS Cs4RLyӟCL֋]Ӡ DK ܳ;Kq_ҠܪXɼJ9D&-|˲ SIhfŌ/)g}:ВP}8򤴕~']" %\UAys?>=\Zi:XJ_q a빬ˠjs5`_-] >[Rs:U njh'A!XrR0˓#s|V0W]%evnE UGr4}:̅HoD/ԭwzsv<dֻD$Qudx268#=qbuҠ-U 󀉊r1:䊒0陆/3XOvTk'}*Fgv5+@+RapWSzAkd DfIaJ;) VE6 0(mL* p#!,gpvO]|pAc>v ?i^ (I& 6]G?&9jnhEo܁S2Eiv!`݅ )aT'^Z!]r Ww$/{miy>1 lRzWϦl$+1hfL(swAh'_.)TaЋxVQWᨶఱolɗO~*B-+67vH5d~&Q 21mR`Kpn%wpi+f9Y"6Mˈvnj7[5S;7 L[HqkyeSgEcEw{<7/IX{AUcaU"Weພ\<5wq߻&ɒVDz;BHEȍu1'|fكt_H/iGAyQ(OhGpvtuT1gbw!NI&lgVսm@f }Du&աI_KpWwpJC`-:5܍#0#ncj)7d(ȑg)D#a yw) D!A ;V QGm)','M 򩨿ziX74GɵQت]3xQVY¤EloRʲ͑ .]N*V:#n箵wp'H!!M(קh!i384PQţ˳oXQg{%#y!^ӖgPTaj%2j9><ڬ;ĩ1VQb%m5@*+Xi45e[Q_bأ /;=·ζ՗dP GAS҇Tz LJ?aRA!%%ZNvmokۯ$)e.B u,}(5E=G^Yf8/'ƟZh,tllDÖyLuffA;/H=qRG;Kݫ*؉uz]M?wwyR+(,\^1+0nPI{o$η-ɟ+leʻGpsAR ~N2`'"+jM޺\y\)VNU%N괦 c`x`H T`pS YʁRLx S`i{,U> 2_@ U} ~jS"aGg}9.. b;s׈h鑨Pq ~j-P~;&qI&Oׅ.˶qm&3>Wr$w-a- f0A,t=$ǦbOAaEu&0wjS\BZL_ x Gw\o|ȇ, 4cgfp e<ց爀vz^tMS* JN3?݆)av{(Uh5p WYSݺ\ L*\ew%eK}pͽб,3s7 K,olg+ᦹ, p׺(ic|y09O^pVljY<<KW ŗ멥3ހ{}m@/2/A΃r<MuTP2@\1>34':%\VQN {Bu8e.k3i|Hy%C3HlqD2eO˒p υ竹dS;Sp+OƯ^oXo|gmc^޼{ExpCn+T _GweK|>WvMusY@u(Dؼ]џhXlhŖz1ػ-IYZb-A՗oyIP@9_L(!bh :gqs&g+5~o]UK)y* uہ;SHu̓x](FnJvu׷/ QZvKwTGo;ʕ l7$Ϭij3- {fT' OpZp ،LjNj&ݧ"}Lw@;]x& jyŽ[6PI>PgYPd!hd^&kݴ,qmu?cΪdg7kQI}Iy73##ZP׬\2NonZΎiYtpi1!2֤= =LA2+LZ蛅CfVS. S"guW`v)/lNKOeF@fWٹZ-30ܻ+KM=(dt@*tfmv"m8cVoܘ 3EԾ+h{J1+.(w!TY[&ON$e1bɊSVB]Os1ܳݴ}I2^]җFa{Ĵj?l˳?Iڦ@A'oarDb Hʚ6^S,24r'A@ܘOc˪H(٣Yn3ĎX#z'"I-XVR@1* FAB9u,Y!:ΰiP-^fǬKFLm6aGޘ Tsfiv"[+e|4[vr&$G;woa;f Dglm L);Jsڨ( ys]OTǰB7^SQV6.Y+ƃЂ; u;v2Jn&2T,(!YE5N{piܹ Yx(XHywФe^<wqG~ufFx58Xk=k]Z%f NE*3EoIKP# Cf}r nʘ%%jQTMbp]q9~>c.ݒŨ(etbNFiBM)EL} ;!n<JИ7{gm"cԺzlW⮱6?M QףYԆ@[s(KYF )(p l@D Z  IiY@,Gb 38 B4Er`=_l,@P̔1 8w-stC^@8}6;Qȑ\?rM¢wGTG*Q{'~Uo_y ӯY <%Հ N ;q 펉k`r1XC޴>l)h䜷 ?$r8ivʙEB7MP<J:0w)6h`R@5n ?0o|@=tQZINUQsfvG$1sf昄 jR.X೟0Y,. E0(ʮ4.ܩ%-uHJFb0p6Wb%)5SMrm&ο[&pnYd&RnzJOFޕ¤/@UR2|wM[oT3 Xa-(>ťE]<TB xʰUh477P`LZK4&ʌ(2~0F֗b:őL4ߌ2*nُ}jXP_U 8JeP@Oh0'l^U2 Iݛ|S{Wm r:tS&$ˣeި9rۍn+t P>=XuAP=үT1Dl b=Q iWK^BZ`=)o7۾~x9W*6~{ަ7P7:3#ڮĺjfݏE*3D3ut'AW N(#]8c&Q:޴QU"N/\|gd(-@h-cqOyX+])F9\r`$zʚ^ċTX" Hrѩ" Q[;}zzͪ+P<Mfc bͣedA{.H\N LRW'z(;\K-o?pJz7]Ζ7)di]-sZ"E04HcߨB,>Y_=ohjViy@s<h[j'; YJkP갞v6賜k]6 /#]Q=oظ#>v=3\%C~%yyt m>6_LMRGjxkN۔&#V[!mqDއ㵳Džé!Jq'ryhQM/}xDH ;zrQЉGeڃ{Hh/Tq:543ix<290ˤؚB A[^7St~~'*)ݬFʤ?˟mn)ԦLS9p(jo2xT҂y0^ \J zNڟ'Hڼ#2(1*GJŀR aQh qA M& !nN毟0 (4).G9񣏱#{xv?IT< |)`ab#b!{V*/hIo|]u2G?6~;s2~v]jWծv]jWծv]jWծv]jWծv]jWվM /;z. >Pq9fZT:`"?]Apͩ7ו"wٵsW>sڃ}Em2#=ۻU_-_wp=ñp?N/St߳1a;S:9ϏM?NSc(f̣Y:Ϝi))柦Js<xX(֥#x8l Ae BlS1{p'ʒfwuu$#O5QC7}ho;<V9P=]ItBVDߜ MҪ0Xy?%6㺊7#[5k ~UpF6jW-WI_cu]m7"Q_Tn,(fͱMl{K̔bB)\R=̔'`g i">-R<le[̻|&.+_MXSu^ X}8AkmW¸dv(kv Ą8'!~r@23})кJ<F~y?}q6CҵY$sS?q2@ C=֗#}gKym_@ L}/܌é*w9LӝTkù8\m1Mt Ŧf';p}&ԇA(#+qg&deD}CɯNCN53SR @J<`bJJKzgs]-h{($0T驷Y2p #_^xPyF}iG0щ+[email protected] #~%;o&n4siu {w{mk]4/kZ1V&SzsaRnq("H  ` #3ydp?v)U<4D6I5S2/h`NlRQ dgٿE DWk3`u0 ^OU(1:Z/>V)uYNN+TR_F- G> kiL-PC[/} $ %8RJ\ATx{ɲmly/{gkBfKϭpz%+'2p|ae%<*|9>v ^K=A Tڹ Zf,`3!]x=~yҹ|_챓%eQC^ʘX!vmթ%Ԥuz}~|hYU,6ӿ=nĥf DbA-ZꞎflqU'Ƅƴ$zb,8rXg F|lR!z+l 3qBui5<'dmLzm[u*Qd|$񙫎Ÿʔs-HD mD3(I=P{RonJ-L91]Y6sQĩ79BW%yKH3i&BI\)ǂ_}m|kf)2BqW+*tx?_W=]eM:Xj)*3"$j2o^iC0}, ٗxKûm]  Te}-Ҫ-p`fbTX餧W-LAV-P"AT4<9LU7O.Z 5^6-Pg~maПY'ߓ<7#tHV lgj⒔ӕV7U|Ɲ4sJ# }MFAo.1+Xcxy]LH(Zt+TM*ۘ_;Ʈt?Ez nv0O)' Ѷ<t~|(Uj^ǁ Y]/[︒RxgHf}dJdLi58^^`@Utv`RߘYE#lj~C?PW+:(r%d.$J" һpv|J!US^qr[h/'ы{!5-Ue6df|fsJEr~Q+ϠYԑ" dn[SQ<኏Iink乱,nS u (U܍S t&#k;72ݝH鴂!̙y%Bߩ:\N&ql 2?lb=upܽnv1d9H0>yyU`K~9I"6qwlkYyʰnjRTh,kAJdlڄaP4YfTem VV{O)t)̝9Col@%bo⮳T(]֑uTW珅n6O;lWlJXPV4/uy)v7K妪K'|~bǢj??:ZBa$_iܥ 0"=9`gn%E0AF q?ǧӧV}r(雘ު@\cR%(څ0K`FTs9\R k +Uxlu3H|;3#ͅ]#G1;J?$X{yM+kV$*5Uڿ aqIA$1h`]v ȕ*;ՌvIq IG4Wy?3iڀSHPS, J`UV: Fa U5yA'o+4O aO,耴on\/o'q| cxssיcޒ3qY ɼ`:(S\)<#k2|6[K[?ou#St^ &I@(m.p̆WB—,wBԵ k ~of$(*Fm[yNQ4O>m"B]BkRwAph/8A>.vrl/nq1b5@Mʕfc=w;qlo TԿ1vd4i<%j #e6\'+#@C730@Dܓ 5^;>_oT+mH]trlpAj$+B093#*⎈R 1TɭKxb7/6d{ nG#_R72*v %x 2B6'qoحct)xJb<J ܦ"lᘊ;+-Q^s= SMJ40C9rKo淕Q|w.,v[NGFes蜶'gFn;q,%jzSh>l#KIF(*"J"ue3N Vz663>3sf1c0 (Mgʊc6y}$#xD뇗y[=+bQs5C1<P;g1A,4?L4S&t(:A`]i|Thm䌠mZif\2lDh.3ϐUӆ-9% 3]-Kc{,k< aņhwB9bВ&[D YY<X ߨ&RB!pX>aa%O(pU@5VW4 qF"tJL%EN=G3ȜN]r/MwXuxIKI摷"l>eح(T_(4c>5[#1Y,23%i͡Uc3$A>S+)}BܵbB1dez\y忷{`1X_gLጆs{] /zDl9v@eHd' &KI}`<Ƥ-ZL/ĉ{izSU1Gd6(5=>-;nZl'eQÔl1IRef= V:Sv(FYdJ $d9s_ll=S0M pG|Qƍuxvl‰3Z;,j KU2Hܳ`eG/3P;oYZ-b#PC0gNeiSb 넀ma8ivwN[[Y(Z<S#N_!~N;N_wj'܆ą kW X:853Wy,鄝@]xq5{UiEcG"и 8qk: o^V2aB%Lgn#5Jڂ-Wèf,E,mԔeTn9QX֮ p2lzڂ;x߶KK)θ +X 8,eB.Lb۟}%<>B򷂠m| NT `,^i[/u]S E 4ҞOC4XٗuJ~`qEc=,аa؇%BaJEJa l$3 t(ƙ_.];'uqjK?e1`g#6꽌[I'4U.}[M=aLzH߰"Zsw5T#Ka(0RmcaDW跒Jt}2[G$q"aSIp'UIeuRކB:tn.`+w`8ٷEQ©?;t.'I3 Cbɾ=Nf֥<6,V@FklXw1K̽PwKֽ 7byCX8µ6Dν+S*M:~J9{"㆓c]pP\o]mUJ6N8^cmK m|SwkK׽7 #sߩ3mAPMz=9UP/pfzifYn a/l$-RkЋ G! UrPOfjjQvoi|ݍ-.u!mL9A8 bpg/aYY}*iӪ\'n׻PmBÚRvX"@NZyv,Jz{jwk5`[&) "Od@rx mP0 =!iE9$.oKE*3򴽼B?Oa,ѐ5<=" zmCэ}wgvgc qgO 2Ɉ>rȋQ{w)swDv}ǏG# $ݡ3qQ;NH)Mvc/tWIc?擅## xi7N2Y5:?.CcaO[X>=~[$(VRl܆A>tߵM%tޏQ~$Mw{vzpuo=ұt<ד_%^RfjTiL)qL'=zi YrN5x҄=Y_v.z> t5'Ŕl>7r=Y\W`Λ~lNXs_,7Y; scs5P֥{w#bsڬ~xvBti&ƿ/wi4iuϟ_wP И*,?4 fG,7c3~ A}* srQqyY/^.N7;9$eԛ##^`}27߯p ?f`) {f([!G蚌wSf܍྾ʲJ8w|+J WᲙ[ Q&̆١(:dN{o$hCCrѬ{ [%ڝ^a541ub9n<V˼ GWǡu}-Lب dI ҈Dśw&} TI|晙grP(Cu:# 00~]oU|η=oHpfI>=Z4cؐ㈤X0^T%OP/3r/Z߹`C=WOf݆/'9 6K˼.1 "P/p~=b*;-x1Ku16WxBv.| MExy@^sh$ބ.BZb-$:V#&) zA鬕AbHOMQw$"p)-AWW%/wyFn p>I0Jke0`wusfVmms-fNգràǴL$VW}dGWaC+'ᛯWyzǪn0:;Ħ +NJx:o̼Oj {mó`xٚ؀!gMLW0iF󬆝9o <so j{/Jg0H&n3<p:3uYC}v`oQs`l@|.>I,nO@]la-{nk fp' \8'4JU5M, rAc.uC/GXk7jx{L &u | a톾[TF$7(;FͲ:#f+gwd =U2Op'Ou9|mFXplnA7.щR,lۼd\6ӧe` D'y;;t(D/Kӥ?s#PQ_ 9Y ᳠JW*/RQTx[,:E,]73}RztDVfncs`ZFM'j34 3Tdf | #)\Q36^@D3Ʃ y##BsNJTd ؟><̘XA Xzo\*57yBbooJD)Kԇ%K!I@wWl.x v@<}ǔKnX}C-M@㴺c_tZSgޔyqHODCCrrV2g)[_xWcg{[5{ |iK}d\BX׌{꼌 O$y8!:MR>K-s -4`vx9)բKu-I$p`ipj.IF sbrO=]@<0ll5u\(q 5<¯0g2^D )|'1X%`:NcS%ݼ8q$`[lrچ4"wpG~-9w[Mƴ{,ZrX< 3:5ڞ,jc5KK&?{dnU Nɝ:3'i'‘{̏0ϥe^*\@ ;LEH b[GDMs3uU5OHVE㒃7>lJ)RWxEN) h3+Ԣij5PHCU\̸w)pVt!Ev30Zp/ױᨖ(e55aL'*l?&K2ɰP?&RH;Cѩ^4)O;.𫚅>Ig7*l0Kf18 \x'Bwl ] AM4 L폈}x%rjF]zhO,AWLQo Gx87{Iў.0caDS.0& wK|Ѯ>ؘ2 %UE|{Zn76L%L7>5Հ<6^;nɥ鰮 c;NG5^d K0C_ˆN7 BؚT;+9WS縰"s',ԦeXnpv!"ZTơZR,Myfae;*оG1|VBbS+&OJ!3s' j'1֫&~+M=*dG|VגV}'M4]"s<3$ QS8A}w\ ԴNE|T3l{c(qFmjGSB #iTN*JRF,j, :VO澱 &f ~O=.qL0Td4~=0'O͓G["=)@3W?ۗ$Vd۩nx>jDyoK˞m)xP |ک䈠Z`{fcZ0lǒ p0^BnҐr޷dga| ȲUUk:EhxF8W6o3h+W{. piF P@4-gT<aVݹ {YdWpR`RSB*MtL<ջ*:P@3m1r4UKD@b)^ Ҡ8x"8)r%1>Cz ;ԥ`89!f uw`} ~gZiZ;%yO-rĘ|M9؃W2޲=ܷ\}N*S}d l|:|v̖HЮ?ґ 4%:WhZ<\pl&< xΎic.Z^cn$yi^L1: KƐ2!m`mi=4(c{u#Ũ@CJbY>v ;O;g5:VfN(T~ &֖mh.u!sxOܮۧQUpq8$v2-sL2C-<^"nx8}CLl>﬈G sbX*&7]u=62)bxaēdJPbÂN,v}A.&x8O3׵E)Dn^gg:6X,?i}0KFɿDrJ-q*yD҅髧 c.مһyP1N/Z_~@:ȋTmПk*I/QHR8dY߸mMPvc7[ V>2'p ܃I Nj;9VmW5^Thgk@H3YԤJa<gb2*a\cbTQSZ]_%O'*ZcEfNũ]H 5 4Ô01USE˟d槪:sh[}?%vVs6KK]' w_̤7RUqײ 89jցMyF =WsOpN=xfeνNǐ:l Icٹ9*P23e*VCa ZYgu7T3n Uzxf(}e,Uk̽ݙwFi aB{KL) Tmǐmey$ q=V>`(jP52—z>4R]CԅIDR)?Khb&x0 mԞ54~.ɖLQOkY7~-"F)sXj|$)R~`Ϩ=\JWfɮ4r9^轙n9H:WJ1Mi7Bfx y%I8b#whnspwٴU飿k^6>wKbݫ4U珖F/ʏr׽Wʺ73XՌ>[鄻 .33Sf trPCFPx7~o瞆k{Pεދ TR +iNٱL73W[,5(lRwQ>l PrmAm9R%#ٌ%(ח;^دTWU  iޯW'Cu{RP7m.jIJ1UX<g>i<&dЃ#ś*J3*]^^p m1rkdz"ty\t帴=" 0 >K@:`>$S?@_Upĺ-v~vFM[,% {^d]F/^q6ղI]jw⽢a$iX#~\U-~NU#%?Q_^um:6.w;M&L5gOW8LS փiF~æx2"~X@jYa}UwmNO#.ZǧSTp{ iT#~8n|xz.p_}w킥$E|{^8d(mM5=<nadl]/ppO:>qVj<IGR pO4\S%iy1}s_QkUc=}s(LgvZb03Iq8w(nq0|tnr\QZ'r@|hcEwт0w2k³>:^tNo#X9_("/znqllZ݇DOp\=:=鲌;ͽ{uLGpg/Wo-ajg͝{~z R]*O&oLOX*!4v樃dx U۾H]'[. UmoN2B+=׭ӕ~+2Pʿ,j8{b^R=I*] ֔,-swo7L/ܾ&)BŞ]>O&Ý]C|3UՔ}_cSw3,bi-SKnb\> ώ4[&&cuIgWf0?]?t;EX᪱>9{j@fD' 3:w@]v3"cNʁٻgu&]c R#I"U$mW?yf&Zs>֘d2ɕɼ$TGpK$~΅3piY M!{@1/"ڑgarHhIN[37I ܂_=Oqw/ wR(kM?˿wEt(3 <nCf"oVˬ*ܗdvKΨ$wTQIosp"T3ޢ]d4R3^*GCIN~܎.{ZiIO wN R^(^pf 9!\<[${=Xy${][%wP%%ԝ6\ )aw wp_?Cmm/7~{ .?UF ww'[).edw}bvBH"R)5)x?O Dvw @3:Yr2yTؽSW?MvAoEpcBbwOj=B,ǴRw6]7*qNyv,.s0!$ØoC![g}>[~#{"|Z}Nwb,U#N~Ytq4(cet"U Ny^V:)=aVuٸ(PU x=p6 `Geʗf'ݴ֘Pn)ZL{~e5gPWA&\(O<UvN8~ߩe2;'(uˏ!ka[~cɌƧ;dZ ,tfep0+ ?pݎ9"TIcݮt  !6 odY6(%q+{1?p_J'sXoE o%+V7NkYn6t{?&J+%l4,ӿwY DΝșLЛFMԽ%gj^B}=g^c0*)ŗ;U`#6@E{iV@>~$l-Z35.әngniU`…ƛeDVZB0ܭ~?RS!e{BwTwr38Kq~+0w-9K7eyQϛq$eq4/򷤈yCj|@~_.8.]{VK@CNr'´*Ks?eq;6 u_.hR"UcѴVHKG1Bz] yP-c+T^tir RLU/}nlZb.M'ɽL[쉜Z ޾ucQQO$ܺ0W ;S<t ੪(rl q++f,W0gpG&ecU$EbRqO+<tKKHXQtS Eܭo%w쟬Lb.׉Z| ٰ?;bk~[Jz;hTpvS %K^z?'˒6u:͙PCCg.㌠d`*FGaZ͖loUk!A49{ː %cbaOA]u(ko(X!:HϜi{*D~kX%LKRԆ7R4\|Q$ޅ6޴'za!Ds^6&:b$(8%E`3*Xur{ƽ@{WrJxqCϔeٝMb}!& S:%Lr/ 1VW*zO}E+\OcOZ,UvmDKƁ}R~@Ji|S9"B֎BQ |b:sb?nfɝ& Ilmm]}+?yi;J$TaSwluj/esש~-N A:ӧ^c~ wEUHE<B alH߾>$wj~yjk.3V#OIai<VlYOY—ܷ8UPZuFpB|hS~Y-sFBb]A04c7N؞fvf4@Êk7#pFph%x;;չKVoX9vѶ<myf+b6~X06M1a[uk)9Dm`^k>:[J㕫hS o!YSTxbE&/`Gm>^uM˭CxWױRcgIg <`^V?<MVktJ ܓP1!'IZo(3mePJbVPq> #!ׁ՗ %a:˛)CZU a#º if_F)$Bd]8#W􏅱Ju&qelzq|jZO瘺g%}{DwXă7Û*A IZ3*YB{^`c*tԀQ-;q?{Eд&BnKryFpO.ΎZ'-'6h8녂n#o*?̏ #Z$7vp׵73 YHX Lv9@Krꓪg'M cT?@b{ЫWwgٹAu4wgto6m0.긔{y?~H &=GvQZ~噅d{Ůf`;+" g1~eV ڠ#YmnUu D{atAmf?ýeǽz=;s]lƯ|GV?g~V=<9øΗ.f<ڎ8n8a~|)t5^7?.,Mw:w{X:x/ysc%f}|oߪ}2?r05'c'b1G[ YuԾFVW"7xyK\N9CJ HԡW^z%.u潴;>E}sd~j©g4JSn߄ [cZwe`ĚO?;FHݶNӗox͖B^Lx׮ޙ YDjz!T:K)# p<Z҆O?mn*> I]m-Gد[_;[email protected]][;oz@󧈏`Gi""Q8d@ Iґ47$.5pN̋_o5]CHV4{(0v#w/ XWy~N<,@@޼vyp.FKs+mr8z}٧MkSG\k|V(}w-n)η>![g7z  h~^|i$Q.BB,ʆqa 1kq ,X).iw]Wq+= c^ ){)Zr~5m8iQM4̓9h% ӯ1&Ky]{b"TKy'h11tY@\դ §98Rn&vi]s wڶy\fq3g^*D]x@~"w\%o Y L{`ya``Q> .$x_X1zs <yo0hd2iD'nzF|}Q9бկ a933ע$|:AH dְkQJާMҘd⁦UBkE(.m#Vd[jiܯxMJT̐c>2Ud_8ĕ x}БCv Swz;-t?8ZNЋh\r&pRӎ\>rg:@mWan-` J)gZ+.Tx͹n*K7j>lp=FXN\_gߧ[ Q:Lgڔ~cvF ?`M?cL;|nup5]dԕaЭ'y,N?Nӗ]ե8mDVI-$,nc5dff[GǦWK?Xwqir:^b X)r8jD]侦 <:Y1ݾA֛J"c"RFf+=C+;L^JS$V1RrF/rˈuY,w.<zV`so_2E(!G;gEt F׳8UUJF`uw:KiLKS|V"嵤MNOy ls'|ϲs D)kI͝$r?poh̀LuSMEKJ{b. KYG YV=Xm]M̝QOF3=H|s3EGMcQbB%©Ga<Us'LjK PT'tVV?sm̂YˑU5`> RCNM]d(RhXNCp_G=Q"g؜%vqDb !!I(4<:BzE8pR{FịTƹcE,%$wL>% VoGki VeIS !zlYD c>D;"N9,^!r+s2ixH#fkWaxd>&֛4UYlO?1(A -3J]g9i)2zگOY`r7 ZWUU;?_8*T&&4bN,k^CtRmǭ FpQvr %r ;Tg#xs'6}aNY?Y4yd[N<]PEvN>(Ӳ yb< fXֽ$E&%0dfmSh)%Ro+p<-rS EG>㻐ê%3ť8Ӆ}<:GQp)ǣ2ջ]*p.&~YGFf<_, `Zb2 ,uB ;KMne% U,hiUq50du!H @Y|V r-8k$$&{#[ƶeݏt*NP2PݥS#"+ځB>;Ź3W;@ `on24'tjx!>jcX4\#cabin\\E L*a<rJ ԬtclұZԓX8 ~\pP䀌aV qݬL\=yOk-B|?>pě&tR:w5&9䨉UeFay,f>F' tM1 `z%ۋX$!aNd-A!&ph,SؘggH V'Έ؀[f-gD}s 4,<NFLl;U9ŏq47(9*kWט8X;͒skwE#=6Aa͇GA, r:p {arMb0끹2L ULâItJK*۵=B{&)k$+UC+4-Ae-6*Y kYrU1rEf9Wݒ@枳Jd%PC5:W RBnKV(r 8c3}G&mJJE4du)Tʂѳ~Yq&#-" 2L+w{ w~wpg&=>jyk.==+_ hc!5lx/lA RZn$ /$ LZJ?Qt5,)EZg*x,Q>ieqTcɄ#@-[DzxRpX_h"(o%b2l9ݱj%ŃV5}JL+7Zup3 gTՊ:cY#wr.pQf~AW]! :\,rŮi/Ftgn׻LS"zrA+!]:(Ino'%qnL%W"m,Ц~"x^eyU##˷}u\;) *pZw$̸3><i j;UN~ )_A1qy_!qGs` ZHİ3R 'QAAO@rQnoБ o|L_9jfE_as2֦+BXO7%Ed&pym N]O}r u&5 sVo3%NK[t%,w33o3Gi ί;Jz͙;X^97p]g1˼TNpg}ƣy5*07g Il|?;$L>\LAN6<cjf'YJZ`1Wp睷cQ'g4e[c7]tQ _̷XwMI[AS|36MUʰAÜ'4Ԡb>ʩ1M֎5BucԢ{(w1s!s{Xf&f Ol㌎F#y#xU`8<8Hن< .Qc%;a=]Tq$zc}q!ϖ!{g[V?ۻۥ21؂Ç*:%qf+#KE ,K=j,d&<턧|#v\K6̝Sb0?. mAH#CcU e`qJphPS)-PM3Jfʵ _b'{ƃWֻZi<§σ& 9GݜR˪lg:w,;[wkZw$WZBeZh܃:$pKM4\dJцhfn1tֲ PXg 2'VGNrI\>`]Lg?'XE?vmy:#8g)޶xe Tg]-cC(q4pW )M$[ jC~U9{ޕ=HֺB:v;Q͌bX)X-Gl%={qN.-EP5{,u@?ٚ{YjRU$%ΨѰު mHŅBĬm{В6%odĎ#wIiCYP%?##A^P|uZPP(l'pOl ؆crr{a+韗KC5Lx<=]g5eҶ^i`.PO:+6|'-3ůVv*J 8>\Xw"rcDA_R /33/,S4=2p9a ܧXӄ,gpﻁ~^;='y-) ++2i}VI|:eص~ct:cu=]zBi1+M] [ 7<?їN喹 RV(:7<2~x'CG0Z makJf.;_2 ܠ6c3s(fp_0+Dm~%ݮS}RtI )aE{HXu?%M ҵn ]-CrlAѤ}3su&ep7BPwcNzɲ9Ǥv)pX=xgWPp?:fO`V/Z¹%lLa#-s/ے0 $%M>r)y،~>s8Snf1C]wzBJ>hnέN\%zrSCK_gF?(aH8Hˤ/~&[~kl+8Kx|Jk_1i49sbQtx;aq"= ܷNd5P݀E^R4ga⢱(y8$B/ fˢQ%i@,K׻|;ZRh>ij0x ; yM /O=2 O\sY/c'on-#:MEe{^/9hdoKwCDj^ݏ*6e\qm4k[\~w&;!󡖑G.^El:lG-D>޲ +P7S]2KDGH#sgwԫ.Xc3fpABiVT!e#CfpQk F <Ly"U !sx+AoK3MYX;(:bYm76AI)΀O}"h}p:kOKgX.ʌ W2d<W&v2a{U]d'""^;-@"A7 ?{ew< ?ܙ?ن=^h?F. & XG SKx;28s‚SVH>-#P$83K.ŠL9z=k(A#&Mæy2 AKH]jdpJ|fjċ<z:#Lf\$O Ԝؙ2 `$Oo?(<i PMѠDkM!9/ mjlzΈBL7-$I&2pc Is =G}JG4Sc. ܫYLxšvSkc9(EGWIz4Ţ-Y$ĕqI)fqE:@P. P܍TnBJ3A&=PR-kLUTHݚ O(Q [ <jr}\0p% yI>"l|=;"RR`e?/:A[Ԅf]ے Wy%Ʒ8gTMMv!c!ъcoر0rX EM5ǧƈIR@Ņ]tZY Mc?<"_T#`urwF9 &8fHjЫ桃░9&N[cH=9MJ/{C<$%g-\Es0RM=;SkLOx, <isA(,$;"xC|XK &¼ xKe8JuI"/dG~ 0" Xg 7q79Ot9X1#ɉA!"h7ňƸ2-pϑCg_*cj5<{"vbz^e"k&ɵ>_Ԥ 0T~ӄnfNw+l_Qjj[)edj&AH|޾gnXFD9qQL<k i3儐fM~Wͳ/ c`N#/ϔcU CBՔoOPKo'>.Ѻ2eCI&=}[kTZ&YuîbY]R >qC)],V|ˣ0S҃5aD$8& SsGݬ<d@bG[=[?Y/5~HS ^f9bz3αK^9`cZ'* P:Hu\ <b^h8It՝'ob.dUIĸ*n2笔ɚ2>7pXdƝU7YYeEUM;`pA$(Odt $@dr<wK[{a_BeɺFH|v8ǹ/!҈3) %2@ի1IY< hK&v`H>ԗRڱ43}3 9߃'q sw|iRNNSPlSEV1`qk08xhYtiYH4UP #O)CB8F!XЩ:b`fRƊXj/f924͏¿-䜆4-=CJs|)@c)dE,݃Eèsb+.&n>CVMإS TBCzt kQ7LW.dF/-d@4x#aiвm""jK*4y0 Y[\?me@ruL;"嶰=_p2z~ut9/WՀMM>3E_;6me(U8[^y j9([%Y0{[Q/,O-_^lb7̝fF|FWAHU$Q/qv;1`}5G2()[0Mxz އa_v>6fy؊wdH.pvUc:=x(c;w-,eqrڕn=piVsRjЊ7m}+#]bm5: wko󀇦r \[C3#m)Zc=QbރCڣm?:C&lf˵nYm]:VktkټlG>4H' G)w)8mnA^v_o,"Fۅ,0"5Ob-U~ zH89zSx0$ rn[?T~x|)~A} _{g[y (O'ڟW5T>Q5쭗W >s3eiLpPA}ULk|ոdi:gV*u?FF6,;'>~IG&Sm8R-EEkbM|R! oc.%Uv-ZpJwVnڿw#,3ˮd&=rE'1$;&gj2yB? K/K/K/K/K/K/K/K/K/2tK/B?:8Y!-Juo ֬(sL\nWpi'www_찖6mL5 icl:P,gbq+$F5S<y& s'=sOك)7v`[0K^{{>xi RN_ \iTWV'S5$hӖn<}fI|6/}+v&ws)]q{TSIDiuRp:4$/e<c u8:2H'PI NN:PcF7AfT4+[pCY:6HE i?rh;])pu`7:}eSϣ( =yϧ՟U'O[Z{2]pIVphQҁ*Bc(孴Aߴ 3(_@Vp ۣ_bA ~ )J${<[P u>'@ xEVN[cN$Gd61L]AtjCg ThzLk0%6q<XܽFA 4vzh?0`Mtȣx>PR2qs _UM5۰C'sVz0Dw:DY3^g\LQ?:GJ~2r:5Hh=>@Az4f+0D}@v4h+deyU<A t֨p[cvwy?c1"0u96|Q\Ņi6Pq;ZWڎ`47L_Lj!RY0|\v~LZWӆǾ~Pk:S1j ~mU6P:Y|:"`τTX+ܷ S~=^(V*6L"KpmN-0\ea~J0o7Y0m7 Jڹ5s;ԜS[)L ,co'Qi3G{"vS= @*^&:0g:hTMG6#L;m?81[?O.t8`h{/Avȹb܋eS! )3\^X#} eLǖ wZض״Qś=Ja|6`l 8 ljS07/Yߗ?4mK ie.)4 Vv?u+e aE!޶v[/ƸKGU%q']fD=mEjyVQ%- Ӫ/ʴ) wTh v+-څ4&l%ցmX{Fxqg;U2*5%UXA`;^UƏqf3=U%DJ5!Y a!<4j΅$&\jxu%QI.!cKoOYd6W7KOЌQzrb\>GF/h8 vpǤeƵzQ4J`7Y,,F&M=ӹ٭d$y1M<9'ϖJ5S'rZ9Xҙ^QcKQ6w}Ru0ngwb;SM@^؄RMbq9k+m@f BiٴSkq݃6ʸg}9Ag7kPȋք6(DRx`4 C ;^YD}BfaXN*y6O\S$cX;T@SLx:Lp#g޹D :'Jv5}h(%$~_@ۺuh۹y=d)!O&&?A2Vu<2rA]*n3wtPa!?~Pl>;֠@X~¸H/IʜxFT1DaM+iܨQsOW c d2 .pjfANHp[pb<suͨAF6GgsT});l@|8dy-/f0yfp`#saʠR}Iūu|B"D; 604헯{`Π\Bh ׃澷FWa 9]RȐgL=v8? %/Tďe˾Eq3w=/BP.}%>-c}kqc6T Xúߣ 4kPXUJ%]]:`hTԭ٩W."6(yŁXqrD^!c ;aSÕ)eMk ߯/ju 瞌z?-T\,&+{}BykmǒtP; E7Q!BT y׷ |@WlO߬螥&^}6E⑎ WolL.Ym }nГlr+j$~ӥ!\"^}0LdwcUqxbBk |yQ! u .`ƺLW*ꟃd=3t+O~dޣj j$VJP !RpED[uf;O ܿx{ڪmדMkda:k<b[s4HOʼn ,pVbnԴ͊"䭌$ $eH:p%CDoHwpVx, *Ű0=8t2@ֆw=TܑޠOqVBzd/XBHJ`# *?A RGHYC!'ɂqLPt7LoFeKnPFoY=$p?5Ȏ"",;&1Lj~BOА40-wr^/WZAI;(E8Đ b{]]1)Hٯ@~cpQP~>! #u "z྇g L{#.pdLK.8c] -=غD۳<j@zD݋7!a8C=9ŢN}8, ̬Ȯy^3wJOwFpgqR̕] dºwp#z~~!F,3\0Sz"Jf&8Eކ ufmo Ag atp-s ѡ{} u{qNXiٝ Y@ઉ"2D}6 _9fdҬeɫNQH˭֭'eWܵFb{ȻrO߂d,Gk^O yf y RinʊU3z3akѝFrBm=*ƋHA|r5yK -_#NZW#La;/ z0{顂QoE'R^7@Z&wI,]y[>"\x47`(-ƅfp:',B6hzf\ '۸ xwŨow8Hw:&nT|Xћl+ vM( p&PzL/n<:74 kJᤛb5nu8x7+o[{HGcLWf1{ŵ51^$ F˴h,\vŒN\ n=a\-~/g%(3D4|܏vg= 2Hg}B[5j`?>^Y~r`|ܽI^e" W,$|4/ PTP%ǾA QG̲vks]GlP|{ڻ6YPŚ֋;aC'u+PO<=v*~Qpw+<dG> ƶqw(Wz, 5/wQb[P̝ը6;eCQ!D=7K[s`2*B>{$<Jr_BqwM-N{z`%PG J 9@7pOH>pݡweh0]Ħ) v!gKvp?ے6h2y{\u-1o9?uLK6kΝ9gxᴇGytwbbs:2\W&'+k%tpn } tZr1m?}S '#8jo=V\HKcG!3iX 4Ņ'}iNxtɦ fȴj/o2¸dߜ<N<C&`!mŽgpGmS?iYs= n%p4b ^YI"{ezU;IYJ=۴̝O ^]Q/!V}6k MVȩ7 kwD,̽`wyw #+_OpaIV{A=/&$" J!oצ91p/l鵔 y{Ay*q<~eNT{FZԁφ,s?_Cz9MZ rĘ9 `=טn&K.|#״w*=;KQ/1?&,wL^hK;mtM޿zu +tU)\i$?{[fzHJ;s ܭyXgػuh^=%M_H]3i+>ijK",A`E{pϽ1w;m3U ,_p(2f'Ex8q{WYodwv{jjSAB4Vwe͆uV]}>H"L Gie ܏}ڀ{#}s#arYT<.-¬̮~B8pw4Ĉ*ހ;Bޔt?gwPTM2.:wYD깛(i/ DjmX5U7yt[8܃;=)+%s!-Lj8{g٧2^|6k(MqX XRE 1 Q(~%[\/}~Îv\*\ w%[};H"S}V0b}Z2KW^44`[YR$ްm2i ʧqS?dHFA7ݽwD}44ܣ$J#R"n?w܈j@S⹟`#聆eR[ƒE1/(v5f.OEN#>KMc6 f}.5U;p~S)TϝOua pBiHa̓rR>`MAј47n{(q;VKx1 q{[]zy=Sa˄=?28O"gǐaCn!ceDZMfVAΉSC84ߊ0H>3Dz(Řlb֥!lnfhz0F\x6k<=NJ[S03'*eR0Qi,l-G֓$eJܭ/ dy` !S3>j0o`=g43`J"DndTU @ü0 ˤU;мSUʖ1%1 fb /RȖ>Qo@ETTI u*励5]z`HTԂ;wPh \+J< b7J D#( MI, &f)ms;85ʚ)0svl6VX7E6>2c3zp2=O1 ,dY!&M/+g c4!B?w*䡛~YG-8] dׂ28 x4Spo|&_ɒm=v3pf%–YfLaA-tbQfq&e_؀;. ̙i{Լmy jܧl'PĔbZ0NN0s s˼~Ȏ͞'{\jM9+Q6J6$ցܡ6̓)ha֘;x Zj<4iw!3&P;ySpS득GOls;p"qLi@\i)r /$Šm2xڛLj;+nBd f7<.MZWdJ,G)e.#ĪGՈb f1k[ 5}~yŻi-ְ̓WpG^kMNID3)K7kl pb0sGXx )e4R øC۷3C gKwsiir!ppimZVvH99%nMw SڂL8i pIT'i|+4,<U;:&68%R˄ [H=tH"aް܃;HNB:Z@境p0i(@SFZb.?kd$۩ŬPGuE"m:AU !%79=2*V"_u$ i"*npdՊl!75xYyXS+w**Ǿπg)*7m mӸ5M}+8K WK^b8d/`q" r6!1&VQbnBM'VHQZ*X3v<'P͂4D,>\MT|9Q-bd)7_RBr#^ vTAyZ+U<IߛlSYU.@eJRJ = %2\hl\Yd=f-9MCLgg8fDjUA!D5%F,vQj\PJ >,,}rl2sRME,x$ZܼBV'"C zP,vC|pGqO/f% #&+sZ.Wt0L6قn(dYEZRxeYMhIЬJӵBu\I Ե$Y1Y\2\ Ԝ1sx UX)TڐEjԵ^JdBx јGc@0Qd>[<_/_ivf=&Rd#cmBf@Gt ,>vML-UMAu{ԤD;kR(J7#=\|(ʔՊuXۺMj%tR'|Jq|'ocio*h56e}yfuv"R Q=&ͰV]Oy}wE_q]ЬV%}?9t2鿞EK6+WJwDCmLDm6[(1E0-+zѸI/KI;S^Yc0=}NP{n,LpٙRq*5FWו?þ Xc~:i6g|c~[j6㫮U5ε҇fU+.|(AyeʶCtX;Xþ~-돨-bmj/63[&a鏟wx1w6R6rrś߽H?rۅKkCg/JZ];RFՔ47E:# OOqgԖkɴKLqBxK/̖{t=}fv~E/JAqW28Yη` ța2<fT_9+88hdekQה4f9U҄d0O3mC}do Ow9$$?;Vƻy%o،fVK:!U0 u]̦H-S 2b ҄o磳@|ٚ#=Dwt3uS03I ? ,ǻ>r\2b~˔~Z^qk\׸5qk\׸5qk\׸5qk\׸5qk|/^5qkgbDG[QAÐ\?}i_Ӛ}-1S tqUE6ɼ>؊;h%şIﭯTrݜ3 fUv9gۘ63 1/ЙN߫\?'gt އ׮B[ki, /)؍Evm00(t1<r9d˲4,m]ሢ\ ?Ss&{JVnԫ ܕQ~}5g^GI>\skJ1ҕWZt>Qr]ߐ.N"S4> W>|O#?7/4RW]bU&?CW_O .\.,Wzm@kyr4YrQt9;z@7f*r#٤N#g{SygIBH^5?~ݯ !m[ZMbJ@'./#S5_GZJt%ia2ط.ye^7[GQOe'#-|xW% ʀ82!߿ep',D,;JM9.TrhӲqav Pb˩"493[IESk? ̒+4IJ2lEZ"ǰ^ݠ\xVfkzc^lL޸_#nЌh"!%Ĭ.~NR3!CaPTA׉;PHywKU俓;Thi=#th:~ K^%v{KFߋt@"N$'[gG6#\$SgvD{pb;dZ&)}x1 qS3Xo!Et})'w<ޚD4m"ܫd4YDt /FZ]sriBc벹 zӔ(Ճݮ/I>Gm5 :f<_OWƱz''r( EN|H3?>ΰm/*ɚo;OiTVf|'(?ыzxi(E:Mtx].v1puEX-(h&} *gl7 a9DNxPUS;qܗw)ڮ#NtIhXCNu= kS)T TRvtZSWRTVʜS8lT.,NDcB[37g&u$H7I$I`vڛl/Q(Lz "BܼքɬE9lq. iDr)_GY|"A0u w~֪^_.n@NǨeuFk &ؽiZm"Q:Vd 4 8律U IWGݎ~xȢ>Di_MQ$WwlH} *8{l;Uzљ0^W[:%OR$dxL;KyPkuFN)ϵ#fa<By0!s$u ;- ;%9"(PPI ZgiD!J)&Qw+|FȝST5K ȋJbRE88ӗ4ܤ:J`+`6h[rW^,2PNjN]/=N@PoF(*WF2ĩ >޹Bƫ2eo)#}=kHbdD}IC 0me;;AUFAL$jI!* { rߊ3T<n.R%b)Z."T7@ ÷-X)T2d?c/&P)nDƟV/6R'(,E&YPSXZa}{Spxw ˭S ܾ*RƄm-4 8(@<R= %zǠʏTKI,e yM?r]%ߊn[KX[IPUr]%XZ5g"7EUB[4=:Ŵ!v {H0ycG~*~ZKFwr$mm3:EYD`Ё"oH \qgo{)=K|&.R9T(ES% ,3 )QS)T=V$vܿZ W[lj,yh3z3DI%H1dţ&"~W/nΰeV XB=*yR.Ihh[B^C9Hygst;"𑐆nWemB'o<Dt,CXџ;[}ȏ r_j6 d7-'"pYf_`Hy$}G,7yBgW lJĪȂѦ~|CgSy3c6[9<qwreqGOйW7Χ()ΉV&ч^ȊZZ30}8%wF PCq1?6VXٓVyp^uK$rʇu-PW,PDt>EM+xQ,:TGs7Y#0,;՜DzP Dr) b۔7rYu$RAߵ9U$ُ^Mهt>tvc[İFi//_;`$Cf]íEL;lԄxZxLHx,LR"32SRc[zN6+0D.z<ئM*'q.$6J{7rN _UӤ6nDa t%lC۱t'w[^ @pBChɛ:s(*o!ur_$ّwITT ,7ȱ|ZAPHv5t:ikր&ː^Y.9 d %}˅dOi;j!b.Fc<ى[wmHu5'Ո؎yK>"ÄMvTOpTWy^߇7{g}CF \Y !olj'P# cUj$)މŢʆl~VFLyxt<a)`J& X̮mJ<@cͶ.V"Ӝ=hp>OI![Kg6G-Fem@!X*I@3.ݐ5NSB^6{`?1),;ZMFnh{^@vAٖ%}^g9o)kMV0)Z,.{S &og@JR# ={@yu?9 { "icV2֖J=Vo8;vҩM 8<Wr_Wt1R(%܏-RY}%ȗ,H ,5?5:n.CٗQ ]Kn5J2D32{5:GN{nǑ(,V:EC=w(|i֚Z9m*A{tWK}&I#XHcC63'ߏS㹷31czPbyo96twx*/,sw{'Ȯ9i(n+%ttp[w@wc2sb!ÀscXLj %&-3֢um[ZI0|KND,&-5wCuU08AiN^`ϼIVb\i9uwPh+ OJl[8K+)O?b{|]]~/RH3csHFzԌ % +qrg̵+'Uv&<bSJȒCL۞X8њDPͪ4K;[0WOz:c?8'6-6pGlT6~mr-fNQWp_/?;sK;-H6/@} wXߨeVy!*'=4ٸ,3xB6/LPywŤ|=A_%v74?7$'!>x!%UmwVu/W՜\[t֔; 8VH*@S0&qTQw LpGpп5&OG1_MyxfV rc"UDŞ4w3.p@-A+a.8| pO7iI" 5- ̷ʩG IoH|u}E? e g Qxۖr{ 0g?~yUSu)i; w1Bmjwk>{2o %cn<n97u2u]߂;϶. ;gTQY~>i"pw;pbK*8\E ߃,V+ 8pm(\ Vc-?60mE};1<uu-k&лšt(83-c@[Ȏ7!|(]u[!= lO ԥ !48%6>+fp3Sm93n#bAsN)Xw8Z3R]oS5J*noSX:eʭpR ߒv>Լ;{lSNium1V<}.܈׷`.diS;J ͬk|*s1<kp{RHfbp#sgpWW2va rtH0puR mm~c`nι-v܋U>E_lÈLe1+_Ip <8'FGb5vZZhB9]]vk\Oi(7B=wp?\W)knQ?ISWgUV H⯅<mCp)_tw>."Lqڝa$0soLr܅;r3 f<wP @}ZaK5N \dZF] /tu \h## sb}Br^X5}05#|3Z*^//o=PƵ5{b[fuizQesIfâ8 oזbl\.ՏN;}cgmVsO~.8N^+ɚҺ1o;tLĆ徃5_R msG \_<w<$sELR^v0ʥΆ, @24ꡎRfJWr*j]R\sP0xL=1H>JLKtY:٬ wS2 n&LZTq=5%2fN#jJ\)P;K 0ya3,7[RcR;֋F/D UW2K6ܵ{cPCtFF?ᷖ?!L r#E4FN4O{,5UGI"> Dzk˒~?x;gܷl`eſJgt&r,~״~1NyCV#i5-mSr^n7@  6job*ݬOsBiYx, %=> /wʊe>v٘rޑr6 uY SRow]i׀n:/%I7RHaޢ1]\1+?u[QICV p<dR &b+U* W.g5ȒX .%u:Sf Iq b7-Z+\l5!ňՇ=d*ay(x<<ЂՖJ#)6NCnO%CNYҫ*BtRuaJ鄀d]{cZCv#=waMIbS4:={s@W+neޤ̀;j;apPא?=gQ^}=?>?Ϗ}<:SVu3+|ч !=&ϭ 7,iIVxЫK/|ȝ>SէOgoz!i ^Mp]IG3`&0ds)^_d|nڽ>{Gggz># #A] vvQg0'إnMk 9;X+#3x!9dx{3 Lj9ٯD/{U^:>YP&qs!$]{$-A&Z洝5ze.rװx0Zz Rdh?setUaKX8B  JlC91e"*c3zVEI*={}CDW={ԯ>*U;DV45 Uha?kNZ洇>;6=DS9/'V ǺydޙhQm߼5SqwKGH P2X7ůϯFKN'֤6k}2^75܇9>D;! ?|-yvBmUr a.UU1U˴lS |[F0:ڊŽǎY%e` @hbIo3}RѬ4VIok饰8Un JgKdNKָ;wg r6ȗ-v9ѸL}t$r*Q($k*UWo@RO+yM_jQh)y[V (KGwqޕF#>d ._}(4saHIȕ5/`#♲R&+0 %{*Y<-dTUM15nQ-P:`Z1nCfDGS8 ۨK2JRF'EC{՗rG6c[bR7o&y_hhRh҆RcAY} Ǵ5} 9GJ>#LZ_0}zEM1^qb!aI m&. jV0|Uza EX& zljrj6]~pT] UH`h?zAV9# ".V+{sP=7RB*Y)^MV#Y Vs{t45.0ɂCٚm'Qi&7p%VB+YkЁ.)h7x:\%i]CwX,o7]ϡ)>PzYb_0}E42ERNuv7y1/E@}XaiArk䡷S͉mѧʸrf)sa̟7~I} vځ 럟@1?~WK8ܽ]N\<z%?חץ懻WdΗ/1_nݕ'ʓ">\ݽx?|z4U[մ&ʇwC^ݖnQH^wrcG7aw7#>#a|p8ixS9=('ߑj)>Q7d`(ٶeNK#Z$R?ܟf[9.1_rSHGcӭދ-dK? {E7!|+p籾ܦ}{T ;"$[Җ-miK[}-miKoཱྀ 7p}K[oྥ-mi 7pү?oྥ_Ԫ",9t TYK; q5ۭ{ L"Z_QLȗ+o4/pXG);K:,iߧJ iZdWVFZn Ӛ bdZXҒUZ/t)镒c;dƜZ۳(zkE1>!vCrKYi.iPvä2XB0R@ ^ʩ1G/2V+w-Nl9th\Ԓ]1'E޾xB'-4זOúIR^'R^hBg8J'iRɀõړ(j880G_sG@-И3rV^,Cf`D VR+*GIg lH\QQj M裁GO)A8p?D:bf~a}(!n"R}8bY/2b](F4$W=0VJ7ȫXC xEdUk)iy{9$ܵ6YϠ_f zφloAU j" xki& mW,$puJ쬻y3q} )o暕;[7baր QEj@DMb%Jnw*\4w2kMjFvwsE@w~s4Փ6Xת|hLzX3kW06Hm׋۱h"sN6.iH͙# gbxEq8B-䒦,\_{ݰ%.wx`zpoFhYt:M|q5W/Qj~P?=3vt3"!aNK?)&qKfp|X\4bm ϵ%)#=h4rEWltPUYrN{-cp?6N屬tݾRȆYwڰԮ3l( Y(&C;-Dv =ɴE|IB)I DK\ω6R-Ҷ.ÀlLp<5q^c')CS6̃,.WqV8JMd ]V<l/3|JLZ$Z-k՝PJĀUiP󅑑FJ5XP.0O<x ho8/\<y[rt}alPrz8*~~L=`bQkl>R:IZ)s<zIKfdm $p$̷qҔKVM;~Tž08F pEhIc´ "Gŏ1 =S7s_`L'(*%JEꂨ+ʝm+( T`]x˧ Ev?6pjK3lAvHL9"KlN%n;] ViVE2`yZdX Tw+):܃E0'ႋ |Vೲj8<1]0Dv| YcTsXiZx \`:qKt#TpR|gPb\MݘROYA*|dqlU(G՘>?%Cك(XxXcܦѼDm,$2xm-Z݂;uCeiV|C©:"HX #D/3èrL$cY LnF]RxyĕP.ΔK./1K && 725f;ƲD IXݔY4vedQ(x7Ics>=+FC5{^f*_xǖE]P"U%ȐqRx~$V9RʳrU EŸa˅-T9@V' `ϕw!8)+i2ȣt !blE6ў"cyR`i jߏ< D," ;P p5xT )BB0a,G0.\:&8wcv3?@m c:SkȆfA:xX!O4SXs )}9%Ae席 H mF7JXZOJk@΃D`a_ //7vE1\ٖepv[P҅E05v32\te4L>cy d]ֻ;SƸcFYk+zg֦ܽ1Vap^^laXbQ4YYۈ5 { gcZz(Iih*ݠ)+vݢX0}H}|=׎:3E;{}x¬݃ν&%RoHF _ћ#wJҨĴU;VL)s895֮7(zQn}$"=M*]FIagr<h@"G3`RR8bxo CEKݯ~[q^ίm&ƭP$P[B[cI5f%^N$ĝ6òCN1jxO*c9sG}sQNy p|fH2}uK$鳼xK tYxEj;/RUUQjoN i.B;rNk3)gp7!6xن[mhش\ ewY5n={4ԥ'uK>\$݇LuxPŞs|IX2D HXT u%{7=c4$5YLU"1Q$@V<Ϲ{;G$hAh7 Xn-yZݿ;p7Um]#qW3ACIgK$yT ,V⯈+k6$95 ضWfS "p/TPc>/I3'@eL.4[raScT&9%"XQZ\@|LK~y$ ròa4 uDj+xsS<慬Xpt DLdWȸސQCi) =Mu^vI YsB3᧐*ƝKƒp`nÑ&AveͱRqlެݶ+vVG&mJrCȺ %js|Xv/άԛĴX:0yMV 4D`YPidLOs򩩽318^ݽa^MiiyS]>TiUUjR}J*.|TOtC[sVռZ'+S-d%IqX,I\,cL/x1?$<y{:,!jH\,ƾY^hJޓzy-`?c9uLx;HJL)kR! &eM`jiI.ӹ/f{,w^@0\(m{m23~ϥ~ I7(Bt2m܃F@\yڽ.SO  t[G+u|/Tbκpo[j^抍 D,1 Pl(aio&#El yч9*~1huuh0][ ;l)G!Iy 8h<fxQMGX;&wߠu~&'Pi,嗀Τ(2pzpwӵSpG$;؈6-2xikӤK,bõlyU=zU55o|~L"c}8EfGғ֞TlV8xq', 6714ٸx=/,;_Ot?c=K:CwXҍ͘Jt:Gr>sm}Q;w+# uf{/k=b{ZVkL*AbHu'yD^A}#j{$X/|: %} 7܍&+J[S1w;@ۉgqˀ ۮ}Avfke& _K8qw##g$Ζt>z~L-qIDRG* @"ħ=iyFb*XR  hfK=w.ۡ'2_C,nܱ;y1yۉ44@Q3^J^8d*JN=\E0A#2hK:I<t:c}+Y3Ngk;\}M|;'϶UPV~<Z> 7]5Vު)UNsnb:6^ wg@ ME?o7aIDx`/t}Z zCf2gf v=G;>./R}Z.6{R͆9{L9.|r1CIfN4Lr[gK=,{pj u1wv+ L%)Lf1."d>4Q+ua$\}I D0'~#n8d1+Wy1elps2xYVt#< t Po"tEFAݻe u v'[K-S&U[FPT6ES8 7[蔹[חu;,SK9 LcfmM:u=y?yH{Z϶+Fln{F;`o3G;l{5]A DFh"WuV7l!xJ3cTjxs8p5yg"k4w%ح.x0|pv;>Z< _wŨ >?wۇ|h~_LJ]~aIgwOp<>?tO m6L[ U6#h4hCrnKQ,`V8 $cdͭA7:^;jFýUqrz#{.kY/jkUva^ 9-cTAM6Ӂ{ Cr٬220+$Aoa@9I٫-Ìrg2Fn<Ozp%ցEN@%6sxJ`Ybʍ @N&]oSYXF p6>ۼ.R|%N or?*`d9̲W :p}Pl#@ipգuWL 7L') .[moIྡ?u;~9;Ruw&v>G˝ ="5Džʊnĥ|}I ;:L 777;*8w6#AƟ`0J |+$B" [n Uf20Y0vqOobÝ>d_us(vzA1<n5f/Nѫ[aV{+@IU޵ J $X 3O(>md3629uZIֲ<F<(cgD?u@G9S. y&^)e-?6(o6ܝZ4]"-2Bk׌~\`#)HkuZ2xD!-uNҘh]/hb>g<څ dN1d'-#d«c^_=<*LLdJU^խ wL$B?8iB2=($[]'@4$JɁD6qn["f8+~x)2bf?@ z+$s].%:R K5W2a7@pIF=}7dtz KZ.Þwco")% 6,[;ls'u:ޙ+jI!UZ[uU@Kϔ 4ྞХ#|&q ֌ZKs.l,xBVZcV9/p|5oNLr²]Hc][ -tdq ·>/GꉺMW!sPV--ڐ&]x@=yYN|p/sT w ~+tYybrVӲXiȔis~_r^ ]ϐ"IQ7lMV 8k,q/]z԰ xak8SV=u˰1Ҥ`RAⲓ>t3*b|=e&VG2ԐE5YgA/-$R wL=ލ/<iXp!Ydx1.s3Xcj4BfrEcj׭i8?t .UY)O*K@/))<DJb*WQQ3"`z"3H\IJ XQYU*4$tISFq\E}|5][=mG$Jv!ZFޒy9}50-R>7^=g?.RgLX(ܫ;}?RB?6>nACLlF P3ܟi(c}gNj$ʏ&7F.yLD>äG\erZ}(^m9+pnjbZmOvj.PcI'AdT7^*DJxbiz4ςϽ™SJp7e$;5Jܲ [NL>SZɖ""c-LJ 2Xý"9DfΙt˘SlB;ɱw0keYpWS8Ux BYO?&c ߊ$,d- Gmk M⮞M"<"NJu>@O%skjkNvԇÔST)MlQ4^sqGx^W O/2|=ϵLgI'5z0rX(b Ȕ]'JL fi#gù3d\;sXԋ-JhF/M$+Y3M9֍=(wrFw= n Npߣ7shwj}UX=d5ǫRHNF瞧 KwN柰N0qhh<ᗁ[f~xxލ s0ܝ1@0nw}h(gܟuE``ȬW).@ JY%S)Y"B-1,HN}\Q?Oq #QF BSEyhm pӥDg0S, Qfs{cAωO}'̜gjJCrU\i@I3Qo9zViwB/x6;W\:QT|6bWb:k&,iAzLO+{Q5 \)u8>)˝%vDQYfpkI¡G:-uB/ĔfڙjwA[w=ßCӄ}_8N 6͇wC߮f' wpp_܋ĺ&&kR\^'QWqtyGb {r^]'qxĮa孞3߽kh]W+썕WFCY#󏃟_j[RnlǤxwwmtSRoa)f-f2%r͸ee{zasMEl@u%"|3!|'ψУVnxў2Oe|ܻEOؿwfV?]HGї3gl(\u{? zI}^•ȑe@hDtܓq r| m}똀* V}RXGY0="ߘCn}%m&'OM[=}2> r?4h->̇[f?\b w?R_J\_ 짐WX_J[IP跾 k^X6zP{]pˠ.wuo~D;̦p,E1pG{%H!iv%F;]qOjw>w)JU_ÂXpogq˴1ܛ/4us ӽ=#e1>gř8:~Ϛqt}yQ^ObrTpy% ;vnuIX#ѯP `öt W('1m*GI'1pDj-Ҝ.!](U2(~UKH0¼6p=ކ>o&pf&/>a=Gi7^ng/}Ÿ56_'5^"KR#ν-^:M!2=:|@^2:wv&Z߲G uT$"w]5#h [=YCvY!!<Qj B2jv˴r/{nw5mHTd*hsp \aœ0 WE٭VvlbӍ n[l?V=. :woZ/WO5_52zާ _) ^xs߮~y5|q_5ib+zP# ŀ|//_}"*3sk}r[H2."yt|㋬;nEw/ 'vi}f% 5_LWHBVk"s֤@z8VJثf-^ԿCϾn][V=/o]t|nGWZR>HԘn4]qv/w?~EJbzVp=di=)ȻmG87rrhIZ-%em9V~(0ꏔJ2fpw7#8J>nknq/Ûme}20||=dw\3| 3|M!=[&$ OIsuخnj=u5a3?OaJ备ܯ& 8 jq~[:ա #oǺTdm͓c.jg<ŽKxt2Lv8cN:z”)}ٝݖ63W8M[V7SMᓤ͉NyЬfN4T9/ֆS*4α쨍2]B~S^ȑnQ7Ǻ|7A~ت+}N y$j6S7'X۶gk07NQuӇڜZV6ߕj݅qKm;J4u,M:;+'s&N^>s!iZf|m;JՅH!`x! "oz)[@ Gߓ h'q SJՍpw(;=ųuZkNN{~>hdz[i.CBLP60T= ;!u3ϥ9횜~<F.qg<iǷ[SG 0whgZBw!>9hpUYY.5ZIW?)]Y^b]'B>=lFn!5cJЏUքzN؄О mQI7]^`( 'lR 'šݬ ΧpNO|m{oGus#4m$nl1Q ^/Ͱ&=L}-:l.ﮍnw~A@=%PR IS7_[Ýʸ/>*#2-(gbZVHjԁ{a}!GDyR8GG,Ĺ,vC?(1]JcR*KN])@(cLÒ6 O5quTirD=b)FGrҬ%dHE\sEC7#P\M]j1B6i4`=5?0\]"w)$* 4 BL  @5HKu.aEaJÀ[۱aݠH :.:TM;UYRR $t}um(lgm8szi@f@Ēj;,E!3יִ kRSD(4+r5G졚vd#2xkD1G7 *Lã2]0UCvZm6Dd|vsej_3`4X(e%&J{.)ґQQ6i/QMZTU9M^`Zo!^Bğ ~-Lr{ٖC责k2ԎG1;pv[kچ'64*4sePkq㽹2 /%m.%*cS^^QˡZ87 n#S*q}T5u3K'sMy jpW-Q7]e[2*(Q:Đvy:@L"NK jbB0,)>&92 ֨& t =1 VܥAl.JjVfw_GL|=ON਻FNN5>euv{4+h$pyOV,1xHFJB%Y-[>4R-$+hfͭaT/uTQs[1Q^ Zy9\ 86cj"8zM62Y q.FvCskppd=Es쥅vPi*5F' rtKgbI9IAkyt|jHb X]$nϕ%#c<y)GiVYۢ "3z& {AL9d_%:{pr[mwhSfqc )o4(cvƼBaV> ^P̌XPfTf**9n -.s\*tdDP"z5 RGM06-k)J."\4Gue@惲);7c`Jr#5,ūU(Z E(}b;]oPPvP!.uM"{`AИ^&9 =HΣixub e_d!&^D,J<w0 "ɾʙ7Ln` 1:.s=06au1_H@dp  UR<A ,Yl,W ;>epcp/U0pyY IBZ1!Aۀ{ݵwlan/rEc :ڄi(*/M鍑 aM 9z Q G a4b~#^Mo.B_M4X^rφjt\0Pc<WBJ(Xf]'|&Z&{'Nn]*DUIz<'$Sk ]JIp%E$TeU#^j̄O־$lD,߇T\Bq%uvo`%)@K|UwU(FFFDDJMեwm}79vKg<OI0 aA[aA8!s2=оLΘcQ$y[ -e [vy 65/@uW$5kػ8n:Td]I+H[8 RuR$Q,۩cO9NOd p6-0;;DM\._s 4v @'\4h2u$s }DOOGx{C\5\jnΗ&|uO&Kd"0I<|2Nj}I)/`Tl[r:e\;vEYЪ>R)m:1pKH n`(46|p㓨HyU,삒5G(_wX# /> ,bOd' ȱc]JjaԉmT f$983~9a<xp)8EGLU(Ζƀ;Þ%GaH# Gp f[}kibBԝe>q|fr}aRZZM^FD'8U4;Lb lÜ"%K1{(gÖ.Si > !$Εp"jNB Y^X#RJ:\eS~p~OmZK=w:WfM\;xܤf .4ɗ .b\Uyô䅝꼇 X2IHIm|7.+LwfpW0ݚBݚfk)KRV S:gy2X=d]q?7\wz:N ya\Hٌ,]O>I)XnFܩj q<Եd`W{Tp|5Iՠ[9p]8|UYV#1(p_n9NCρG¢PܭTpO 0htD?TȊKg_jPߴØW`SɊ2i'ÐZK-S "}jpUcYъ#Xn;i5T5ў-;{'Wk)qB1쉪&nEbA=P&JG:ф9YD|];p2}]]F>˺}q *_ fTܫ 1~ist;-s-WcG#V-\Zp\ \;Uo܋:J3`t%WeY'۰&<VYe^)$-w+}OPW##b]؏tS] ë{6.fı "[iڬ?wC^ }D;K6qjUp['pS\2DPUpW^,2VGK >+z$*c0EJv}%oǤW2ۮnx^|2,ܢy{'TiK  owcp8 3njmxt y]G]2dsc@"}kVeT6=9f,A+vHxՠʖyxxxe{?O"gU/}E2W>N~&Ob}o6 +Tha>-,k2 6nX=pG2qԆ D. %< O Nb覯rW CV薼GúǍaqwUrHیSIܓ/|+\6mU땻B 4{a,6KͱD 2\m2BՀ{hXR (<HBmgWy|ǭ[ɹFK28yDw􊎖8 ΂sp_ U9E,(ݰpVSp>{.Q|,gGIۧ! K!:lTPpc{}}xߏ_ݛ^[߻xlet:\-LAqBue}|)5 e11&<!PFeV6A?8F;S(4^05@pG>0aZN_1 21 NuJ K3\NhDkphV<CJR`ȁnvlS[ 2ʾQ[U܀cIav}eiEɟsW, ~QZ&=Y , nArrqN3OOX`j*cH`;(k).)N؝|8DcYp3~.zYM M 9TYܝX<$UoT`!;{CUukީЭr-B;,>yv0 pteۿ.׆KO%_oPqzND &dB9rREM&hgr,ZLxT?)Ԏ\ rcc ,>wc.B "3_| =,˰_j>J\kܭ3H϶p뫤a%a`#'3g,tQ %2Pbޒ[7k`\b-. vlS%rH ]-H6<sBx: cM9gp/{DbgxӧOϾƀ>69QGŇvr5O]e'Ec"ޢزrƔy D%**7\`i!%*x[.ŵj:J|xKu"c* <}zLJ?< zww:k%*\jrmt"{VfiZSe:VCΑ9=4m l$kpG~_4Dy&d/(ff5>-T'TT0[dsL^.VPLlv, Brš`n MKHpn^9!$S|b2(R A"XbR%CL=HQ:~Q WtH$k4f' 9TF`[Ht~Y=޿wSonps/0MbOw2`ġUTkUYRfLޚ^iAvq~vj6 d~+\R^GSw*hVw/ZW*}HEet/;%h3[g|H}a`Ɍڟܓ>0ӧ$;w:h%}F״Hչ5=ɑӆuw~v| 06&]{ ן=&76]QnzU ;RDMެ=1ahzK:S>-nx;(YORdǣYsO>B=dؙ#ؘ5#T@|'-9;)l{}u-V/) 4R7W"BBQwmKn8$P}[??:HQ؝D|JܲH]i zZN;"va,[swP} q:7u?CujO?T~߱{wȱ/p b{""rEw5r;P^pk\׸5qk\׸5qk\׸5qk\׸5qk\׸5qk\Ƥ5.s/ ]Kq7R4˞(]2Cvix>yO}ïB_DK wB/ _KJoKDaB>dE˂ϯUI&i/ʔ~C_eUfp9ߪm/nUK. ܬFtZ~medݾu;~T["^FӷkNwJY k }k|$Rg[M-)o+nч{!P6wɛ?cO~o}±%?存~/-?t*[黣j~Mu/Hg om,aG &p(RRN9w'u9))GN^cF,d7xit'*nV~ Q9^|47n- V yYEkQS?_ }kQ>vOKKNa!]YٺKΩм4|DD&CFI[~-tEZ9Η: 3H/%Sy}(2<_W1E}g= >i@oJ͆hn1g׶ X:L}'VL> ' Nb;e/GWˎv~Bi+epk+ٷFʸ'Y3ɑhs<؁[s [(8էZڝTCNloLl{&\ b3@G@UMXO_0ǿ9)DzF}J =zǺ1}֗YQT8U~]K(8 \r_ŹI6@}6h(*-#Q'ڨr >g5}v+wsZYmȆ)ېJ6 _l0GN yh_oGjVj"`҉ӌH&[IWHۖm僦nx%5 o`Edz*"ұ7"hgf+އp9# vڟ6äd -qĠ٠vu(1Z[A1oZRۓtU%gwJcL$|G݈oZӖ3uSN:O [>?c[ Λ$Ai"e2ƧJ`^i["G!,"#w:z_Ձo>68ώ|0jQJQ0XcUk$*Q7F,+]XpN% [z/ pouEѲ$[f/'mEٵBw?$98o>i}iC({Oݤly zvP`͉tVIa]*Y+Үz1IāȀRpvs&J?#-dGxd;8!gtYYY꩙Jɏ pF@xc *%1r828fI-~qDVrZcmz& =5>(@wM`6EP%I{:]`8G)lbDT6:ڤǴ"/U2ϐQv;&h^7iN ENZlbCU4j| 8>M=S|H1̌*:Y{1,xe^W'cMC(*kCn|#ߏwsmaeANɰ7O2O xQk١l') 5!"@3R&Q?\72P]3NeIfگ+S7$L:@}YlW3Zv pqb%dBf 0"@On'0%.GgF*87 <d/tqWg4 NFqi/+ؒY Q WxK1$)s7FR̟9d/[tesj{hdZl21)&ZIuUj% ߵl;%wӠ]޸ދP+t̍ mC=&T8P*w⮉ S( xqrk5PD91,%T)r|M:xüj -TS.LௐOݸ'9\$hU<>oDe2tHWqCGI>w\ qօPݕ쌻[ 3+$>=@py4]FX N8[$`\24XXXbs&C'Q| KT(ޝSngZ-~Ip)W[*Ve< =oR*ꦧkWl$QF6m WT1 Q"XpH-hWpcdNjw)x)}9 ՘Ŵy8"vPJweC3$&b-|3lRsB W)1dE%wH1Pgï7Йx8 ߵ#HŲ8sMRBibZ0|`C2O Yjb) 2o :UUrQәG_Ak$P ~wDP% W.wnw L'䭓bcP%T#"†4|TF~f6׋1eG2Ƚl@@lNgԉ9֩26nw' njQHe%27 RQ{.Y{ ajIpg;‰WlZ(<6ZÈ\n.unK3lM[?*RR*<JvM??8 Q5>i[d<82 HWJ!D@"jdKNe(_Y1iF}'%|soWV8֓Z`ӜOUh kݩmR @8JpZfiQ,ƹwPǒdD?vп5r3k~2Yw2 ҥ-z&C`qj- Aǣb,`n]}.G^ GgJ͸nմS0J( ,LMbcә^[Df4mRJ]WdR~nܫeSH+4b9ٺݔhR &4>#w1U[5]Xȼq7VN.PzH:Jx^ˈ_q}yTqg;atˉ5" nn"bsJR\LUK#+,3U&95r"VPC l9PrtN2t%N*zVc!]mn1=i8]9vrp_ϖ{c?V'\.]@ᔩ)Ι{]EWB~CUpǗqLU,UhS贙=b<*5pCc8pO>N"2ew9XL-F0]F7CD Mjڎ [SnX,qM<-S a* jܰf3ڈpוn8sZfwa7.[\_-2<?D0ޜO23}$9Cq_)%=;Z~>6fCmi?ٜ͢[_&K-w/>wLr*-) 's֠KƋ-*ir59sF_/V|8V܀GECC< u>bkY+ObCG<<Lc}&`4KŦ9Ia}K[ }`v0=W3/O6Y: tRo_:r J㉵[gܬl>ݷRMn_[YD[Xwd{^c'4ȧC.Ox15sĬOzR+qpf0њ'o (*R5CM=}WVG_d5q'|0C;߿l8|[LcpTNqhsȌ?_0,5uIqc^~j֋s?aH]<]eoTNHBeo~wQ^w񄨨ǽln11Ru5u{@mq˶ndw,7@ݤFLGv]-#U- zu.bJUQtApZ-``dnp%Ҩg;\Z\%7 ܍xВqKpo5id9#=^ҁ{< : ;@BP7dq2 =7זE'p rޥiPZ3FY|Y;$bGۍ:% Z&nwYfKGcQ8bBDiNU9o<i9홈k$ykީ 7Qp1i\M~#d2{Ŀj,C,3CV3S` ;ގIPmkߴ4Q #G >Lt!8"h?S!nL pځqQ:p>@"-3{^IKarǮ'[ ;I" K=x.Ku.PѼ{ y65A<4&*}G ].Pj._{p(iR*.Tpk!-wRXfUĽ;pB=̹>Kvp+nӃ0<D¹U%;Vw<`*e_*Q;N$6S 2{3.C%8Uv 79`̤ rѝNKM^n<Xſ}[q`ĒN9!AM)w> Z Dk9Na [Zϙu5FpR`sScw޽k:3ŗўR9 D WY.+4P ^y82,e\L0tcF!) -gngCC|ZqX?V+]JBh܃;L^ݩ,bŤ阦XÞWUn].!\^6_\K,H"bлe?Rwp9 iOeM^z q\ExuUpˏt+a &|ľuP㹗-R6X빔l<.'QD gCq읊$eGh ijudLOZ `nR9D]2 -W( r>EY 辻r6UxF9<:ڏNXs\M>Hup;kYq$᧣@ `2U"CNdۼKEJ6uhPvDiN];CnE]=oE$@iDJ-!@ePq,mq ;YwSGH-'oqD婜[W[<z٢w&qܭ($-Kq%j,w!,R#6 u*ƬQ[ k@iڊ=Jp%aP3<d׃;Du9}zr$>oUA:x ZI겎7.or 9<<DGspGp6QWHV9 ȊB`G ǤgPiУb(<dǢIQ3м)cjJ"e{MXmQBxs}ٶ1H!W$!GbIq@ܴ 0+-!&q,QOVՃ>,X=<$EFNX*1c&Ҷmw,(-t]5cCA)({ET=|F'g t;I_SrKB3{%UڥYoV{GW/XY'ZR:uiZV(ELzmބߋdm9ӄѳ*cW|X_tJ׌9qLhԙuGf9!OUJ;-󽸏!["(Cʔ jqH0Q?l<Qnʮ[s:+>n6 ŐͻzLnC$!z[I咉.(Ț(nTvVs-BY}A%.|`~Ǜ{2ђ[]jfb6kHlRKGrʡdE[SmծuԻe~ ۸ +g+a5#[%VQ摝j/5 A* sWz rUV jмQէajlyQ f7;;Lln:TؕȑU;m9uBǥ$*n-C"^ʔ̝Hun}4~\w ߖ*X<K n/)Hoq~\+{@BV bSo_$ "벤O§3s6  7#i\cyIF:߾zƼ| 8vn.ҟ^M $(R{;U=Wz^<1}CGf[EpNwjݷw+2V۷㷴ZO/;=_ 5 d>4uې,eJYWN!^f%-*: ^0%}?~f|ypnP-O4ؕxtp7X4ϼC S~YSG6#}>I ~aw|͍rY/@T: o(%QYC0̠p<n,?>Ksoh_ ϥ4l6l6l6l6l6l6l6l6l6l6?h,7W;Ϯ5]t?RyҞ8bWc Ui>,Y$u;9o:m Eu5>̏K~9mW;z8W8{ejo,3c|wEq ]տu R?\tWPq*DY(}& @ʯִQ{-}naT\ q)_I\iBfu!Kœ)k!Vwp~#Xe>^t=[йJ_&{owibJupÛ)7}/f|fJh?DD7P{d|8q)h]9~E=&+= ~J;SP}]g=F1mJ{͒Wqxhʹ5wPH15p1vNkvTekJ{d5Y%et:ukkڶv[[518tN-0_iYKvF"6`ml5z&ڶ&uGnbCE=s|M}^pMѵDF7jo/v~ A2Jb{FEH´guml{j5=$&;q 77e  Ϛ{*.vWwtxML JUo@ vH;틋|ˍgN!gl_m)qH|x]NTbn$M?'/O3p_ *ȭ1>uɋ'v!;_qmT'Jͧ$F  ^qC/ gc'?~SAqw)xvk: ގ'?[ß(:H /3>Uk!Ksw_b#+/2nJFvF)پY̱wXjI W't,Sev]X[+U4zoZ\ j'oSG#Պ9Ԁ wVRR6kNZsLxP\X1A {U5y_#fFU9 &Xrh>aLO?jlb>wn{յX}LR*Ca>RLw̜Cf%nfjֽ~ėÎ45nx#ºQ~g6S?kSJ,krȵwHktAdv7*LAN,rN>rۭ[I42F4uݎq75vt ݐ:sws/il%)_A{ 1Sh.xcM++rV:_ns:G3b[*-Y(<;3aacTHS[(<Z|MZnb5I@AjdJ;c4FrJ Z@M[t ui˰_3Q_iEҞza.mI@SaPϒanڄ wx}#*76)i#Rg>ןv}?;Rp9VuN0=Q& lMw%cq&%0jL; 0m^r6t턡 EiJ:J%Gt*8I=k8* hJJɠ^pۆL.YE-yw ˚Sn{jRsTJBzw<pxq(/QJ"ë|!G|>Q҄΍g7ix-RvGz e])qy4'=C*pA{$~ q% *H*9<njwFcvH/Y_`qd#Js<}Mws&54#sZϱoGݽ7@⏍sZ~jVG>fɂ:<6sW0c/ )@Q;XFGLJ AU޸CdO`Ą mJ 8\:4+Fn( j#Du7n.L5AѡK!&<Cs"LN@wTZ!)6vzliGORu5JvlS]>P7\3`E;UE!뙻kӋCiȂH+sbx?VJ_A@aR|Ou>Ē.>M0-q sbz +)526v73@/4ʑ9<>:eg z3epιymids][ji)L>P11㣟b@i, B##m0uj0:U{S ]¯ʀ3",\wp*q{< hA!xOhdF IeёT-"LT*po&etS^k4$q +0],f;z JkbA$oN;j.=7 /6g2nT@SʢE 6@.SVN:gA8= (wpO@ٔJk,#2٩XMZ8=z%L_٣c`vb ]X٪xc8aqnb^lilܑ|Yʌrs$Kt&"Gd'7ݟG긼p9f }Yb@!GyT>Q8k L3i騱xN:IUHFT;;VH99"*o@O}tz}wJRͣTަfkR;n|ɽΩ\ ;Ea:  YciQ S`8S߶!L1\kD;LYLu@oO+eǾSOI=0%DHNj&Z]$;;)nvSiod G|Nc5S_m{%O>s-W\ FwDŽMG^+;<Ǿd)zZza%&'^{X$jݎjX2xG쓝;WyRF[w͚;VӖtgg[̞'ppvN%&ƍndr#UÖ^q9݃OLp' V'HMngG!Q B2,&oPOOִw@0<8#oN,Vu`)7"Y3KY8"ۼ#=<m/6YAya#= eq*i%9p<OQ<>IwVLvұƕ бS=5R7-]aXni [NH-+1O]1o|7:wK@'YE*WhڝunGpN pOYC?z ܹ{ϓőNFʊ 0 Q(rr]ߙ?zBi+p<$\%l ,"?.p_Bi(W؃;Mwb{ϵR/?d[NA2Gچe_v4ٲ1K;x5$]c#pp/O"E⳦v2$7Ԗ/vjUtB%!ENHV0ec4c=g5%eLo|ђiǗ ;Vj6%r}ksD8ێ݀;=?'_;i܀{05j k^#5ӃtiP:}N[p=F,N9ٱA!ouQ]Qc~u{y^DPnqw\ɪƾȰI4\CgHbFR )/60> ;ܡn>e(CpbVrQ3QUuw!#<xs@MRkZ;U ӊ\փ{ިN6?U_ӯ -C.'"E =?lK'EU~G?Į" Hibw4vkTMBuʵp6y.\MBRLlP%N [W*>XD!&zm,x`!wx/<[&lZ;.&^{O}HjU; RA5Qt^mb4{~Er_ݬo}nR2"I.<Te1C9N{&K45zpFrW7pWU3geWw2EB~x@ fۈ(bKSp+-fd3qx(*..,uT}#"&ӳ7D[x[kBn H4%mkC9k3ARhv\ƪBeŤ94*g UraܧbPwQPcsQ]wWpVoK:/mk!WkɑޗWRH85TuhVɋQ@/&. _Sp$W(Tj!xЦ]pu\ įۦspK\5%_;%u>mҝnu ڕOƳAb*K"W3ԹZ4'`0n˜Z%"[pqW,j]@*VDmzA m7="&p7Jĩ.D]dwuQMP)j^bC5L= ggI! :mn^ye|ΖW$۞"+J[3V`[_].~⎔v=' $wbKPaiNQqV:]5*s g%Ma[payN.}^H xzx?''7[mMa+HuJ̝]6:eW*yA*K>FyK0nfvW4x)^: 'DJjlXQm؂;OiJl[<`D]Gᶱ$WN @CpGgi6L|B1%f5%L(|@\0|n<3QDY`.f5wPVJ3鼕|$-;|L@x&S^v)wiG}fz q#'['K¤ 6i*(Loh`Ȕ'2 vYUjϽV95ޮjY&U &fIWc?q0ЄWi*5x!DXrk{' }kU$OTIT#t2ՃRLǗ\=swҘ}PsrF[̡q^qh+ˀrNǟٴ O٘GSC^<%QM쪋JTY׫T(rN{žC,֫f_TܚSux݀'Ə BZ}`,>fSq*N9QfPn> ڃS6ͱg<4YV{J,̌a?G %TgǂZL\^YXh@N zĂ(EPSS#MLB ==U>ʿluv5$u`pE#%[!$Y6?xiSF5LÅ[m0iYǰkb2nFL) pAkx5fGyݤ~^BZ]qLyuiRWKtJ,@w`Xn8EJ/qr&ea-|X q[wFgчv! W4;aU#~7|WjN8ؙrF, dqRt@|=`>{J ΰ}JE1KPPԳ"T&lR+/Yy?(d9~b"ތ2 h`%׏AlS4-vO}V5ϻ޽16W Bz3;9tuIR^MLuAD͆u#U=GtLd6+]CpIq vN'ƵD\nXsaFl󍱙>01|ʯwՑ;e, cq C_;949M5IwP<vjūP-y[ ~a׍A{ gX"h-z_R& 0q ِZn^W~{,DOi|WnQjcBڛIwvnwvnwvnwvnwvnw;ގ;^J! w vmȋLIBO~u^W?j*:{@ :=|ώ>ڨWRG?=tUIS3a~MMsG}8iqt)R')۬uƙ ,TKUr0*))?qȿUn{:en:sҤ`t>oN9<frZ"rKدė|nf?ٔMOs 4dCt1ddGKB9'$@\S`F* xʒvR:aw'͒o'7NɆAb^Bg6;A)w= $L(S& ZP?sy )%(Ւ'w˼N}ۚI)a~ٱMu'M%> xp ~ CL5U5)z?Adɸ~5%@ar <V1MO2985cxͩMd/>~1H+O;1;/8'SDV- m`=@ ,i]OJ៍ARg哟@s+2|2wE w`E.!)^)qq=AzaS;)NQ;R;$KCm!Z7n̟0&9":i B40 Fޠ*6hĨZj bԉS җ)j60<8ȁwȯ^&iTޟi#:JUʦ-/] 9OOO|Yjezw9+web1C(s^O|޻}9a8Ud ׀{Jr {J~!c.q)QoM]IEk ,/tZh !)ڕ%@@ D-X.KR3)- h,4/JƯNL1ߣ=xbӳA">EWQ;rgTYc0޻?pWGQvCJMLٞ< G$m9D"E.O ^2D!nf>T?M p+7 w̙{xxI_8Cv{@p6 CwkDi|śԫSKIO#!::Ƒž6QWi i]R8iggDs1w9눑 ,W˘?3{X4M 6 ;M:X!)HX&= efE kr1%IwW 4m>lmŭXv/V?N_k9yddCD]!f(49c&ɠG8O#D$DĄd9N `̭^{X@1MT+vٵwZDK3ܾbO7BBƎ9>%}Wpoʄo.TD29秫EXh@INxVL9/%szڤ6`ըSk$vOY ~F=vVeeK]>T?mnoel}* ȔT~H8 25R2d&OQ|( _N-+y5tp](F#.\L!N>C x{&pӜaѰiÆMaC'g%2Qf+#'lfA"3DYY:Af01ad6yM8nZ}v &6`i.s36뺰e'=$ezW<?#{1'bj0a z'\} ;H pG6Q\_D7vHIK`bѾ$tw;h TCq1Z66JRDHZI\9]d2EJ MEQC2bSQ{0u{7, = 5@r%&\(o'7f݊t ^J$#h:)EIpS*)σF 7.sw ;kSFܗ3_)K)/'p50z]ejTl^Ɔ]$$6<&&} #hdA.Me3Rh+M뭦ܚys<TJ &nU:bo,f<$1gu(XfR 79 vBxY؈;|~Yie>pM~?6z"#btdg7zpJX c3vvVL!.[Rȿ.UeEZ!;Ê؅9sk7mCŗfv`wRW|D@V_XyN&TuXѵ okF,rTWpJ 4\5)3=7vR$R;"PސuMV;7U(%lnyexӒ}X~C4ua&bb-,8$oڮQd1z~ ΋}ku0"DD-ĒQAc4xodBRE2H/55!x>ԯB > DmgI'%"G--X3;/:)w5032{^e^"q(p!C@Ζt!e`%l9b]Q|m_jp/cه>߿4U +wQccIK3*7Q tpg>p)AkW_U*|;GC'O.p]q_@W޾x MJxH|PDROwcg<X Y -{CJZjNhP ,qEut%Z-=ٵ`#IrxkY0naO)K4#KYd0u?ư{:@m[r =d*2Ii S'q[?視Xٻ{'nͯ7.FAO쎷ۖ `Rvb=6gBwat-(щјĬ8iஇV50UyV7E" 3pozM:GJ3T= eI:u7U8إE pg;(LflAW_E44T5~Ib6aJ8̼kjՌAYȔ:w6— 3(;?4XT91Wp%Xܩe%8P)jI@.\?j6LwDŻ̊7^:%"QB;h=PNLPC$wЊ_iz9d!z}ےCΌPpX Mgp EXֱÂgAQ=fW4嗍/K +gp mhgS#j>]2M?$Γ#wp3k>L..<Ҋq:,i[?^8j$ox!VSQ^!v imX/)^OrGz!aWF+ԏ9w^K|GZ2{Q<]=y֥ЂsQ^B9L8[g˹g>r]׎]PJ]@޿wZV)D_]ܽarT 3wcnaw/^2KPF,_Y}w[Z&Ļ{KV $KTpo+eI$ǨNaU5w~(=Uu;ݱV&@۟VRŮP pr0kmi%<|2 1b iV#!{p:_iHcwrJL( aHT!:IЕI}8:+Ì~w/v.~Ozդ` ȐY2}p in 觡.R?gpW,Y5ZS}ܥjB;- êG`ef0.S.'^%sם,xgUy|yb!3kPCػe6kK-тkG^uܧ%S#:fs? {hwPy0` *֮z cozOT.^ۙҬBK!JӁ}͛/hwT^K8~(ns]L@,C&@7qe?㎧ùQ!Z1E8E:$.5Y&7pGw]5>CJ]du\7d |-IUŜoޡɂ؛pgp7aZ+/#Qp/DJ֔q][Cv۬"hJ\͗BK%y ^;TANFCZZf>X̪'7{%ЗY) m9dacDj>C+yxΎYAK9 X]oAc<|E=AXpfAN!)`HH7Ʃt|Mf&ɾViUկvuײU_t% A1j5%׭oX@ERw+pS2FIytY2|/^G۱q:*[c:B/[ҰBE6> +/*ݵG"E;ַf_ԫf 5TXBF"oOvoqgb %r}gw&җkbL."Mz;'b`KfUW/M#u_<hJd~:(+E*J`KhOrB<\S&|"k3̝!y[k7:>p)ԘF.brb'rV67QDaհ&;j֋ۂneN5DM յ|w_޲5q߽|Wzt5_M%Mz/b05mQK?WEuDgdiwԧe#jo9GIu Zkp[*Jd\%`A!I!&"=i^uq|f ŽZ̯6+;Vcvvz*.LLD nǶdR\'m_䆡jxPkRwj!w0GO9>isyM5pTyblۑ#"S:~@oe07r/Pյ  uWGG*NTtaܓLO V[ zSZp %lcǸ}}3Q7qe|:'7m q|wfCħ7[bTyap'ZWw$>Dj[+魛H'8ƹ`p9v%iF M>)PVPkCZVTb0_Wбyd 3]o*ʍּBZީ:u8:[rdi<eCf2s;UBsAFх}$ݪɐoFٗkZ_"9V*m߮^}݁Z䠽ԕ5/8 lmXUG4~?<ʔ#P7 Ļ]bsrA{lKM\juNoul,{Mn.ya'ʃ?՗_xAou0DJ8-ᴷwfuE5d~OO`n([?kWiuo63!6.V-OV3+z}H#U5! HŪl+w!by :7 6ׁ2?4OgWE"_IF>cG :9{kϞvjqoڟdzht4|:OG#>&;;;;;@@@@@wwwww@܃ 8<?=rW;X?6~!5SV|Pnwy=:+=p%V/Q}JArxU<Bq C^ZC[x ;9xy+?{6x\-x@<myW%%rx4jד> hX4^O&^~q?D~SN4LG(:x߳z=> 3*;s4t'c'EtR@"/;t~̫gG@GPgZ#G_$Pjl5=keXsOwwy@*I:,`.6ff LF='K_2{ DMciQ|ػg{3ؾ RƑ-!.֛!ˎx<䏐E$b 醊0!Ӟ-7ħ7$7`1cI=o^c̶9?5er7`%;nI+B_ܝͨ5sF2x$X6*E6ݼsgJSETnxmU^ȳMx3r荸?~.N<{謽y\&*-X]R,j^^lO!OV [_E eV(K[RϽU%YXqIcf+LV$Cf;7]WJ}1zdY׹M/WT4.onB]w%%_/(BR-r:r&WF? w=4dߞ=$݈y{zu:E9wi߻,&FeanKO>{NߖoLr*ŝ±LmV ځ!{ĝX4L)~]MGR=li|oG!I]YBӒHۋM;2d۴1ĝ%}Jb2 {bh_IU!ĝqKqoW_HTp?,BcG{&ϙ'9 dؙL_i }N$KY-w>aO-K*3i6{3e+Ȝ}N&ϰetXߚls򲌩wN,㤼enn|e\^ɡEYn=4~'Et.5jwxI;cdNnB'ͳ;j2 "wi{8+ҢH qxM6 o{,)lsN~sqOK$J%Ftҥ!:gwrЭ oA#h=qq/~}}HzZmMɏt~'C:s煬~'{}ir6qq_m[ob{+t vFJyOWO|zͧdH}#}[+3ʘ>/W-8+axj tbb2D9v>n( !%[U}E+,fz: C\_WxȖooiJ4[E5?1W 7ϣTlf-<ZB6LxqU)O}wHTu@ =_73ʞ  !<SbeR( p_Op?#܁J),igIShUÃL2P~*k>+HiJp*pkVp5u{Pi9{6egp6e6iްMկǡlX};U5;g&č~;bg^͚I`'TorDrH9Yi-(-{;NӾ{`~2gaη]3f*' PMj\W/xk?IX1Bogal9%a@}oXd> \\K?FRfW<5 IJL׬7g#ᾛ7ܿ%iAp` 7}M6F+ ~VJ8\Wo) IXl{>izOca ~bpfe?>X 8CrX-W԰OĢqnndݏ[QLBܭEd'v&c8kWܱ2"bWC?%^}gyVp ^[F;y6f4wW?s wYTbS  +x`Iv>ebx{.yV<BFJ}3 i\G/e̽mWd_0}py&r?ehcpOY|WxqqI`U̍hjdhKvX􃔻y~/2|~X*!|{R><YEKC;8" #A糭Y`yn%|x/^;Y0Xd?g |;gRU:1重 1=LPj8) <սr"q3RԹak,3No pd}}Z-rW_2| JxiU5iTmǽ[+. !]#eA>xpG#WaCu挲(kc ~T=Yp,Zۀ{82%^t[g{Vk o1Urـ|ZQ* 1z, pORCƹ/r~XxwJH9-":Qu<2yu<5TeihKofzPEw羗 J^LpwRj3ޭMnyf[@6@9#p_}:3d+.Iv[Ƌez(#%[޷?;]j}hD01e 3([eX0猠^BΙҗpwzSiqG;v*EhyQdݜp j?)w*o%x]RcϋeZ2`*I{ݾ)iCWZ(9pwqϲwlN &xf~x>k-u{Mؗu6e~\܇y z^ uDQz\0Ĩ4doV"rן+wLFo3aYF"M0cV {իкW"rsќ4C w8O N;݁UHc=XòR֭UGgAlkECCqg#HMnk <AXvyv35TۓP"3N'L}r;Vn~r76\D3eU6I՟{)#ѐނn?SKa%!eM!}0j[h=Axb9kscg}38yiv:Op%S?:bo/f,2swz;LA 5 ͖֛_g25 MVܱt(5]ϷdZzt!ܷѼl`-sLlk%N+EU|Ru;=cNgp٤nj- ;RU*Ypl詀DeGncT薱6V;ɐKZϢCqd(np d~7uJFn{&4)FАo+ܗ*EpUg; #i-l|__ pL<y6:3} $<eKcM"\劮#o5 BhS;%lMr7gQ \k:&jZSUa}swVssM<r+F&w+D ۅ@3zLnAƆY[ឫ8Ve$F3zϝ(ݣcwd-/SbeT2OBtۮ_NtsͷUA,#\2%zh$!GtƳLۢ)f>juȞNpQ(KwX pD$2%.$,HK6;_|ֶ'a|< 30&w*n{]<|w=(kђL{3.a>_ј; ók:kze0r$w_rE*|tʵrlNjB2lo䫐]ޝ{Pjo*Pe<~&B=KSJ^]םFIɔ7sBmrP'a*Oj2ob%tWlmnj܏r \rWgK֒QE@ЏcKG1-b`bkȬ2 %=[9 u93\2>޿I-Z'wYXR16C1{$w_0:_ şa@9Eνw#$c2:S /`"wav#&+(2D$w=*11ҊeeF{U;\gN#w5 wL9g|0/lXc2/ŘeZBko1qT:/7Yzp'2nVȶTd~G)kAS9ij+:](<u"a6ىƥ:$|(}J-*lxpJI/Gva4ŋ[s S(K0yd^˗ r&JVͦ[zm5" HR˙,Ee4HJJ{DURr:-˷=tjg#3J䂜rȗ͖Srfo45ƣ_,dHhnf˪Vs59+OEL[7MycPq&}*F WRq~mW%npzRОoh[]/e0BRa*1Ple징&X[%&Nz3񁷗 C " /@65vizfJi^"T[죈f@QҫPZ7^@TI鵊m΍IJ결Y}WWsG&(*h 10X>=/E.2e6?n(JA{+?d0~4ߛ~&LF7k1`_|=Yxr,C9TѵGL4CVAV(Cq%&unq#P.|5?K\<kzͬ2y5cn+zr;@r; @r;&pUZo}|6~*N"ܿêU+G(ok?'#wa?}n7+ʗ)onz/[]O߁{_g*6eǭ;.,n {G)(#UsSpgj9%vJQu Msv3 fB02ȏxC|N_=D|[cі^/vT6loDg<INH_ohmTݲ]XBxs/0FJ=#afqGkrlX` ;m1gLapM6x5K?ϫ>Sy,jfArF5A|'b"dCfBCQ4<χ{hx#wlG#u;G|.L{_E*eE^6*"wȟgM4ى&aS)wYϐZğ$n];(OLUir3Lyyɝ >N)׍?잻ra#6$O4ɎQ?n%(4h8/2aBrē/?-ĽlY[ZխhZHf)g7a%(*.vEFի /Tclmn ˪xF4:A*J/wF%`NvsȚ(k;7]{G߾v=}Tt݃6_ȣ/!m%+z[1 <l1{yEaw,(UI\,g3fg?|ehְ#? q{\MĵRz\-'t2GF&Ŷ$wV2ALF<KΫeꛥҍ w5l7!Uv@a|;2x/m 'MOg+5A2rh$ NqC,NC]&-e.Ls͚J`7yۿݟܵBeF]$\:Bvqq&I#0Łf4.q% "^lFg|)JjyD3D";lΙE3̤lȳcFq 4^0ak*ׇ՘s4"h4+f$p+QVXgmgt ;3kf,h''GR!Lkk5MkVy@i7Q)QZ뉹Iۚ 5['YYS+e(ifjCNTVBjxK+`BܘPj캪eTKZ<48Q-Zq~m1`j\by !QWW^5)8!kKFy<"3މnl\]eYVĞҥr B[|X#_;=*&]"M#5CEYVSY/ӌk~jаgV\UlJZRbUd ry8U՚df6cڲ~*\Î[كw@b@@rdHִAި<UQB; Zl0S(qIQܕ毋N\TRoei$ #]=)%jtQjW7q8}ɴrl֫sVէZ.i4|*vjMl @Zݙ`-~&`.;svGާi5X9^-{ը|qs4LPXm臩J4֯_e4.~LUpan$~hEy*j@C>ɇu, ǥI/;2k;y it@n9c$ΊV8 ϭLD~ʃJtq'͌ NI@v2)3a37ȘH o-şJk:$7LYD ѻGҚIV+ݖ=E* w׷xd3@e) [t?M1d]&-5Y/wo13vo+h|O66y`XF_%C%:i8)jTʄ@!lއzhT6&6@QÀc\S\>Me@gyOE;ժDcK/б-wNyԔr`,(|^k\Ӱ"w|LX7,~|8{9 Vg= ~mr[)[ib^#w|Ϋ.̱:u;\ೞxU{<i/ 8UK.`J'&jCWqU._9Utq-<`^Y7 ܧ`$!7 K`k!VIVb%w{ :7B LX Jk vrCMRe"^oA P/CMbi2|!(%e Vf-}c-N&-<_4@|B(  !O,26AYϠo5w2 \Q?Lp4<!Gg}v8%(vRV|~͸szlM8j7=<'U>3&0bא~PpԸঽJxbV3Ke%8иt_?< 7ޅ[_ @a>➱S==#^i*?Yd~3/߃ xIվIgx#ZzWļIlĜPz`Q(b5S }^]MixD7 amZ.`ywCjNK,fg3~կ;{dVsgfmìumu!+ն>:m̮  rDC#dsƆg'3\Nu/ iKF}Opǁ 3/PDOɋ9@J bO<LT-Cpa Ⱥ=nA%\c($|=$2d=LƻEr2.T{`Hab*qjR;ӈ@*d_$*{p*v'㸿?}N:4@6"= >^{Mzg#G\ kյ~ M( t4+Kjɛ[;g'RN #rY~ !xP!_oU 'LϛĶ/HyvNEӬo2ս%G+Lbt:4lmXc@p7ࣁ1.dJ؜y|NBe%45w3'1ݑƻa['9-xb(;ZNv"e ]<=#^<8LKzu^1b,:} pV&n2aFfvs]4'hz#?\LJKOl~9JC޴;焯߸v2yaJ)عAl ,![PYlx7(;6}HJ-fpleftP7riN;sJ ܵ'kQ0&uwT"㿼 N;wpǀGH9d"qlpw\ۓ۴Lu?uY=;?p_ ܯx^Pb ƈU0\=r' 07rdjkA\Kʗ@}6.Hޞ6 ذrbcΆ =Vq~`!A[Ym)CbDP11L}pC$pn~!!V̌(~b`ᣚ% i#[<pԩM xCk;W%`3jJι8#q)ԍ| !BMhHH+\:-cWvGatb\tIs-(ұwC֋6W"ږop;mT;<4iYK ON֤2c$6Q+:_˴v֭AkwZ1k<Z?.<LeԻs2<npסQ i^EZz_ýEQǷX=/~w"h*1͖i2=^ neƠI?}^%[&ƴ#KWPiwZYU$]N꿆_\^-s=΍[tzp.k +h{ql,lLXܯoQw3G!+4NiA; p*izOu;Ǚg E0,pY?hzp:7.Wý0Jc|N~xyM51r}-M r▱~C\FL^UN{\Cj?՚=3@'nZ .,v9Ƹe$\T?-wxZk%줺 gwX2+{ wT#GKq~]S8,w]mr0]v7d4sw<Hڽ*loS8gwX!3rG+PҾý|ބ}N2\$u3܍񭿏p7#pۏp2њ!'~ʕז;b\d:3G [oO\&:,l6l\t׍G{l 9piOb!:]X)B^:Hr7?4V+؆"8_-/(Λ#:ێa<[g 8#&y|%8ӴLTъm"<jS7;:+h3R |ط~害-ă0t7f΃vY=f)QD߷'ے9Ww< ּ[;#`0>wkA]baGdCŒH}:Il6ῴҧ/Xu-eܑGoGC*tsv[P^.畸-<lyۜ,lwx71Ys~Rt@B6wGG#MqS0FeL1ǒ>l؍{b[B>>fѢ&~Wc_6R,7 }Wisc-Nzu89p 8:~H7v#A8Z7`' m*G{K=Z-C^CuROA yR+ q 2 [yt[8VB;MmO4U8N5ٚ>Nr+>pSjwN% 9#_F^6eB+c`v ś/}2zBExZ֐i[[x sm'0AD8-%"=hgZtT<O(jo\'w/S88 8Ĕ /O4RڲYv;$Hּ4*&d+/;>gDqD&E7X8dl 27/`Ip˔ڊ:c_}C6uΑ;Y ־Zuti8.e+Ux3n_n6jk_1MKXʳjQT*+F<yÐIy0ں{D3ժX`+zbߨl_?$C%b?=FYA;YܬHMլT u+lh^H.&:QƄ(8 `@D\֔I#l/8:n2OReVB#yYEQu<$lJl^~NΔ+v(4v$8lgagu9OeTٖ) KH"ZM?qVȂz!~In?[roP)JLs񄹈'5XmZ<P{3NveuE3̑zC,/Ԙ6e/"l˸ی ;@_Tίz `t̅N=;Gu;`m8er{/ѝ Lpr-,B8kuڊ>c>}2x)o؟DZ?>Py%#-b+|K9|POn~XJ]msu8S~?8xUT92SL);^Mƕbrx`ߞAm*W'NX@o ג{esOإsB wr_o08W+zmj&dZ$b Pm{Z$lZW^w{htduެ<EnNDK䖃:=R:u,2+֞;<nj g{BJZ-Q̫rcI}s'Kqu-Y# LhGiOzl$;LL%dl9LKAf.ێt)iC1|jԚmԘDMrƬbz ֦펓OeAu>OI0OK[YUA1iMs/7q?Se>ڼvҲ@@+ ^@݊mÒ:c'3wu+մ] Úfő_%(hN:k /=]>{ 39@q|\_ ].Q 3W/I, ÒG9 &$B3&E.ljR-I ed$l4`i䑴][=N)R R4M+sMy!Tc;rD3-&M弙{t%2C2XAA^&e V1QMkc48Ep+KF$e9{l0:ɅLI➻5Q֦p0PҦ :4ڗT Kd3+hi4*p~Rμ&H>jejN7^, -N c Z $΂"rïh/t랜o7JDj%D? *TaERm!QnRJQSe}#Q[o\8P{ABoܖVKSOnEst5\8-h}lah;.%i@+E;n^^wn&d?u`CÂ-+mMZYv~Ml6t6j{H|Tl<Ls9&vv= y&=&tCl4ksOw*^E+$h۝Qxm_&o&1ϻt'Cw#zo%`};Lz. ȯWe;YP @#u)K7ʍpOPzHD=1d_[onPkݤW)RH"E)R͟ >E7&j)pWH"E G=e?<j xJѼpH˄c}p:>H"[9mȑګwEp?u>s591 v }M+Go9}=SôB8 wW]i"*Xa+t'8{x`{g8:iưXq-`כ|Q:{'".#PAFt٬6Զki6)]NSpU_wEw0G/ G^"k+p]@@`(p5t/:+O׷2o7B" M~(?s6GDʊ D]u=ڡ:_Sp|{Z+pWt] |R&r 98Oq&Be0=Ʉ ؆@)P+Ms !%8e\aWKŶK74(܏ @8R)&k?A."1_P*qPr'JGyc$r )[SkA D$ZЧ$nᒢDek&rb9Js~t?` a쵼ea %%W4]?EDp`"(|^%,+؟&N2TP,yTvcB0)znk%_!ʙ e"ZL!=W2kuv:\t:Hn$#bGgw#POyr7joqt1z=,7= xl8vz=hnyZ.ElDZ4q}R`|ra`Xm^B]7MeB*}ſQ8n~fʷexaC~兑~vqaHxB4cn3o(D}c}P*K  kH+1n>z༮C߁Z={{,\ L:oea={ "cZ'b^e/ >I Rľ= A;_wrϋE:Y@ӻf"OyeRT\՟ YUl3u Zn^ ~:l~$= Il kּbN/}Lwyevk>[ܞMD!T+̢Wlfo5f¥A}\ӀcSXS U\eZ1\@([777K5D` I%\:7[O9kԿ~Eє7㯸ĕ~+|rhը_*QU}S=dAqh? sn +Ϯ^8#;o'a%=׿pBro)GK/e"h~CyfF:w5w+pNu?$埂 ir0,0T7&c/05>wX4;may4i= %pZl4ُ<V2_ܫJלF'mĮLwy߉ƺ sm-[`%{ X*<RhLK<A<Ax_+r % Y}DE uO=.08{ƕcm. ì9`3 aXu''Ü|s YRcv䒍XBGoW!WCpקDZCHM)?XzA8EfF$rHwdeqSRtҷb+E^74-bp8`7<„-wr%H/nzĹb^aER#o@Ap:QGN13_6+>KH5]cEw.+KߖҫYfe X  A˛`+2 7]d&s{Fiwr6~N1U#HM0#`?Q*C}oMR%ܱU1;Xj3ٞjcwvnd/DsPmUx?lhJ wk=KbmFWF蚣͔>Ǩ0jTsg./ wP{9V8B wR -{獢esAe^$˼j`0uOýyKc 0Z,zs'C{ܧ}HF* RRs8Wt%܏/X G0(dN1ܸ@hR yasżȤ`E0o8s]EtK`bCzƏ<s<G^3휌U=Fe n͹N ʇex TN,F5G&pc~Ze]]. k;{A)ɾB wMTclDp.z$ᮨ8oV8:%ޢ{Ҡ׍ *iπMAx "7‰I"W#7"z7;X!OZN=ӀX-4n+CʌwnwT;tRb 6/Pjp[zOq/t *gD>:t x@S+"Oo8zwE Ýnz!wp'6G~Cp_p/̻_]{ߑvd$pgpg<ۣ\ syle*#.>]y%Rwi>NN.{G+?;i^4?]6kF wbu'>Tp]Y* αO=>"9W( Ul =;ps<܃ 'ٟ ;:; -weƖs}Bsg?{sgg;*yFX\(Xl^4%1"E!f.|乛?W^9@๦g?susFMF}s ;(OnS#l', 8zil{9CX*ܟ. wBx,nU6{hAgcoH ;zD YT;iCyJnxQ kDI֌U ΕtZgt<)=!+%<3>ܹ~>{yQ@jJ3ޣ!ĨOC{}s8w]jqGQspO4wAT9f4DdpMsL!\eCwQib r`2=sp0:; '_渾H4 ->J^ms7ġ)m vRU zl"(4)sn]5=jTbCt=3ұhٲK\)шUZ0ƛ.X/T }rpu΂i*W%'OuЏfIe$6IÝd.a@.<,tqYfq=w+{QkmgS)E{0,'3sg(<|,3I=}^O= &1iͽ yE_IgS ӞAF* ]4`ZMz8&?{1)2B4Oxl;>vx满 utS<)x^<9V<N{p冄\Zrl6fXJ֒S[Y8=ᎱV덕DH0xaJN"O4ww8ۭV90i@B&N!p/4 T;NDӮtJsݘ<PpJc{ŐAK`+δ7٣HR{A=^L'r*л [}AB)[OL{]BF[{ jݸuʨpTNҩY0ȕF-@;\t NH}TI( 7{$T4bcf` 2Ƙ]< P`K1&8*Jp' ~3UJ,>n?w{Jgu^}V^vBޖ%ܗsۭәcr 6yNy:Zik>ڕ#-*,w+ 6 IB@I8TzD?)G[ᎱU Y/U0QB=0dinmkVHY͙*@20evEqULۅڕ7: x`8gc,)ҙ<I$\wf)r٤:4K.у >vBT]6 I!15Ɠ+e 7<9^HfV3\mmN=.\/e-yQ; f<px7O+7~r94J/"׮?inaqA_:@ώ3T5(k,妑V4ԯ|<\)'@ teՔ3{COm|V-gտjPBpdrO}?=>.-R ?y8#4/~a %Dd8^P BvxcF:>F'j{>K;}~>/$?|徃?&>jZW[Tm63{9s8 tW%u$4wLOR4kmp5pm7/7m{}Ę-NFi['iw&wKxNah͋*[l6fj%|e~?q?pɽzl<s0q-$5fhHLᗮrˢ|W1jjj,;_U?PV'[kE4h-y.zevqJbdv-:51qpFc$?~uE<Dۭ[;qOUTT9F*7dܭ81q"qpFarnJrp3~ /K]0q/7qϵFe~骃qm;{}$ݛa$O_hm$pv˔^k#TTwS2\T>2-DD/YmD +n:W8qwݯ?r UKwv{4H+n</C{1f%ZŢKDeallΘ2Lz}Gi2 /;-Yp0e=0f*snLw}nMjwkg'11u~5DzfYYnM$YIfRQ$b;VA~{#k n~w{ٽ_ Ú]Ed1/FisciE6.ny$ c\c[U!-@7nr/2_-?;Z&Ӽ0ykLyQֽ.S7ƚr{Ө媐'ٝ [-#~,u?nWe3}:aY,6nj;kFl=w 7{߬{ qox\-k7Nxj6CީbZDŢH.֡JLNu Vܙw&w&wĝ3 L@ܙww&w?;Nw($;&wXNǾh&w 'wy;&w]GH-Ow&w} Ь[fdq@Et %;5@w}C;J{ ;;;qwqwq   @@@UV䋨IENDB`
PNG  IHDR$~gAMA asRGB8PLTE&)1+.6-08,/7(+3),4*-5'*1'*2}/2:.1903;14<25=36>46<$'/(+2)$  wx{,/6&&,8w HIK~&# #,NOQgilBCF:;>TTVopsՊ~{acfXY[kά\]`'%9Vn<>C+"'&'su^!VwȌ555g..-#El05A[)/<&2F"N~>@ZW(IDATxaSHǃ QT/E&)A`R4t,:7N}S?m6 V[Y%>neVHxqX@ w; w;rr@@ w;@ w;rrri~._ң;ॸ=<EBAۇׇy~܏GOMv+ &>KG +/r\^A]?țd2ܪNwl?BN/=@gOurONt!> ,̣wYTaJ[//)1 dUEkwnyRunل5 㞪ۮgw8ăB?ܐ#gW偒YAJf5͢(G^<j]\uۉunB@/_LI٥?</,]b>q[FZFQ) ֹߪ}Zv&Ξiyx1!$x$%vPBa}:4Urt/sY&=f8HanzʹNξ o-Mz}3K -2\Q-QVC"$.l=w jQbvP JomgQѢ4sRZ]xX9\N./?oK8^7FbrOtb+o+ߧK܅tOJmu{65cOc Q꾋Suv۞NNy_ʝH4Igd YnDgh؂v\D"ˇǜ$Qa SAHtyqgKfCŊQ bJd)#F-vpla#SZϐ_3(LDy<[yE/†el}uNhe9@~dN*UTrk64+;s{#w|h)J9>j+'Aj(<7Ycm%%WaXh4,=xSͲ4f|U ^Nhrr(+_{։,Z ZrsӒԨ.J!L6 #CׂIWrF2**Mez 6`F,I8WCRh-t% OUp Ճ ,ЊmX?C:#}oEXެƢ0> +Ġ/!n*i\r:{d޴\UtPUr*|"s3/sSvn¢ U7r4=\E)#4v7 GfüAVgwd2tMXӯ;u4GV;4Im4 BVkoajnSp%oCau5}kJQǷy%6<MJ:AOZ& $B8:K*賣Euh-׬t.7ti9HFl4`zKpɂ)IαoGYJ4cFnȦnMvtnR}Wrjo7fi"`=6]~r/M&בŋ !/o^\g$Jз"Bܳ]ܙ7Ҝ4{XnfOG9}"h4z4߳X7} LЁ d垚G`>ð@YbHQ=Jk.rWbH]K 75$mUnyCJ&m1t۫ e޶EX-zSas,p\zEP}Xd,~yhlC ZO5H=XFj5J.T#mӧV) U@TycUJXvZ.V35zjjYzZJ-g^P>7^[06nYyغ+{N 'GI`Qv\]ˠŦ8]~Ϋbpr_eCןM45ꅺY>{NH﹟6 ΌTNtߟE1,SLKr?g7 nag4-Z0_ˑ7bs#db;hZ1br7G%~&%}XՒNZWJZpʝ]0ƫ빎V+wFǣfs{W w_;mrцũKem6F^)EU.KIg/tc ֱ0 LlɊ4v,;Ŏ+ҡ4Ri˗% {difv:`G£WGnOh{n5̯\щ݉;XfOExbLe7-i;rJ;SepԝvGn6O^O3BXqI)ڕ*iW?̿ŇYuUop=+]\.77 7ַymPjf~|-;p-\l7$e!Y-uIDE#> $RpDfԐH7 akRȲ9γeT #©E-t[B8lQ =7?=MΌr|6)ḽuIVT4xj ,yglgԲ ((W=nOE{sqHZ<bDy;FD^D=!aх#k,/8ob V"rإ1YUS݇% \>.3 #ʽRp >n? jO Ph+r vr~]o?{G_5JCp)}AN+4~ i"_eWpnc24 _ys{ELXF pк8 McV5<ނ4lLh] w<ge͡}/Hagv\%B9Z;7KM[摔s#p;(j|zhu'VakJ(\"d0l"SPx൭N'_wА5ܡ``2V:S@}ݲe4:AY)C{:4L;c)[F]WpǿF@>o |v`[7{Q]iӍrǠ̞Z?_6p]ϳe -s{pHDȞ]Ww~ VqBpwY}zw}yQpOeY%'c~H[+};m8zme X𩡛;] AH!J5_6PWQI<NY2>!qb[닐Uw{MA FASŊ7TcRܱ=Az4p~"E;4Erߛ}\..s LPP wlRfT*~![p_(nsٻ i;K?rO=(Se:ʨii:3G=JIx"&=g ];ny) Ɓ+laɣ 8l*OТr_]K[xƞ{ jVH<K*3w{8m7HՋG]zemQPVIvbY{{8QDŽF>Y0װC#KUWrOo>,)C1%_G(;&&ܯs\k[xG[2nr? hi0*wVvh/DУw &|k"܇, M T/F'Y7ݦ1} w!IDW%ܻ^pu^5 ܞZ;=T 9P8yM`m[0X\:BQG$;8]hG-+wr9h14~;oվ_Zw}~պyԙ}]_qU-;Ld7ĠP0,N,/~>w "*N\Pmpb(7#vrG(q񇢏ۀ;Lc*d R]CޓgnqDȷw&i_1ȃ=^pAS6n.bxPd(RmPWMZٮPݎ'aml-rc=0OuN4ac=pO'2kPCCo|l2R}v;jo |}vm݋ϖ)-}S'w2'(IoLSXt0F>Rp0 _C#CŎ0.䕵NM(} r瞧BV}1*EZ &p6u7ܖ sh= B[&} we2zn0}*M<p$zc˴>jRW+8mwhA9`g+w];|< <6=euR_QyCzw>^i{*o1=)sWP^re|өsEC<%/6˛ֶ z=8r.9}>a |舓\4esR8Yi:~<b2u#/f;eM/;dmngqݤ_kOMkg:p d`$bR[*o}CfR3Q8^ 3J!C2MpZpsne(~=P ]rwxB@ *kޒU϶4:yjFUgMJm-rq7g H=sIv璻+2f=.לOܷ^lַV M5_Di:pyy r^/_>61|1{ I#Tܝҧ?fO+Cr@ "U&c5gFEill") GF&rwn͸'2Nvh+eq+ZFeUNm:f{At;Nur}`ry^6SfoKƹT>}JFEų,s}QscWꆺ^ݦ' ܩٞFXG~m&EگTUޓv}\hr"<=4}W:R_^>OfDˢ6eD]ݭ{~[fi4}a'1uݗV>Li"w-sfmLv}|a+aKÞGgZ7[ɝgM-a7a>dVӁf1a|bΔHr˜Ș3r7t<PՑfj4c&BԑgSY^9IYR1wU.?K5V<s,#n'gZ.[;A=SjT3ˠ 5]G WG&R%'yr#nC"h,ɶvvYoڢY;>L} rwprQo'8qsbJ57LԚgKqBg9fꗛ_Ka3mNrsZI锃v9ff}Q"~8M Ձo(ioz`e#:zWQ- MpSљlB,s0jv-r{RfnY@دDsMF:Ic^r~Wh.}NYeu -}f9X+Qt:O -Y*Z>k7 3YWVP{zD.j9bލ F2jUn*;r&[ŏwi6ںQN[hݭݡevfj--3v|6i4''lbQqU-d<ʛ2E)gQ.=6"W:9DoKxWLz<K~D;5q%Ne oEȝnhy͠#mב;^qtto?Ax4W_Jd2 : [jiSҪKc)k& n}-$dzk=}MZ#,/%77TJXr[4?ղf*/)K*smzVҥkRb~ؘ‹ѭ˴/N kVxS\d+bbtAτx8wa/."ʃ˯gYOwMWW~:`<7^CO/8q=˞iM`zGN,Ҳ=nqGvjb׬(qI)2.t™f>\1r Q3POxճX$s,fB*.<\gn]*I#=Zg:g*auXѓ,5 &]Vf[+*gXVzH&`k̛U+ҶrR"dމR"H91ҕ`Y*aXÊM[x"_v;](O~Uv7Үٗ_fr6wĔu(FcəH*>ahxIBDwǭvӓpΦvŘe?[-gNJWo{s_2ډQG*;,+7EגxT]YG." q'r)D`;6RO.ө}:N[JdorgS+C\Ȟ~b)~`xZyO6s3?:9>;S{лZcz4& >3wCT:=hS#'{5L7ͫ< ہ|T>?t Ӑ; (wD`3׭NXq wm{O^_]w@o;xԕ¥r/'s^\' /.ː;ܷr#'J/^u@7gaNz;E w@ w; w;rU;rr@@ w; w;rr?mo%xM7 Nәi o8!#Ym>Bۆ_[āw<ehߋs<H7ܐI^},> =Z,BEuWgYc<J-ʤna@Ǔ}*醵QP(N}LZ 2z,nVf]w4|6Nijkcâс`FU[L6ĦRE_ڌuXOf-C{Bwml&oQP &spCubqf9fhZ(Ay2sbec@ XQ夘'Y?[<* (EwЦ []:R;4IHaɜMHLE]nDTM?~gf"L'XԞ07Hj]4PI&8"Hl<fHmDKMX[B9sT>2|3iVlV6 %$tzltHJf| b{F+qI͍>1j 7t`B V0;9TMb!*;s07oy5%!i7g0aRfFgFȆ'}(0U91; dh S"۴<W`RaZќ}Dl&lJ%]KpV&Cqa;;:{̀3r}=iNsѣC;"}<%wZ̎a Q0I>pFQ>7Og =]#hM{¶6s/{j23NdsO P4wbty bPVޮ"T=iqv)\%w&qW^h2N殱P'q\ZX*3)ܠ;zxA̝3r߼,VcmH|e&hmqɽ2<MhTҴ7vyNۘ\˟5[AO3VK{IOQDLQG'7o>ebМ6(³6}Hsb)y&bE~5쪓; -fm(+>ib1ݲA]KS/u8l"qHq4_ ]m) @T mvO}IH("bSS45.ҸpJ':s(d/sgM@d+X0YB)0ƦaRc*]e΅7$c P)&? 61{~63rP hBs* <r.!zF̝ZL,]{qvְJn4VB疚5I!V'/1CWAV)i5m̬7}_@sW^ &YWx&@wO+˯<WO6Pֹ^չ)PYH=]<,c 6$k_VGBxJuEYMr t]HM"WN:6VA2:uZ*>21{s͔A%MxTVg`&meM,2[Oo4: p9eDO-*9BUŔ 8b$Aۅw nG)E.p*4dQB Wu]b=gJPf)FE1:7sS sn>a-;mfؕg'_`y亮SY/U`ljP0\*3EOhI&/'y~Gs'剦<jQmIfaB5TM^YMi ƤeVI:T¤y VCs xchkiH:c: 6Āt@Dh_>{NP(@69|S 7 *cEv9 A:fHC.ghz*2 1AcX:@l ~y"%&[[M_>No[1v R+?޷8á¿QE;N`ކ#~BmD,~Tw*_PxxD>)-n?7Xd?W9kVZ⧔er*Շ4n*H j[!>Ҋ~Y]>];tEjjjjjjjjjj7vΛ)lr1M]*-+-{[pn'ywzL=/|zv4<$[*?9>Ι@G^ʻ/{ kBb'i NTo'"bnχt~]_fBQ^v n{˅gho{ixx6D] U~y{1s`{~5 W^Cq!v>6 e+Pq ; y֌|3 UL*Z8|y#.k[c# =ׅ"Bynدlxwtzt؃ ezdwIa-}tpΗ\@FD[p,_zzx9OGk ޘIkw =wAGB'M娔By5ʀDFBcT D}-a:06wҜ;LjrvsؽHn1/Pґs1µ=\`V 3L]N e&ȱ:W'UR,㸟+fB;l\Uj<yE電q%Hp08qwp{kKܔwrB$J[TJN`Bbc{o^=h:om2@";բ)xVیfdy2uB3ءΡtamy{ozPC +_*KPC0$폴w gPPվmȽt9JڨY+3)J"svK@ @8cFr4Wiږټ66V>5=0bw}dvagjYMBl[EdA@SyLk#Vێ8&P8I7Aud̲dŋmnBpaFϼ4b1yГ:祧l]E(uR{2=RA#&pkS~ZO T Gqqe);6U+\䫘<rvMhGP)rꀢj̨S5qep8Fs. ϹUqşxHۆz*g KM#36jW8yL#>i:,uBr1 a|K䠤U<$vĮ 0-i@GE~,j%UXIz~b@';삒Z~/[i R0̼ܳM]YnP$ ._3%U:Q-#[}e䭈+*P@=:Kkg #loV_Z jטϩH5uupw$$2Þ?wQZwp( 4ӟb|-wx8khKږXM)d%>T 0^mjvHAyjsp?ed7|3@87l>bà!珀9{Lg❷~0ϩxIi:b:hE4Yֳim/'S6q# A/@ji|:|P!K"ıJtP?Dݿec.byϴVRci!l@(!Kc#^.G?[Dv)^0bm,nNmP V %f/PZkQswb&Z%-Ki2\AR5$oM*9<n)5T"v"Z/fOm{XLEiQ됰)>=pW+*"c&di!ǰv#-QmZ.b_!]44́o(Cwn̯:B#n/`SdjLdt.CC"^))k`kݧyHFbfDTMp!ruj#}=9=eעsbP n`ywsP4+ )>jpwMdUYxjM&I=nU;fL*̕q!G #BwhF;;E l(G{&JZ 5ę naf[X1a,A~pGeۼ9\Ф^+}=CO6_521$cI/ŃWj۷P[;rUk w <cTTD{}9V]…b2ՑXzQIC:8ڞWM{U bnw9;W,iw8jhҥnfZxlŒ;n'k,}$ 9s-QxAK  R6xɮPzcʉaȪ^30u:"wVD]0Daխh{.*1m /^~n|' sLC q #<55p@,[i~B G/KΡ۽6hoA9ݘJzF8e}(sCiBVTݐ"5pr<;g!—; "y%>([~MlLAaIWpzE,iz*eijx-p'6KiVW? Zu4SU\"w-pڎ}EKX]vZN(BY ){ie*<w$aaN@$GIT^AչVe9<,Y!?Y :Hp"',[pz⼚Ԗ ݼGp_Im oMOWLܯWu~'BB^q ܥ21_poHfռ_*ع!4r/X f+Y{arigJ:+6W6' |Kz5bm| !=4wcH{*Ϙ^@Dw% 4r)8Q6LHДז {Zk"Wv +»-r#C:[fV!]pߛ͹5pCΨW!s/FȧMoc">ܷݏ|Hטu| 집{"q4%roOJs%o@;=33 Ǘaܯw^+VB+3OI'\S53S; @unO'Vz4 Zpkv]<V u]\4p/CQ$%674 Q-H z͝TӵN=ܥ4=p{J1#/>;F{oKQnQ .\jÕ%|VvlnX{/_;Mmsp;ƹUpwF+zmm|"K,s)CeG]E:RԨ}͏a V;A+ˀ4Ǩ[O@ oUps^ %l<tq,=OǸ?ҡ?] 1譬 O5 \ c5Ju"j:,kdU4EPz.{ȹ \&Qtwvn @pE} m6qFC?ڳ4LwTwelWtS?"?H"tgZ$ǤRA):liQX B<P\ 6p/ /Bswp5oJjG\78=G ֟t,Z `~uItܩ=ꢂ;~SrHȏT2#+X븂;{A[{}\Wm4)4 .چPLi+(E ,a+ɀF.cu.JVN>wp}jb4r0vgi|+Տ 5/#</:6yU,E!^=p7pf-FfzӴEghlId%-A4w -)Rc'NiH)Lzy[I2s/egR]޶{%Dzw++#`7,f"\z&sWeZFdl¯웰KTi[–LlO)X"tTHy!I#I`﹖$$G;Xe`P#0hab~ j~>$-%1:ls DtVr}y-4ΕZ?so)Oyrb2H :c;X88ozK4b/CD+2A/P"Xc G)lSZWZC ʻ.d;#=m99 n~ x5MT .K_](9devFr;؟٫{uO]B:EF{Șý!ϭE_U9ʧ :͐{?g!<$Go"^ȻGJbNx(@g PhKkH<J#QVԲY=Y;>S鷞q yE+>sVC?|&֥Yj8U_?z&~SP?en>;h"46֯O&8 [.HOb|dBFZ6d=]Eo- IDZ][SػqU$1 "QOtZlE" 9D:0i{j-|'\2~&RFK~7?6lS78I{`;D߅QK++ aR_F{x% aP p^m_b2{Z|GP q=cb_1{*m{V{{{{{{{{{{{;; u0/'/PhzNWR?$`lSxJ wPR9)9I__/]iNbip1ӝWͰN>z,"^V|*WY]M^KxUPfgiL뮒ڵ׈٦|C:hh#{>;(L3v)C[J@ĔncQ7=9mQ'Wh+ )YKpS|aY6k6y6Nu' wpW̴-WR j\h SN)eDS4ijS'HPBwUi|(:J'7eCwZ$XK@sʹabDFQ45ŔI|So>vϝL ,&a9 ٢NE0&w_ymgыWK5CȴGJbKcDuK* tQ3ǔ#}. ``nU=Dr^jX%On&x̪ά0g֍|gG+kq%F]+0g5 +DӚ~rH?w9룺3-@ec%[ɕ&єr^mgDߣ&ܑ\;C(DsXqӰ2mr2s|B}G-W_p!?/㸵×&ۃnBpL`|#{i4='M+?)Eo ~dJpSJ}|Qrq|;,od=WŧJ>sh0lI}i "9un~ko([ׄo(8Y0%clj,Y\?wy$Xsǔ7j1NPX!傆,1Oo Sh#dP(#Pl<V[{p]#5.@eY%3Lm#UܩC\Fi }ٖnG-6>&R}*4/c@J_x4] + $|Ӊ)^Wfzqe|0 C79Cg`ۨ4`ipVRdQ#Yw>5FTs/#Y;:p3XAR. bW%4C8e)$HuM[fE$D)g]ztٕ/'ۤ00eMtH`5;hJSv&n \V˘d%YN%M5 Q*oĪM2 qg_%~msR`f4M-P!,̪QAFR uJ~vQNxQ5N7s}>%chuZ,]ЖtMS^~!N䳬$IAY_ZT"J|$U]tC zI2~h* DkňL<(Pkv.&iixI؏-*^%quLquBiExXEw>w<s-$];|8xd!<>%@[k$kXAlܴ ! tup[=@- @uYN$Z~6m`F;R -|:J)*0/1+ Z!k0Rfz^Ǹ9wY%b R *c{E j+,ƄBJ,tb >s"@4wŚK0!Ի؁{D34@e;BxVKNzM 4)iwfݻHWz nSeUP+]::sF*֡g2%p.;P2 !z#T#כU-<N^l<ȱR{Is{]Ht| d^}Ұ[8LRvA)-*!: %283MXU M5VC)HğRsޯܫ<ĸn0<<Àȱx&wG); c~Ϥ/TaJ苀B ǔ>x4cF2]^fgH+Y.8OvKDp73Ȁ;{%ωo?e Yn1fYV~ԃ源;PLCC;7c䝹jR_}L",'J7m=?ŖN>WK@_8G jAߴ*٘2=myj=/s}7>PCr__tp4pD z*jy=0 Ӡgԡ'l>vi*^&jែYUKJʰwYIMulb2zdzbS-+ynQ2[~!6w_uS&YpE~Sbj扽/o,r~K&xj\vGdxƌ-; 7mUJc xɢnJ' 2QMn:" ⪥ 5WjqB*J~ɣw;Kp a4cC_=N28ǪV+}!)KV[Iejc+~ g$OpeǔHWGpow8w+pOyMƉ=w[bA BWUԜ:8}H Ё;tgp"=Rz<,B@]Ef(eHD饧P)g< lQ<N΄Ǡ=Bu+ءgeLaV~O՛5;客Po=s 0.C }s30p;xRm70%اl1;<ꧢg)o=.Խ (A>Ӣn-'SeA;O|=>=G9~,=Z[bi8me6ϨzɓP-=dz>Vy >r Ki<0 aJa[h=jr4)(={.-Ôs`&p_)3R1.こKÈSM)~Rجo pSR p9Vo7-Ps˯釽v\xLK3xsN| %'$ y<(?ރ{ɍ:ҋg"KoV=w ] /T>tEð&p x:Bw..vܛHb$Y.C|yn&p'у=OH;gbwmˑ*Ԓ@.u/w ɞۺK\&nw(FR=5ĚFᠷ%PY{?ϐw#pw'"`'pwo%!Ά#jO;X57-_|#Ha2`NjAE"0na؁&\wUd RK*wK$[wꠜ<(:woUp.i wUb,Σc4u~'8DWAܽ~/ us~ B%Gn0 jeQikcpLMC9Ӂ{757Thcrஜ!U[<CWwLfRw+Ҫэ&dԠC$)2-V 9fR2 ߼vvRx . uPXͅ{yS\h}šׁ{(#d"ԉJ=ToLaY`q)2'UͩiE H)& VX@2͔A4bFJKL]#lwE܅¥<<{5QiD!eJSJ5."u@1dbM.=A P1% "TwFi?*fD]\C `\bA4{"/s)X: ;@z 1a^ 4$iGrOO$ !>/m"ˢxq 7/@D=3l\/Avq <6wwRq$9(fl 1K Zf9wS:pzH5KL>z BTH5 5ֱpaimsWdR>"'!EV2M9u:xCL,4Ϛ}yN{@!cig~&͎kJ(~}mYVґhSWYL37co,(B3:?;<{ R`I 2T?] pr PO`<Xu, e}++'J.; iprpΙYnCUָbiv92ipr("b,2.<QSxgEx-F7]̭O ".Q|eAƲq, F< g+c1J<b'sbfr;e),htyS @*dvu"mX'!83TIq^sH)bGTiI<H`u)b>qQ)m_] UP?<4q9vbn"\)]So,م*x YݵisoQPԯ.V|^Υ߹7~};:wqtޜ'u39 Eώ)fhӀ^ArG]K/Yη꓾ٔJ(l)i5RH] XQƌ`< 9&B8 OG3s”JUR,2?Ejf|b9p\U뺊rdeprS%Fj4N=ԯ u̡h,m)˘SSw]L_">G&}w ³PwWwܷ6rM!Qt攚njޒѽ,*/愛@M-yZ=Pߛ>#vWw\dQi{xxWbV%[Κlv˽YѴ^::ώN,a`ɥcϡp=U"w 'N334rTSPÙZbU, 7KvfaQ<tzM-ڝ NMĎKmO<N \ KsҊD/)0pfyeM{@s=~dݍfWn/Lurgӏ= jvnپwơ9Y8&axTF$Lozh`+(7ERQzri*wXj?|َi=Kч~Y? r:3O¿q>)= < `)Xpr^;L!%I`8c/KN_:,Z@H (H?Baf2Swr/h${irW Kx)?CEdPfa|__۟6;@,ggJ~iI?^ϼC&Wծv]jWծv]jWծv]jWծv]jWծv]j_־(X y0S- + [3q6?tkbB™NCySrRѓ?:1z-i*>$+Ҍ9qLt8-ɓ'~Dg$oH{RɟS:ElU08moJ9=dz2Y~J-8'#:Bx0.œ˲/7'OʧmH֍ :|ܩT/OޞK O&]9m#,sδ"VR.,JsdyjC*>d5|BkωaQZ DN0Rz6 ~In O1ZeW⍳sYc#8#1FE@ʶM#hhwG(<.p!c.)8g@PP<I9_(]ӋՁ+Y dKdsODTOAEVR%q rYސX^nQ343\ygB+Np"Y㓝P_"ld&"¨!,rUU'  %jQWlŔ7.c Ll'& eT=:#kաaS<#fN1m+OtNV,q /B<ȿ`FDaE0,m bQCB,s[MӯEMj}x\O!Rܥ)ĽCX[4jzYM4 Uˤүʼ'Z'R atS L<_WN+FpFN| Q]~wfuh&Igr}}:j^*R HWKq#D4j'ڑt2XJU=K = at@Kjh>nqX@'S[U5S} )=tQh`OS85;ƭCF"@V`\)1<Sb0[ҲJYs=7n Qsr?ye`iB q fyY RcZ s[\,si50lrF:NyuTs-uD)UkAVK ꏃ؎ 1iE)'v[4c凎xePAz**g$ !Eu!2c 6³@uW/gırǵ""` mJm/ >VIP2yN[CHZNp"B;s@aw%d)/PZ1zFDajrZr@Bf 9_ךԏ,[^zDB_JXJeײH h =;jW)B_낡LoK5SQxpv7K_8{xXÇrP|]V[-Ztjvwq2yQs%@9x(ax xɑ A.v8t&gCu@=l#)e^4y"a>C/wmN6m*6>v::7VSX8_kGY6KaYSc`%фկ,2S+^>3AaxK1-9nL}Z> VoeP`v0iͽ=EVy:|ԁN9~> &QA W6opieRy.2 }G*s|P6ؠlVw_FNk.tK$i 0q/u2E,xv¯Nge0[.U/Ǡ`,lBUĪ3t99~TsF<Ua_kADh]1gYVoO/ծU=Z|UC_R#f?:6kޣqLJړqkc<C>R:0,hf>ȂZ[I,VZ!Dk+j YF:t[<TAkq)K;.yIѓJv$$[y*<hJ`:_s R(I<tKl<;-)^#_o;$}{ !Ů[xq"lra]f^p{uq;zE7z P;RPEַW/6F%So hQBj Fe%ҋy).r^~Ll\'*foX1}rwBhC4LoCU&4Fkw tOzI9pL@ {x 6)!:Yi:^1ý{2#| p WA-6;h锺nβ+.mk+Xnt]q̏i w֯&q EuIՌOY @No*r7by#mËǝN |MEaU VǪ <aފd%SEcn/Ol}<zk{mCxiw}嚝k92I&H'J1z2~CZ:+G܅rk+e#>a0eZqhEMuA%EPHZ[ goCP+ Qz?Ri#UOӐt%7UKA/EXm1Bi&,FզQ֎Oq_<f(yǜGA[0Gcr2c7 6S3x,뾁{:5"ͪ>]rfKίON씘Dn;hwEMc*JŢ#N`8g8r4+ v ;Y?xZxs 1f4ӲEHi&g{qΆ*KߗN)kVh/0t=>|UXeˇ2{7 sQ|f-M ע| Fz->^6FXxYZl#cQ(̤Q]3swr+Gu[ NǏ,W C2a՛l4Ώ#.T吺2>4 2teb?:C.@9SY펯YM*/ >U0^J t`x 9Ö||D!Kyjl`z;j<{>'RPRW>R)Wc$Bāʱ! uh*12FA8O8wxY9g@^J+RXE:phNIh+ M*ܕ,F^vp3SK;x]3_p*L-"/sWՐf$x=| R^=Jz-OE|:o"ҳ t .5X:ZHRTTC*Z5;,4b }z%~?=yu՚?W pkX2_1m'-P*׳,^^4nICJӓoǜ >vnO۝7@>k1NLWn?}! da輙6Q+wp(t trNg="bߑo #23+iI˄o?m]DY5?;k=K%y[Z+%YT}[.Q)q?\Rin8f JK7po O?;=|V\pڪ/6>11gA"*qdE2#IMx^;S{hxR$A)G,=Z;OZfJS<aDR꼀;I@?iNE[[mERh>X#Ż;w^+Ԁ*OK81(R#?pg8ѺgPˆ ྴg[b]L-^&-;4{F &'zW˼L ]~/L[MLc W̎ʿږKql2V?}m{(Mq,{Y]t}ߍ?=0q>IbDEqoXZUzeKVpJCsF6A%5E!nkCb Uw.v\+/J֘@OQrn+\9A +pFl9^=RfoH5B|b޺5fgp ٿkH.'"tezx©׃[,^ÃLpSa$Rӱ*c-KZBݤx6ݴXj]i&pWzGmnfO pkm"jn A7$)}(hӗx6}z퇼$~~ӔAfӞ-$$yƧQj8]lgK"$vlYh v^]-w=.=Pq#9>ptl(h0l ]<1mU4=2`pSN{vQEQ.D(^BG*MVU$j3KtDRl9G'OD k+}ZV285RsT]p5񼣁[]|D zqx<jBNpLJ B| ςNO(Q!ܖP5_] ƸݍbJsA/^&Z&U%r݉@ b$E%Si*䧤:h¤Ťgz2wX{BE}ڱ/xB.%jKbLwA m˻܅/#ˣ@$;Sz/ܥ?7n#H3KxZGzpC 7n'<ѾN؊y(RIU\.!X&] ;bŬHL mZG5Fy`߬5."$wpd5RFR X4''z푘y;І%|Xq`)%u9]&45AKX"O4s/\VRCEǖf!T|pwc=s89Ne8G1;k.GJ?LNqY;ԥOJ28JW/wThD]H1*\J4]'Il10ٚS\%IA)c<J;D;Pc!TwrF,NmgšD'<a\@L=nzRb{Ɲ ذ%4Ufbrדr :Z"iɻ 'RP {zM  S~r^m]˄RM+]#í[N6N!v;L t}B1kJ{ Q#m>;@8p-ny KLʎ "4ּ&Ѭ<Ot9Kߓ*$tn7!Ǖ:g SPZuq u|H.`nw~:ٟhk֩5.[YfRZo؂*zsyݸ(ZF/ M'%O< \R Kcuo3[f i2nH 口@m3&bx^GΙTD3iT-YG2BIhf)]єez~3xDvoZI0u'өӈ7 3NoM$8MՆ6͟.> Ҝ}j:ųg*u:"P-NiV_#Ѯ$ąN"!5"ֲVsmbkNd.KOn.^۰\p2N= J< E-]6tU*%;TljNbtæ4$~\l2T[J'Ccc]S#+zdZ3Zwr  a^;Z k xۭd߼G\-n>jlXJgNU5 6-A;E47T&eOrW)(}Zp,eV۬*(5xJEBb2 ;#3%˶أ6Qu2ޯ'$NAV`;(_̤s-^Ro6˂( QBv|Y0=lFCH3άb05%kj;ήN.W?">4U+hnvL}Ch=x}44)IsF6mlc6q)Q7f9I1n9jqXb iko72]nFS[5?};}lc{6^_b{o鷋.C~WWWn?z6~όmlӟ|ߞs8օY-aBhS\ԗΤQǶ8C*$/񼋀\=(~z35{%W%<v|P](w:5a_5@3뺢oTC.4  @O*6Fcp:J/!2z:;]Cj:G}Civط1 gr't+Om3ejRPJcb{+vt6)TRT~&G vvNg|TjUA9~؈o;uuE:ipfN0R4\6j dzv \?''f͈9wÕMqt6D,5nF5PtuT{ ~Sݼ4k7]n/ꅉH2]IPPC=hû_i5MQ\ &v:'&Nb=:>f^aU;28UAjYΥ,xgl!IAA ɤtIhe+wmyNnb p!c7ë`%RcN徳ŊΦ.gT-6W/ߐ%yKtԨf W} $-ouAE8zǕ]qpo5W-2GnsF\ %e3?mvUE:LTU;d`(e3]Lmͦ)ra1:1C)#u i,? qL"msGcl욙/a6N+ZuྃUEf@{ʣaA]Y Uγ|p(od(+[&[~P-q0{W/Z[TK/O?[ZX?vrfε2)G) [e ))Ӣ_?YANgÆէ\UV*l0L4Pk'l 02޺w[&`8`({Эt 9A"rM@^cȵo7;ۦ[LV %ig ^6UlCY۩ CLWIYg][\;+BAXk?GMvU[O{a")E$fhVL%IBE{{p ՜| ᭽1k\BLq62Xdukv6>,Ƕ dwRI|ۻW7BZ\z99=?|sc0X/_6 T8jY"R d#ۢ,2 l͸Ϯ{wwSf1] ܍rl0AF +łP8R,LnO5' U/WSr !"ZuP݊LU$Lryœ[ݼ&2UY5 0)R0fG+H ' X3")Yg p"Uha:,EQpXIQ);okYvJ@,tU۵Z&ϠX!.<ײ8"y5p,ju)'VV3.5 ӐKRzR՝򢁽zjfޟe':.92T&&sC"ߗv!h?YU/89+w*>4ohHIF-CR&Y>L*jaܕGgpV1NSo:>%0^Ćg&mYhw!pbL(4y4HrN2BQ=\Đh)re.b$0:PF3v-*r9֣]V{O{c_0026uznOl[U*H:I~&^dv& :RrZ Cb#Q+w8 d_a8FĂ(ȨQIU'e?LJeq&s;[slNҩ>q˧N؀]B ;ik O+^a}3 kW>DYt#pr$Uޘt~jìiO *)"}kh qG;P<:^7OI{]ޕ❐Żo)>}^STõa*< EM2F8uƀܕUZI`w_ qA s zG=FhC6[G "S0 U_)N!#4TǗoW"p6[~RNF+6۲X˹푹IRRDr* OA': s:gUP h fDB2FV@P/jm_LD/]GEKl@6·m;]("߃#u~1wI`KhW]1Tl Ks`/ ewny)s`*V[f.L#3YߛJqQ\x$eJ եO:ãA0NKUwJKkDY8sޏ΁uq1]w[g8u]4y3STVݷ|2/<!]Y~qPQ}»&AM݄KSxdTٱp}B3Ȫ3%+)l`&&pORJankm;'-)&7案PL uQبߏ/nҦʚ]:^'-{ompϛ=?e.`nmB[lZ[3wKBQRY 3"^F} HP24:5b:ω${$h-L=S=!DSd=EEMRRpOdNɆBzjzw"Qps eqgWYnKdL{}P,av!He3h]U -XrW ʕ"R/F@0yY#V\ YR vB,e%&0a!B5@݂\h';M;7p )=|Z_Ъ1;?~{W !*4ϑ,<=.VrjP'!uu!g|cݓPZ kcDdrnuco@} 뗯9_BEgmm=@{JVcwEۻtǘ{& Iª=F#.Dt0Q%ÙgpPnqFN(rϐ Wޟ o__2Z{.uR7N`Q_ -38q3…c9 xnk") h(9~]fQʚܢ>,L'eL ՚i:MY4x:-'W[}u!.?eQ_[Yr6pR LDDȀ"Br)OЏ<ܙP̾8O;I8O}cU7|ǭӏNi&'I a2 S\ ﾿=eg]\<y_bAUw6!5Q}0nģ7<Z[M)r?N)xM+$%.I :KT't%VjO_1uk⳸UXVn2 Ew$j<aNtgq~6JaHP1pG_9'/?opwwW*%r/t7p W)LY2Yw̝‚j$ZO@ֶ$OhM L}ӦBsdR83W?9o ܳvێΡP[ m*|;{`ˍ})sΗV4p\T_{誌7Fl.SೲJqn5iZ籄"لs:u1p  ?pOXGmOZ4r.s(iaÌi ]Nބ#Ck@er3w8pԙ cBUJF_*SY?BKVȝD _<k:e[ ?r{8>ܒ}bR E&5p{|{<~Zkϊ=`&4@`i/0s'G5[sa0 F~<-ӌڌewʹ?nT1.4}n+ HGCHS/O_8G9ڡϽ(]ֿo?Vb}Pw-Rvg9)7@TBzB}6Fm9@cշܳЂIXrdUFѩqu`A錖E6X~h>Pb4ƃ$IpKY}5(2\V_VעT^<c5$]b՗#wS]{9R ܙqNj`ߥOBi /j9nZvZ&/x%G_֕A;W⢜_]wx`{~T'O K W9 Y*hB*/&҃--jR[4e- YIy)uen5xWk_ gFfmZ>&Nmھρr`+.Z"#V%S7-m;f Plc\/# 2E,y#]M?{<Jэ&L5$FKcwj{Dw{VQSl<l.$؎ uQ^_.}Y Dd%{Rb</fR1ٴTJЯlDpX-7pVx) L CgYiG^舄~"C+y?>oI:9gpYK+sH? JkR, q^Qz?w)\mCd^Rg\j}&kMkWʻp+0k|n[P-"k9ߠ>{܋7)DSQf*O4-d(RygN D+[rLkGe}̔EX5ޜ7zuWu'߂{P b "7 e  +C9yU&sA--Ӕ)w_ʮmGTsdc;<ӎ CaPҁ0Sx[8+ɗsivHmF? Zj7H=G=piEwBuǼw3ZrpˠzD*3`'O!w.3tb57FPd2/w<wi\΁;r&l{tg,k{pn1N4|G.u{6R;9lhyLzRc9tOIG2@R<г[YrǍ0( Oz`[ tq/r @] 5@.M齄*K!IJxNn0葽wRN3#&R$&5 ~@SXO x_N}@3ԣ:Vj8Γ4 .'ӈ5tp t0HY-c6$!tA.1[#>hC$@IÁ%&u0ȃn#87ѾWe1Q$&i"EL3ٶ"HI9̼71h1#ro^im7)r2{V5d0]X{J+'cpw!9>8.n宙WdΜDG&*o])O&)i9Y ({k}k TD f{9,vQxbF)oD%Z?aDT1dC>ܱGo#%q0?#r]ȝ |&Wd0TGܟ;0I5}vr,?k䲪bu l;#-ܤ#pcƤ4Zľ:8xڶdNwj0MFTuh0jv60_{sY8pwJ9LP؝ZTU%a 1 CL G6y. &)*n:ΝTdفjݶ]MFaX`z9wMȹ #pgp"E<Lɪ嶕Hsp1ud \vQWLPTub!<!p% J=׼12&`w-4]↦ Rs7UM?+u9lv N`(!Ɛ]ޣ  dFDYW lI. QS(@G ;hb|LRtn>DTP}yPDp2($w/WZȁej&SZ15np#WQ#`;pMTdg%{0R8/(9.=TcJھM#cB['HiFesrMo d9ƠT#Dx'3maQ sJbLդC6`5fMHѢGDS!,wlk]l+g] 0l=ܠuN]LQ~):\s{:;I^W/_ݜ]z6x>c;fr<ǦVբmځxӮϻ)kaxdW<bF㛛^SIWb$f߯oOSky ёUJ+tk] 6sbQv 8wF&i6qv}aZl"~=ݭ7gLS|ϬڶL<ڪſ 2ko[M ˾_A!e)AfD`[?7]g"a@k #-y}Ykk (k.~e-@Э+wse_`ho;`Oh׵R3vfKJ]10zˋ3غED1]a9x e9x6zU1 X' ʬ?H{R/V~ԫKh(Љ9Mjd;,rh4MrItoIHq l 6X<~1YAB@-|F$e0D/…+vL<czYR$e>/]r@`LTNr:b*EveW",궋hDJ=+ɛW,\PW?3}/8QƎ˧ ;IW}#n0'3L)|ɈoܱR=AR$1]ȡ~796W'z=(Q˧_hqmi7S>Wwue>>8dSp&'G~'>/,\n6tھN\ۼ?n4oڃ"z~9Ya?>p%j8`g+JV .)YX(>ĸ{_(}X[㦲\ 쏕_.9tg{lAx޵o"t‰p;[<V<]Y) *v%ߝK>{Y͈Kf:$vw_pwV߀t~n͐( ~0V]<и>W?ia\%wb U<By<u*KD;"tyDd˒MF!Rv~DB b_,݊|з%hXSI @'Zӹ.)xBlPWsZUYGMbMϟh8[R5Hl q5g\X8| \p y[lC? O!-5ym}ow1?WDQ/,Vo~~pOxp}O?=w{˧SIG8'`TyHd<jaaœcS|ǀ_Ho^<xΚTbܯplxKT3"*sk=+Y#J<Miqۢs'_7ޥ헽b\{י D!!FjE(* @QAB*|78;]+.!c'~<3"#Z8aϟ7眛mƣjU)Ul.!2[걐owoGU Z%q:}ZC{ K֟&^1>1)A٫g]yW< myrY'уU1eZ>g"SgW& ?$8 s-_q=nN7'pb=G?vmL`ġh ޤ:Lzf5 Ge0D>1lÖx-f=2\hc lgĀEw8sMltbr/u-(p !K5-fz]N y"y6jL\LbR`a9蕽<0{0jv: Բ0;c[͖<״-_dCoz Q=|ɶ6UdqxK&aboNQ66q&ۚ7ӄ77ڳ.,,vvT!+Wjdd=ЪsMfU]_I:ںG#IG$ރrfQe g#NfE=?bt6t8SԪz\=rGf{J.B'7Gy ˂EuHܡ.a\1H:mْ_-6c Ewڡ7+|/6w8DI.TaPT<:lm,eG{W1;tُᄫp7њЎE*8]M{$d$#{!w j=/ pO{h6bz=?e([; AfcғKOIoIW)]8WfB"71]8jnZ1FuzߏO4wkZZ$WowimpŮkeڤ^PR,ebOpw^f ca!5k]=SWVچ3,ZS5}4$u=f`GVi K7GV>  51U0R޷OC;=hȅNd7EIFY&9e,a5y^DBc?%}g(|Krjz|2T~]LswtLr&D5SA]?}upɞ-m2XGţM njm3 >% t>Қ`>8c5^u4]},8b 3ڥt][݂^y;sϗ|NG_42* ; ;(,zmy:bAU&wus wddՙ;fL7C5>-! ,GEsm>|\EW!XD{](㺆f|)wY V#[b!v^b]:}>T~`(|{Q8kΩ5V/~߲HkRLs P~Ê\|_U"> )g w"E7mg^:]=iap!ђ18 TÌ^i\(򄧀;>-5>Cӻu[>hqȧ1T;Ņdt&CͲ^?njL2y pWݚaʇMt߉ZIǐݾZTh_Ngج=]鸡r+d/RfADkaAj(tuw#/6X*{;]NuhkJjN]|3|I6}9{&_cll6뙎Kz10SZ $-ʛb3<aLp} NX >Œ;cXc?Jgn^㕘9<r~LE`4 H[Rx#ת?T$-FG%uv/*Q&yC͝3VSMn~_1`w9$3LjzEGbsyӦf V8GOϡ5CDAJ߳Xy[۫8 qϷڧ階5%,Փ #cɚx8?ܾöI+ٺy ̒YV" gϞ8,4T Yfc)h#ZypGб/o#]i-(jKaT<1 [I% %i݄Wr֊2&ns;L!iI40إ,%ZbSR>}2D<!8 EiQXr2'ANw'W;Ԣ=4ΉUʓrtMǚ{ - \+̳m)4i1ށcsZ-:EilQK?4nc8nfkp3VTDm)]Lݯ` q/kD j 4"+t?׻/01.lI#{3^=2ekenu0iRtkV=@R̗ _/w ==Sk"bp*rZd_ L55fs!Jkgk:gJĎl~T% `~waψO2gx ,Pl2# pOȚw3]9wpS+Lʷpq퇖{VgSz7\wAdcZL aubs!W2L xwy13g&tNEmeØ;W;5]7;!u@6sý>L>TΨcwpMnK^4,5r {e<Α$`5bp3Ւfn#S0DK??.;smGðELkN"ni&4hw/cHvfT)|H~$߷˪xăvpwxؐn&O79oɵ ,<-م)މrsҍCmaqwKyi> )Aw 2zP o0lMqNݴܝ1f6%L: `>&1843ϻu3m.O2|ϯ+7,sVQz]<-e+E[/% wZ!.#OVߟߟ[O;CnT,/YL,퇻U3/J!#4p?ȫ=}JJCsW53(ͱ5Sp˿w&'`4>Mզ8[}V1/wNGe#Afk.lvKS:Nw[f^'t0I"<_&MXCoGkч֍ۈvW =~ (+@mkEZioǔ?f$%!.[$,mM׿*iQ =n%=pBq67[~yvzzpD]5lr#UF!l!lyl;p;B<:`_{}HqMNbLa>OGLX:UC'C!S*vྣmh+n\&QkԼo4rm&7%Bwx0<Dfߩ,+:g^kn#6MW* FƼ_nvHJC|w)_z2U "!F)z:Q<32 ^`> R|M?WIQ',q@!jGe.})S&".ðxJ⯇?ܟ#9w>2[lirHOgקm<-w[HQ*y/G߯V'erƌܝ*STG0cyvڐ{,`;xXg3kྔp'W 3 AbUcM ⠁$&>$C7WGj{zA ٻ+$ΥVnB~BmQrV?@/T9bɜ C B- V2T$ig\KԚ?D?/23LJV`{&.=OO1QMۄ 4#('wX/0l!*M]2wF4O 'TCgec<Mk5>ȧnXm:5>|Kz&$?^]#OeG9|g)^:794^33;t3{?ѣFLh2,,[?{=vzᮦ1Cgy>pOy!'4 !I w&!upUʬ}Wp@:][鴢m"n^ vZ-k-OqBJ-{;%m;ϡ"|)D* s?nh+0TD+ /8MY毺>SOHݚ8W2jr;>s#Rr΂R~x6OCGp#CS{?:4R3#N$Teu\5[~ȣ[Fn oim[3!5nf;YV.e\4ٝJ __KFh<o9ҩwm-늈;4}sn5݊?ýD|Зs+ |PMk]ԉ=JRo&tZn,rW׃ă{ԟhHu?{6]Z#mt=Kˈ,HLF3?v-H⠧ًؓM.¡[:4!.5|SՀ_Rr- ܵDwտN) NkyHXϠ|˫3Rv0*9k5U V]w)Pb_qpϡWF|m"jܡSWo2Y3 wJfj'TcyFƟٖ? [p"N*{}Qk³5P3o=kLwfʱLmD὞t+>UR'Tmŗ*kF. kDŽ ՇaG-{Op*1pסOayYѼ2\0RpYhM%tV|7~t۲MpEɉwQ$wQn^曃1 GZAZl.B/kW0%'~k ]`^pClMAva"GCJ>{`MJq* 2zV"iaaq`ߋxpHLϤ!ӁN mZg+0A,9LO/UaBX^ 㢕LmgoUg~81-`2gp}z>[qloez/Ȟ׎wRcR/ _ }q~ysxO ^ w=҄CեB$UaXPs/}w{6/Lp頦sevpR.A!ܓ5XkK&, {r;p"˴̿|\U٩Sdgjưhz|{4p_b-(y+ǃ 92c>=6~_E]yZpop(#k<@mD6(ffp5NJ8h F7=Jz4N&I|DAlm94 ol C: DA֘n 9rNCg8]?!*CʦRYuxvDI -)19`/uom~Ƞ{ 5ETJ4N_x$XzV w(ڟKtkyÄP[ .J{EW0al2O"u.>-ξd[¸nϟ?qe%XHa$D۷g񏋋1+Eu=Fu|"On%<޲{hZfߴJ]*޴ t>Daέd icO&%ZE9!9VZi+o?t]6cGZ^0!}8GaSﱣ ?쏫OMк;`Os@@pJ<z|JVA 8¯?_tՂ(܈ + H2pBEImhn1x煬~gs̻+"﯎ ))C&?%֐dI˵׳cA._ukv@\ օf<Јq5Fju儢0. }It5a}J*] Ԏ]ۃұ8Pnʛs30T}Hsvf"8y.Y4Bdĕ.tw{g6KIeaqPA(!̃dޭ45Zx!\-vhUFA:tAhs*2;)AI5ܭQӮaܪso|7 086*=g0mm[>ϔxGyo.;냰PTʭ}v^_}*B ;VNj%ސ}<CɖaQd08˥omut#e= G25z>/q_~$lZn.gžBz 9{2Q !ٿ}ǻ_\+\̩~ pJoG - @}*@zUCUB@u?O)wf;uˀlcxԇyRY-Ÿ wz300A A%](TT7Β]`EfjXш<RkQD<$%-2t<_(תYR،.S; Нb]3oX7I %#-2L*LdH 6rj8&_AX;]gy" ҙ -w& YZbqP-]ѐ4݅܇g9D^ wOmm]*r\vZ&q$; \:aoqC>-h$4ב:2]w8nvZ!&+A{oW9n_|eߣ{H'T{լQi2y­Ӿmz: w0"CL`f4pbhCL|HFijwqsCJh߄\bWAUnKPut ƻ^n HIm7 A_oR#XCS}p_ B}l\lz/Tz晜25-*(I l[Ӟ,pO;h+uH+|IX璩ѬeO]TrjNeGu'pt+鞞V=Uf \ -V9ԝ r6'> 3iI\a%:1?fR (яs`- >&9^LPT3<F[0jLpbw*[CJ")Pe"sCnw?IҼjS!>.Pb-a1ȗ7\mRs%ZHRiS|Om tr>XI kQ,wXB/<2> 2xi-X;,*G`5Fp <?F)*0\p,,k+~eaPm<s1w0i_r rSqsPܷ ,,JR8Jśg‪qo_"v)'~JW[nU-ha[:E/}#FaK# uƹ olaFT1]ȲL-hԢODg TGzufOE!BsR,OðMOagؾݨ8j #s-] Zr>x5͈G@);qAOS!q Iŀ~p w(p-ٱᎩF KeBԧw8j;ՅgiCv[b"ݟ7<{\Q +CSZ,fZ9uGCqecjE}6{ޅS?YFemk{;^7;{7!·>\1`',yva|< A׵eQ \:LY{W.;<sXh3ܓ+٩]QNisleŸ; 5b =- 0p'{tU^]'ik&{MK;rP0gTu.8y[Ȝ8CB ̌w{@.==c;lLT%=<18DcþcI Sg:/d5y9>H5{3Mb˽p˽z !yn vV: v'!s݇t(nth;]|Tx~nj=@=齔߱HJ;V\<Nqp&Ԗ)KEwro}Τ|Mjnyss0row͟k8-Awr E}:#e}2!T>ѻGT݀؃ k˽|9l#;n/*|Op*WߺXvrwQg;{kp+TF0[g[nU@0i[XNZ"+<<DS[˝<IMវw[+0A]D[ԞgB;N)'j˽ϙ+=V)BkJ>dsdC{NL\S dz$*ϟ[#'y~kCf䷔/%CI5p`pq:==.=NF!1nֻ7;prێַ;[]Y#mk >wjvrevi jkx!tַp5=gun=<{Fn w}cXS1~7)Ay'7)rs+hǤ aABѥNX lQRs'`DfUp.gpo|܉j-c4+: QNOCi+* EEJHloq=3vb'7]] ~=zq?ˁ:HH_Ӫ4í-wM֨<I =x?mw+G"cr-?5! yJQ0BiMp:wxY $QIKz玜ŝalȺ gre([ sM@=Ug^0_Z쬒:ݺ@ٹ g;P c_]TpI/iVNLpe[f犹/ƃF]z`.ȝg4jgӈ  TgbZ`xlAf߹ tLhd.Y"ulP!Fj7swĠP[|{VrVE0w"-So\Bp7mWvc]Svmq`*as`d۹; P1Vped9Ep/c0%wE"!ѿlě(?Km =7dbFw9e@$sSб3ht9AG ȱeG=֜ QFFTV1zZ* Dj6я+%" 6AC`YH1VAb cb6*3Qp$'&vcҲbv<TgLPQx B±z+KUiwd7N:VBs疁"7#$R) `"Xkz~y-O"!~Ǿ{IDޅNQǸӻx^YOJb2M2\[s|x ֒'6:5݀q6s+rY tv"+ł$"hO ۙ(pHAWeL~*$֋e0ֽ*rBg3Б16N{n0`lK[[+rਙ}[w?Bvt/IUi9A@ ""b{wޞ!ٖ˴lح降zxGXVCy+}5zTs&"]/2; `^q&[T;FߵDp 8=kpo y}Cfe)6#.Eqކ*%7b!DSI\ejG;aǼN'=D49ł(*ű˓ꀗǜPKV2tOї s2'2mD{U>ϝ(A94&//鋠T]i0)}yWg#<T`fI<S[|shhq?_eʋπ#K:7 VF &Jbf+ -K Ay9ܞK6habeRONN'de@/lΩg Tw%C*EG.0h=+Tg:2Ӻw!&VE6GwSr3C3e"ˍVgslLԨEOUEXŻMS#vWsFS]vc{yfJ33Juc!1$%o:xݿ/?iJ+1 k=N}uFp@ թ ̱ԧ[wb 2jdK0h2 ++'eti*\NVֱ ([d|v;w_j}\Y0{2oFMPem[e " 㬕( -lz7hyo!8"Vr|(*UtB-^IL3yZuj8tV#y.6e2n'8bO6xd0 ܯpQmI˹'㛱e$t#xҖ%t_B}>c.>' VeT<)>>k;'ajܑ;+"̱$2SvQXhqG ǒƧT3v9GHC}y}:MC3Zy#bMbeN1ovYZ>]S/;v3~<{[}IC8 "[S_W绾9!W44Y׏gc!Cmܺpk7{1%)eRo<D.]VKwv< ڀM Ði{Ŀ~;̀k SQzJj'po'?/6r}=\>u-gBF$&LCxJDحS=Ӽ3v{&Gnm'Ag壬KʎhoP[oUx:w\8A56"hŽ#Uk&J!+M+Rߨ##aOGmJ HM~( ULHʅT6Cw A6V]z1tNL aNrV{ջf˹IHr~].'6Jm|y;>uH'3-*8E꠰d> )b( ۵}Bvÿ%Ldald~a^%lS{K~nF֭ڧ /́w7MLbtMlWD3;;oU_A&r;-ǟ=~W6|$~XA_V{:sY6}Oy)W0Q{i: BnZg%Hk}nkq}ݐj5pbTo{nb `K9r ܃Z&C@b [)?ѷd{UEn"Uˣ|kwi.fs͞<>m:Yk;?ѻ^sL3 ^Wo(BEMA%X9uthλ &&p>F/bmT[gdx܍&w:P)Nz HU6ISxBP|14=+Fj^/u3 ΝHzaq-RA]i[Y["{wl4̽W7Ip0緛cw{ [pyrO]Ya84{ƺL+ \pO;ݖř w&:VQQpex.>]s?7mg9m oOfa4_&VC `TsPԇm/ѱ5 /G_'X࣍n_I(W[9XEoA1\_.'xn4; \ A8oY?:ˠ[ҡ<wDnRn}h/ܛ*%,2~xOl&Obřrp'9+tBeckCz[FPஷeym}Um]pWm[q<Р.IOa s,Kjp][D7I4#'?l֝- mv~fT&Yŵ#y5 {.k 4&vetl.NfVlH©*#ۖ\)tB =m]01}ӕgHt8,Mw)(++.PNp};'+\ipe۷eLrB̥C}ss&zվIvT{p31]yk:N%ĨJMxʛ{4/W+Ů~dήLC=K]?o%ҏ×QSLT˟w>)Ģ7?aQbNO~19Bg[Ukg竛ӟ[C虐Q*N7L$uAGs䯟nVW/Ry<2oWOJDj\z'T''289} \/d}eG$g;E"_ U_rsZ"./w8riߋ_#k|R޾ }RWLWmB)O~.SICY׼ ˯G{Zs=|Phͦ ,w#K]{*4;<M9yLwfSŮ& >.$+gExFޣ#%ns>bI'P5Ӊ F%y=Oi2uVr4KˋAQQm.ʜ.66K%P<mљmQo|'7UpFΘt47(6^7{#F2eF.uKzR*91LEۓ#!OFY>Qq a,_+j3ZܕPa%l)]k!VRZ)` m<AV76ΘQL=s:ѷiRj:Ֆ՜m~iN',F],O7YH*@?58[ӻԥ.Kˡ>Qg.uK]K]Rԁ{ԥ.u.u鿓lP+*گ>Y)By9`ц쌵)" P"foڼ0dBy+ʂh= j%P; WÉءs%z=XrB srF[=MR ca;N[ռh* :p U.ӃE\[ugae3D(w<-A+ƴK;6ަ1IEqԆ -ӬlM7MD< q90xӮ:j_$iP$B0qI H踪e(r8T~r^?qlL=|svj1˜z)Bո@ǥ1J7ڲXNDĢQ2 %ܙ *g)4qX境1ahDž0af6!*Cw,q)`I֙HQ VƎ /%4!EL&:v,;ba+dd;GQ,p ڞ2:+ SC;-wX}]S8Fe`p҃B1繓LsX4M+##УPD0^&'U \CY2V|u 8ph0⽳`a8 АEinr4-C* ^7BhıOfh7ۘد' iѫq5P,4huR޴oR8C:7gQlԏ0UKGQ 3T.kvT%bz!@nꩀgqW0J#ܦ4lG= y_\4o>(IkeD"#znd(vvۮM0+Fxכ9]ǘS*Id-KpQa&83<lNPZZNwN=,sK"A**zUB=]Hɩ{eM`qa-9lw,Ў͋*fP[ӺY얙} :pvcꢘk[@ ,K cжWT{: k ^S'i$d15OֵFb+-o HfU۵&a]zu3w,w ;tj\V/t3<kOD>sGdW7~k`@ui(X F[p!b&f!<\<8lfzUUŚ,&4I!>_4pi(B=8ԄIti!R#Ơ,ǭ̉9%S"=^ BX-܉D@h^#4>jX=Bt+k*@M0NP@LGFTm ]Z}kD!$UfD\k]D(+@M˫ qj4^AdbARrVcw q@ƣ|SaB̲ &zpȑH`aش}ێyɬ9=(lB+ّ%5!@,7*>x .ڲz<3%P0H;N wYw(O}/[n*])11i ouinzȱBVe au̝ugͣp{\׉㍶/_^q&3?M4miDzdy4ï-c!mt\4΢Dz}A>ɨzv<X }rdL(I~ '&@? j8=!Lth|?G.ԭC.c&~}9Y^Jm"3XB1(kHcޖ`0\qF#KgYH.zBj~BA_P{T`Ѵټ+E_ 셞Ȗ6羐O~/}hE]6r .㜊h~=7fZ%eUy~y0Ę\{Z;ƈc*eYa;/:k' ,>{ oYc`QξMpV̚;h4#T>y$UUНYSb<ǻ$NW @*F}Apcn y\iccBg\=UhN>uzF|Iړ ʴ%H0huz3tں=۞\מ_&I"z_͛0d9 Kˎc##G ^ZVΉ h^xz>2yE/1A%A{oHWяG>(' <>kfd? .^2Й: Oz`ٳgWN㤒:]f_infS Cs4RLyӟCL֋]Ӡ DK ܳ;Kq_ҠܪXɼJ9D&-|˲ SIhfŌ/)g}:ВP}8򤴕~']" %\UAys?>=\Zi:XJ_q a빬ˠjs5`_-] >[Rs:U njh'A!XrR0˓#s|V0W]%evnE UGr4}:̅HoD/ԭwzsv<dֻD$Qudx268#=qbuҠ-U 󀉊r1:䊒0陆/3XOvTk'}*Fgv5+@+RapWSzAkd DfIaJ;) VE6 0(mL* p#!,gpvO]|pAc>v ?i^ (I& 6]G?&9jnhEo܁S2Eiv!`݅ )aT'^Z!]r Ww$/{miy>1 lRzWϦl$+1hfL(swAh'_.)TaЋxVQWᨶఱolɗO~*B-+67vH5d~&Q 21mR`Kpn%wpi+f9Y"6Mˈvnj7[5S;7 L[HqkyeSgEcEw{<7/IX{AUcaU"Weພ\<5wq߻&ɒVDz;BHEȍu1'|fكt_H/iGAyQ(OhGpvtuT1gbw!NI&lgVսm@f }Du&աI_KpWwpJC`-:5܍#0#ncj)7d(ȑg)D#a yw) D!A ;V QGm)','M 򩨿ziX74GɵQت]3xQVY¤EloRʲ͑ .]N*V:#n箵wp'H!!M(קh!i384PQţ˳oXQg{%#y!^ӖgPTaj%2j9><ڬ;ĩ1VQb%m5@*+Xi45e[Q_bأ /;=·ζ՗dP GAS҇Tz LJ?aRA!%%ZNvmokۯ$)e.B u,}(5E=G^Yf8/'ƟZh,tllDÖyLuffA;/H=qRG;Kݫ*؉uz]M?wwyR+(,\^1+0nPI{o$η-ɟ+leʻGpsAR ~N2`'"+jM޺\y\)VNU%N괦 c`x`H T`pS YʁRLx S`i{,U> 2_@ U} ~jS"aGg}9.. b;s׈h鑨Pq ~j-P~;&qI&Oׅ.˶qm&3>Wr$w-a- f0A,t=$ǦbOAaEu&0wjS\BZL_ x Gw\o|ȇ, 4cgfp e<ց爀vz^tMS* JN3?݆)av{(Uh5p WYSݺ\ L*\ew%eK}pͽб,3s7 K,olg+ᦹ, p׺(ic|y09O^pVljY<<KW ŗ멥3ހ{}m@/2/A΃r<MuTP2@\1>34':%\VQN {Bu8e.k3i|Hy%C3HlqD2eO˒p υ竹dS;Sp+OƯ^oXo|gmc^޼{ExpCn+T _GweK|>WvMusY@u(Dؼ]џhXlhŖz1ػ-IYZb-A՗oyIP@9_L(!bh :gqs&g+5~o]UK)y* uہ;SHu̓x](FnJvu׷/ QZvKwTGo;ʕ l7$Ϭij3- {fT' OpZp ،LjNj&ݧ"}Lw@;]x& jyŽ[6PI>PgYPd!hd^&kݴ,qmu?cΪdg7kQI}Iy73##ZP׬\2NonZΎiYtpi1!2֤= =LA2+LZ蛅CfVS. S"guW`v)/lNKOeF@fWٹZ-30ܻ+KM=(dt@*tfmv"m8cVoܘ 3EԾ+h{J1+.(w!TY[&ON$e1bɊSVB]Os1ܳݴ}I2^]җFa{Ĵj?l˳?Iڦ@A'oarDb Hʚ6^S,24r'A@ܘOc˪H(٣Yn3ĎX#z'"I-XVR@1* FAB9u,Y!:ΰiP-^fǬKFLm6aGޘ Tsfiv"[+e|4[vr&$G;woa;f Dglm L);Jsڨ( ys]OTǰB7^SQV6.Y+ƃЂ; u;v2Jn&2T,(!YE5N{piܹ Yx(XHywФe^<wqG~ufFx58Xk=k]Z%f NE*3EoIKP# Cf}r nʘ%%jQTMbp]q9~>c.ݒŨ(etbNFiBM)EL} ;!n<JИ7{gm"cԺzlW⮱6?M QףYԆ@[s(KYF )(p l@D Z  IiY@,Gb 38 B4Er`=_l,@P̔1 8w-stC^@8}6;Qȑ\?rM¢wGTG*Q{'~Uo_y ӯY <%Հ N ;q 펉k`r1XC޴>l)h䜷 ?$r8ivʙEB7MP<J:0w)6h`R@5n ?0o|@=tQZINUQsfvG$1sf昄 jR.X೟0Y,. E0(ʮ4.ܩ%-uHJFb0p6Wb%)5SMrm&ο[&pnYd&RnzJOFޕ¤/@UR2|wM[oT3 Xa-(>ťE]<TB xʰUh477P`LZK4&ʌ(2~0F֗b:őL4ߌ2*nُ}jXP_U 8JeP@Oh0'l^U2 Iݛ|S{Wm r:tS&$ˣeި9rۍn+t P>=XuAP=үT1Dl b=Q iWK^BZ`=)o7۾~x9W*6~{ަ7P7:3#ڮĺjfݏE*3D3ut'AW N(#]8c&Q:޴QU"N/\|gd(-@h-cqOyX+])F9\r`$zʚ^ċTX" Hrѩ" Q[;}zzͪ+P<Mfc bͣedA{.H\N LRW'z(;\K-o?pJz7]Ζ7)di]-sZ"E04HcߨB,>Y_=ohjViy@s<h[j'; YJkP갞v6賜k]6 /#]Q=oظ#>v=3\%C~%yyt m>6_LMRGjxkN۔&#V[!mqDއ㵳Džé!Jq'ryhQM/}xDH ;zrQЉGeڃ{Hh/Tq:543ix<290ˤؚB A[^7St~~'*)ݬFʤ?˟mn)ԦLS9p(jo2xT҂y0^ \J zNڟ'Hڼ#2(1*GJŀR aQh qA M& !nN毟0 (4).G9񣏱#{xv?IT< |)`ab#b!{V*/hIo|]u2G?6~;s2~v]jWծv]jWծv]jWծv]jWծv]jWվM /;z. >Pq9fZT:`"?]Apͩ7ו"wٵsW>sڃ}Em2#=ۻU_-_wp=ñp?N/St߳1a;S:9ϏM?NSc(f̣Y:Ϝi))柦Js<xX(֥#x8l Ae BlS1{p'ʒfwuu$#O5QC7}ho;<V9P=]ItBVDߜ MҪ0Xy?%6㺊7#[5k ~UpF6jW-WI_cu]m7"Q_Tn,(fͱMl{K̔bB)\R=̔'`g i">-R<le[̻|&.+_MXSu^ X}8AkmW¸dv(kv Ą8'!~r@23})кJ<F~y?}q6CҵY$sS?q2@ C=֗#}gKym_@ L}/܌é*w9LӝTkù8\m1Mt Ŧf';p}&ԇA(#+qg&deD}CɯNCN53SR @J<`bJJKzgs]-h{($0T驷Y2p #_^xPyF}iG0щ+[email protected] #~%;o&n4siu {w{mk]4/kZ1V&SzsaRnq("H  ` #3ydp?v)U<4D6I5S2/h`NlRQ dgٿE DWk3`u0 ^OU(1:Z/>V)uYNN+TR_F- G> kiL-PC[/} $ %8RJ\ATx{ɲmly/{gkBfKϭpz%+'2p|ae%<*|9>v ^K=A Tڹ Zf,`3!]x=~yҹ|_챓%eQC^ʘX!vmթ%Ԥuz}~|hYU,6ӿ=nĥf DbA-ZꞎflqU'Ƅƴ$zb,8rXg F|lR!z+l 3qBui5<'dmLzm[u*Qd|$񙫎Ÿʔs-HD mD3(I=P{RonJ-L91]Y6sQĩ79BW%yKH3i&BI\)ǂ_}m|kf)2BqW+*tx?_W=]eM:Xj)*3"$j2o^iC0}, ٗxKûm]  Te}-Ҫ-p`fbTX餧W-LAV-P"AT4<9LU7O.Z 5^6-Pg~maПY'ߓ<7#tHV lgj⒔ӕV7U|Ɲ4sJ# }MFAo.1+Xcxy]LH(Zt+TM*ۘ_;Ʈt?Ez nv0O)' Ѷ<t~|(Uj^ǁ Y]/[︒RxgHf}dJdLi58^^`@Utv`RߘYE#lj~C?PW+:(r%d.$J" һpv|J!US^qr[h/'ы{!5-Ue6df|fsJEr~Q+ϠYԑ" dn[SQ<኏Iink乱,nS u (U܍S t&#k;72ݝH鴂!̙y%Bߩ:\N&ql 2?lb=upܽnv1d9H0>yyU`K~9I"6qwlkYyʰnjRTh,kAJdlڄaP4YfTem VV{O)t)̝9Col@%bo⮳T(]֑uTW珅n6O;lWlJXPV4/uy)v7K妪K'|~bǢj??:ZBa$_iܥ 0"=9`gn%E0AF q?ǧӧV}r(雘ު@\cR%(څ0K`FTs9\R k +Uxlu3H|;3#ͅ]#G1;J?$X{yM+kV$*5Uڿ aqIA$1h`]v ȕ*;ՌvIq IG4Wy?3iڀSHPS, J`UV: Fa U5yA'o+4O aO,耴on\/o'q| cxssיcޒ3qY ɼ`:(S\)<#k2|6[K[?ou#St^ &I@(m.p̆WB—,wBԵ k ~of$(*Fm[yNQ4O>m"B]BkRwAph/8A>.vrl/nq1b5@Mʕfc=w;qlo TԿ1vd4i<%j #e6\'+#@C730@Dܓ 5^;>_oT+mH]trlpAj$+B093#*⎈R 1TɭKxb7/6d{ nG#_R72*v %x 2B6'qoحct)xJb<J ܦ"lᘊ;+-Q^s= SMJ40C9rKo淕Q|w.,v[NGFes蜶'gFn;q,%jzSh>l#KIF(*"J"ue3N Vz663>3sf1c0 (Mgʊc6y}$#xD뇗y[=+bQs5C1<P;g1A,4?L4S&t(:A`]i|Thm䌠mZif\2lDh.3ϐUӆ-9% 3]-Kc{,k< aņhwB9bВ&[D YY<X ߨ&RB!pX>aa%O(pU@5VW4 qF"tJL%EN=G3ȜN]r/MwXuxIKI摷"l>eح(T_(4c>5[#1Y,23%i͡Uc3$A>S+)}BܵbB1dez\y忷{`1X_gLጆs{] /zDl9v@eHd' &KI}`<Ƥ-ZL/ĉ{izSU1Gd6(5=>-;nZl'eQÔl1IRef= V:Sv(FYdJ $d9s_ll=S0M pG|Qƍuxvl‰3Z;,j KU2Hܳ`eG/3P;oYZ-b#PC0gNeiSb 넀ma8ivwN[[Y(Z<S#N_!~N;N_wj'܆ą kW X:853Wy,鄝@]xq5{UiEcG"и 8qk: o^V2aB%Lgn#5Jڂ-Wèf,E,mԔeTn9QX֮ p2lzڂ;x߶KK)θ +X 8,eB.Lb۟}%<>B򷂠m| NT `,^i[/u]S E 4ҞOC4XٗuJ~`qEc=,аa؇%BaJEJa l$3 t(ƙ_.];'uqjK?e1`g#6꽌[I'4U.}[M=aLzH߰"Zsw5T#Ka(0RmcaDW跒Jt}2[G$q"aSIp'UIeuRކB:tn.`+w`8ٷEQ©?;t.'I3 Cbɾ=Nf֥<6,V@FklXw1K̽PwKֽ 7byCX8µ6Dν+S*M:~J9{"㆓c]pP\o]mUJ6N8^cmK m|SwkK׽7 #sߩ3mAPMz=9UP/pfzifYn a/l$-RkЋ G! UrPOfjjQvoi|ݍ-.u!mL9A8 bpg/aYY}*iӪ\'n׻PmBÚRvX"@NZyv,Jz{jwk5`[&) "Od@rx mP0 =!iE9$.oKE*3򴽼B?Oa,ѐ5<=" zmCэ}wgvgc qgO 2Ɉ>rȋQ{w)swDv}ǏG# $ݡ3qQ;NH)Mvc/tWIc?擅## xi7N2Y5:?.CcaO[X>=~[$(VRl܆A>tߵM%tޏQ~$Mw{vzpuo=ұt<ד_%^RfjTiL)qL'=zi YrN5x҄=Y_v.z> t5'Ŕl>7r=Y\W`Λ~lNXs_,7Y; scs5P֥{w#bsڬ~xvBti&ƿ/wi4iuϟ_wP И*,?4 fG,7c3~ A}* srQqyY/^.N7;9$eԛ##^`}27߯p ?f`) {f([!G蚌wSf܍྾ʲJ8w|+J WᲙ[ Q&̆١(:dN{o$hCCrѬ{ [%ڝ^a541ub9n<V˼ GWǡu}-Lب dI ҈Dśw&} TI|晙grP(Cu:# 00~]oU|η=oHpfI>=Z4cؐ㈤X0^T%OP/3r/Z߹`C=WOf݆/'9 6K˼.1 "P/p~=b*;-x1Ku16WxBv.| MExy@^sh$ބ.BZb-$:V#&) zA鬕AbHOMQw$"p)-AWW%/wyFn p>I0Jke0`wusfVmms-fNգràǴL$VW}dGWaC+'ᛯWyzǪn0:;Ħ +NJx:o̼Oj {mó`xٚ؀!gMLW0iF󬆝9o <so j{/Jg0H&n3<p:3uYC}v`oQs`l@|.>I,nO@]la-{nk fp' \8'4JU5M, rAc.uC/GXk7jx{L &u | a톾[TF$7(;FͲ:#f+gwd =U2Op'Ou9|mFXplnA7.щR,lۼd\6ӧe` D'y;;t(D/Kӥ?s#PQ_ 9Y ᳠JW*/RQTx[,:E,]73}RztDVfncs`ZFM'j34 3Tdf | #)\Q36^@D3Ʃ y##BsNJTd ؟><̘XA Xzo\*57yBbooJD)Kԇ%K!I@wWl.x v@<}ǔKnX}C-M@㴺c_tZSgޔyqHODCCrrV2g)[_xWcg{[5{ |iK}d\BX׌{꼌 O$y8!:MR>K-s -4`vx9)բKu-I$p`ipj.IF sbrO=]@<0ll5u\(q 5<¯0g2^D )|'1X%`:NcS%ݼ8q$`[lrچ4"wpG~-9w[Mƴ{,ZrX< 3:5ڞ,jc5KK&?{dnU Nɝ:3'i'‘{̏0ϥe^*\@ ;LEH b[GDMs3uU5OHVE㒃7>lJ)RWxEN) h3+Ԣij5PHCU\̸w)pVt!Ev30Zp/ױᨖ(e55aL'*l?&K2ɰP?&RH;Cѩ^4)O;.𫚅>Ig7*l0Kf18 \x'Bwl ] AM4 L폈}x%rjF]zhO,AWLQo Gx87{Iў.0caDS.0& wK|Ѯ>ؘ2 %UE|{Zn76L%L7>5Հ<6^;nɥ鰮 c;NG5^d K0C_ˆN7 BؚT;+9WS縰"s',ԦeXnpv!"ZTơZR,Myfae;*оG1|VBbS+&OJ!3s' j'1֫&~+M=*dG|VגV}'M4]"s<3$ QS8A}w\ ԴNE|T3l{c(qFmjGSB #iTN*JRF,j, :VO澱 &f ~O=.qL0Td4~=0'O͓G["=)@3W?ۗ$Vd۩nx>jDyoK˞m)xP |ک䈠Z`{fcZ0lǒ p0^BnҐr޷dga| ȲUUk:EhxF8W6o3h+W{. piF P@4-gT<aVݹ {YdWpR`RSB*MtL<ջ*:P@3m1r4UKD@b)^ Ҡ8x"8)r%1>Cz ;ԥ`89!f uw`} ~gZiZ;%yO-rĘ|M9؃W2޲=ܷ\}N*S}d l|:|v̖HЮ?ґ 4%:WhZ<\pl&< xΎic.Z^cn$yi^L1: KƐ2!m`mi=4(c{u#Ũ@CJbY>v ;O;g5:VfN(T~ &֖mh.u!sxOܮۧQUpq8$v2-sL2C-<^"nx8}CLl>﬈G sbX*&7]u=62)bxaēdJPbÂN,v}A.&x8O3׵E)Dn^gg:6X,?i}0KFɿDrJ-q*yD҅髧 c.مһyP1N/Z_~@:ȋTmПk*I/QHR8dY߸mMPvc7[ V>2'p ܃I Nj;9VmW5^Thgk@H3YԤJa<gb2*a\cbTQSZ]_%O'*ZcEfNũ]H 5 4Ô01USE˟d槪:sh[}?%vVs6KK]' w_̤7RUqײ 89jցMyF =WsOpN=xfeνNǐ:l Icٹ9*P23e*VCa ZYgu7T3n Uzxf(}e,Uk̽ݙwFi aB{KL) Tmǐmey$ q=V>`(jP52—z>4R]CԅIDR)?Khb&x0 mԞ54~.ɖLQOkY7~-"F)sXj|$)R~`Ϩ=\JWfɮ4r9^轙n9H:WJ1Mi7Bfx y%I8b#whnspwٴU飿k^6>wKbݫ4U珖F/ʏr׽Wʺ73XՌ>[鄻 .33Sf trPCFPx7~o瞆k{Pεދ TR +iNٱL73W[,5(lRwQ>l PrmAm9R%#ٌ%(ח;^دTWU  iޯW'Cu{RP7m.jIJ1UX<g>i<&dЃ#ś*J3*]^^p m1rkdz"ty\t帴=" 0 >K@:`>$S?@_Upĺ-v~vFM[,% {^d]F/^q6ղI]jw⽢a$iX#~\U-~NU#%?Q_^um:6.w;M&L5gOW8LS փiF~æx2"~X@jYa}UwmNO#.ZǧSTp{ iT#~8n|xz.p_}w킥$E|{^8d(mM5=<nadl]/ppO:>qVj<IGR pO4\S%iy1}s_QkUc=}s(LgvZb03Iq8w(nq0|tnr\QZ'r@|hcEwт0w2k³>:^tNo#X9_("/znqllZ݇DOp\=:=鲌;ͽ{uLGpg/Wo-ajg͝{~z R]*O&oLOX*!4v樃dx U۾H]'[. UmoN2B+=׭ӕ~+2Pʿ,j8{b^R=I*] ֔,-swo7L/ܾ&)BŞ]>O&Ý]C|3UՔ}_cSw3,bi-SKnb\> ώ4[&&cuIgWf0?]?t;EX᪱>9{j@fD' 3:w@]v3"cNʁٻgu&]c R#I"U$mW?yf&Zs>֘d2ɕɼ$TGpK$~΅3piY M!{@1/"ڑgarHhIN[37I ܂_=Oqw/ wR(kM?˿wEt(3 <nCf"oVˬ*ܗdvKΨ$wTQIosp"T3ޢ]d4R3^*GCIN~܎.{ZiIO wN R^(^pf 9!\<[${=Xy${][%wP%%ԝ6\ )aw wp_?Cmm/7~{ .?UF ww'[).edw}bvBH"R)5)x?O Dvw @3:Yr2yTؽSW?MvAoEpcBbwOj=B,ǴRw6]7*qNyv,.s0!$ØoC![g}>[~#{"|Z}Nwb,U#N~Ytq4(cet"U Ny^V:)=aVuٸ(PU x=p6 `Geʗf'ݴ֘Pn)ZL{~e5gPWA&\(O<UvN8~ߩe2;'(uˏ!ka[~cɌƧ;dZ ,tfep0+ ?pݎ9"TIcݮt  !6 odY6(%q+{1?p_J'sXoE o%+V7NkYn6t{?&J+%l4,ӿwY DΝșLЛFMԽ%gj^B}=g^c0*)ŗ;U`#6@E{iV@>~$l-Z35.әngniU`…ƛeDVZB0ܭ~?RS!e{BwTwr38Kq~+0w-9K7eyQϛq$eq4/򷤈yCj|@~_.8.]{VK@CNr'´*Ks?eq;6 u_.hR"UcѴVHKG1Bz] yP-c+T^tir RLU/}nlZb.M'ɽL[쉜Z ޾ucQQO$ܺ0W ;S<t ੪(rl q++f,W0gpG&ecU$EbRqO+<tKKHXQtS Eܭo%w쟬Lb.׉Z| ٰ?;bk~[Jz;hTpvS %K^z?'˒6u:͙PCCg.㌠d`*FGaZ͖loUk!A49{ː %cbaOA]u(ko(X!:HϜi{*D~kX%LKRԆ7R4\|Q$ޅ6޴'za!Ds^6&:b$(8%E`3*Xur{ƽ@{WrJxqCϔeٝMb}!& S:%Lr/ 1VW*zO}E+\OcOZ,UvmDKƁ}R~@Ji|S9"B֎BQ |b:sb?nfɝ& Ilmm]}+?yi;J$TaSwluj/esש~-N A:ӧ^c~ wEUHE<B alH߾>$wj~yjk.3V#OIai<VlYOY—ܷ8UPZuFpB|hS~Y-sFBb]A04c7N؞fvf4@Êk7#pFph%x;;չKVoX9vѶ<myf+b6~X06M1a[uk)9Dm`^k>:[J㕫hS o!YSTxbE&/`Gm>^uM˭CxWױRcgIg <`^V?<MVktJ ܓP1!'IZo(3mePJbVPq> #!ׁ՗ %a:˛)CZU a#º if_F)$Bd]8#W􏅱Ju&qelzq|jZO瘺g%}{DwXă7Û*A IZ3*YB{^`c*tԀQ-;q?{Eд&BnKryFpO.ΎZ'-'6h8녂n#o*?̏ #Z$7vp׵73 YHX Lv9@Krꓪg'M cT?@b{ЫWwgٹAu4wgto6m0.긔{y?~H &=GvQZ~噅d{Ůf`;+" g1~eV ڠ#YmnUu D{atAmf?ýeǽz=;s]lƯ|GV?g~V=<9øΗ.f<ڎ8n8a~|)t5^7?.,Mw:w{X:x/ysc%f}|oߪ}2?r05'c'b1G[ YuԾFVW"7xyK\N9CJ HԡW^z%.u潴;>E}sd~j©g4JSn߄ [cZwe`ĚO?;FHݶNӗox͖B^Lx׮ޙ YDjz!T:K)# p<Z҆O?mn*> I]m-Gد[_;[email protected]][;oz@󧈏`Gi""Q8d@ Iґ47$.5pN̋_o5]CHV4{(0v#w/ XWy~N<,@@޼vyp.FKs+mr8z}٧MkSG\k|V(}w-n)η>![g7z  h~^|i$Q.BB,ʆqa 1kq ,X).iw]Wq+= c^ ){)Zr~5m8iQM4̓9h% ӯ1&Ky]{b"TKy'h11tY@\դ §98Rn&vi]s wڶy\fq3g^*D]x@~"w\%o Y L{`ya``Q> .$x_X1zs <yo0hd2iD'nzF|}Q9бկ a933ע$|:AH dְkQJާMҘd⁦UBkE(.m#Vd[jiܯxMJT̐c>2Ud_8ĕ x}БCv Swz;-t?8ZNЋh\r&pRӎ\>rg:@mWan-` J)gZ+.Tx͹n*K7j>lp=FXN\_gߧ[ Q:Lgڔ~cvF ?`M?cL;|nup5]dԕaЭ'y,N?Nӗ]ե8mDVI-$,nc5dff[GǦWK?Xwqir:^b X)r8jD]侦 <:Y1ݾA֛J"c"RFf+=C+;L^JS$V1RrF/rˈuY,w.<zV`so_2E(!G;gEt F׳8UUJF`uw:KiLKS|V"嵤MNOy ls'|ϲs D)kI͝$r?poh̀LuSMEKJ{b. KYG YV=Xm]M̝QOF3=H|s3EGMcQbB%©Ga<Us'LjK PT'tVV?sm̂YˑU5`> RCNM]d(RhXNCp_G=Q"g؜%vqDb !!I(4<:BzE8pR{FịTƹcE,%$wL>% VoGki VeIS !zlYD c>D;"N9,^!r+s2ixH#fkWaxd>&֛4UYlO?1(A -3J]g9i)2zگOY`r7 ZWUU;?_8*T&&4bN,k^CtRmǭ FpQvr %r ;Tg#xs'6}aNY?Y4yd[N<]PEvN>(Ӳ yb< fXֽ$E&%0dfmSh)%Ro+p<-rS EG>㻐ê%3ť8Ӆ}<:GQp)ǣ2ջ]*p.&~YGFf<_, `Zb2 ,uB ;KMne% U,hiUq50du!H @Y|V r-8k$$&{#[ƶeݏt*NP2PݥS#"+ځB>;Ź3W;@ `on24'tjx!>jcX4\#cabin\\E L*a<rJ ԬtclұZԓX8 ~\pP䀌aV qݬL\=yOk-B|?>pě&tR:w5&9䨉UeFay,f>F' tM1 `z%ۋX$!aNd-A!&ph,SؘggH V'Έ؀[f-gD}s 4,<NFLl;U9ŏq47(9*kWט8X;͒skwE#=6Aa͇GA, r:p {arMb0끹2L ULâItJK*۵=B{&)k$+UC+4-Ae-6*Y kYrU1rEf9Wݒ@枳Jd%PC5:W RBnKV(r 8c3}G&mJJE4du)Tʂѳ~Yq&#-" 2L+w{ w~wpg&=>jyk.==+_ hc!5lx/lA RZn$ /$ LZJ?Qt5,)EZg*x,Q>ieqTcɄ#@-[DzxRpX_h"(o%b2l9ݱj%ŃV5}JL+7Zup3 gTՊ:cY#wr.pQf~AW]! :\,rŮi/Ftgn׻LS"zrA+!]:(Ino'%qnL%W"m,Ц~"x^eyU##˷}u\;) *pZw$̸3><i j;UN~ )_A1qy_!qGs` ZHİ3R 'QAAO@rQnoБ o|L_9jfE_as2֦+BXO7%Ed&pym N]O}r u&5 sVo3%NK[t%,w33o3Gi ί;Jz͙;X^97p]g1˼TNpg}ƣy5*07g Il|?;$L>\LAN6<cjf'YJZ`1Wp睷cQ'g4e[c7]tQ _̷XwMI[AS|36MUʰAÜ'4Ԡb>ʩ1M֎5BucԢ{(w1s!s{Xf&f Ol㌎F#y#xU`8<8Hن< .Qc%;a=]Tq$zc}q!ϖ!{g[V?ۻۥ21؂Ç*:%qf+#KE ,K=j,d&<턧|#v\K6̝Sb0?. mAH#CcU e`qJphPS)-PM3Jfʵ _b'{ƃWֻZi<§σ& 9GݜR˪lg:w,;[wkZw$WZBeZh܃:$pKM4\dJцhfn1tֲ PXg 2'VGNrI\>`]Lg?'XE?vmy:#8g)޶xe Tg]-cC(q4pW )M$[ jC~U9{ޕ=HֺB:v;Q͌bX)X-Gl%={qN.-EP5{,u@?ٚ{YjRU$%ΨѰު mHŅBĬm{В6%odĎ#wIiCYP%?##A^P|uZPP(l'pOl ؆crr{a+韗KC5Lx<=]g5eҶ^i`.PO:+6|'-3ůVv*J 8>\Xw"rcDA_R /33/,S4=2p9a ܧXӄ,gpﻁ~^;='y-) ++2i}VI|:eص~ct:cu=]zBi1+M] [ 7<?їN喹 RV(:7<2~x'CG0Z makJf.;_2 ܠ6c3s(fp_0+Dm~%ݮS}RtI )aE{HXu?%M ҵn ]-CrlAѤ}3su&ep7BPwcNzɲ9Ǥv)pX=xgWPp?:fO`V/Z¹%lLa#-s/ے0 $%M>r)y،~>s8Snf1C]wzBJ>hnέN\%zrSCK_gF?(aH8Hˤ/~&[~kl+8Kx|Jk_1i49sbQtx;aq"= ܷNd5P݀E^R4ga⢱(y8$B/ fˢQ%i@,K׻|;ZRh>ij0x ; yM /O=2 O\sY/c'on-#:MEe{^/9hdoKwCDj^ݏ*6e\qm4k[\~w&;!󡖑G.^El:lG-D>޲ +P7S]2KDGH#sgwԫ.Xc3fpABiVT!e#CfpQk F <Ly"U !sx+AoK3MYX;(:bYm76AI)΀O}"h}p:kOKgX.ʌ W2d<W&v2a{U]d'""^;-@"A7 ?{ew< ?ܙ?ن=^h?F. & XG SKx;28s‚SVH>-#P$83K.ŠL9z=k(A#&Mæy2 AKH]jdpJ|fjċ<z:#Lf\$O Ԝؙ2 `$Oo?(<i PMѠDkM!9/ mjlzΈBL7-$I&2pc Is =G}JG4Sc. ܫYLxšvSkc9(EGWIz4Ţ-Y$ĕqI)fqE:@P. P܍TnBJ3A&=PR-kLUTHݚ O(Q [ <jr}\0p% yI>"l|=;"RR`e?/:A[Ԅf]ے Wy%Ʒ8gTMMv!c!ъcoر0rX EM5ǧƈIR@Ņ]tZY Mc?<"_T#`urwF9 &8fHjЫ桃░9&N[cH=9MJ/{C<$%g-\Es0RM=;SkLOx, <isA(,$;"xC|XK &¼ xKe8JuI"/dG~ 0" Xg 7q79Ot9X1#ɉA!"h7ňƸ2-pϑCg_*cj5<{"vbz^e"k&ɵ>_Ԥ 0T~ӄnfNw+l_Qjj[)edj&AH|޾gnXFD9qQL<k i3儐fM~Wͳ/ c`N#/ϔcU CBՔoOPKo'>.Ѻ2eCI&=}[kTZ&YuîbY]R >qC)],V|ˣ0S҃5aD$8& SsGݬ<d@bG[=[?Y/5~HS ^f9bz3αK^9`cZ'* P:Hu\ <b^h8It՝'ob.dUIĸ*n2笔ɚ2>7pXdƝU7YYeEUM;`pA$(Odt $@dr<wK[{a_BeɺFH|v8ǹ/!҈3) %2@ի1IY< hK&v`H>ԗRڱ43}3 9߃'q sw|iRNNSPlSEV1`qk08xhYtiYH4UP #O)CB8F!XЩ:b`fRƊXj/f924͏¿-䜆4-=CJs|)@c)dE,݃Eèsb+.&n>CVMإS TBCzt kQ7LW.dF/-d@4x#aiвm""jK*4y0 Y[\?me@ruL;"嶰=_p2z~ut9/WՀMM>3E_;6me(U8[^y j9([%Y0{[Q/,O-_^lb7̝fF|FWAHU$Q/qv;1`}5G2()[0Mxz އa_v>6fy؊wdH.pvUc:=x(c;w-,eqrڕn=piVsRjЊ7m}+#]bm5: wko󀇦r \[C3#m)Zc=QbރCڣm?:C&lf˵nYm]:VktkټlG>4H' G)w)8mnA^v_o,"Fۅ,0"5Ob-U~ zH89zSx0$ rn[?T~x|)~A} _{g[y (O'ڟW5T>Q5쭗W >s3eiLpPA}ULk|ոdi:gV*u?FF6,;'>~IG&Sm8R-EEkbM|R! oc.%Uv-ZpJwVnڿw#,3ˮd&=rE'1$;&gj2yB? K/K/K/K/K/K/K/K/K/2tK/B?:8Y!-Juo ֬(sL\nWpi'www_찖6mL5 icl:P,gbq+$F5S<y& s'=sOك)7v`[0K^{{>xi RN_ \iTWV'S5$hӖn<}fI|6/}+v&ws)]q{TSIDiuRp:4$/e<c u8:2H'PI NN:PcF7AfT4+[pCY:6HE i?rh;])pu`7:}eSϣ( =yϧ՟U'O[Z{2]pIVphQҁ*Bc(孴Aߴ 3(_@Vp ۣ_bA ~ )J${<[P u>'@ xEVN[cN$Gd61L]AtjCg ThzLk0%6q<XܽFA 4vzh?0`Mtȣx>PR2qs _UM5۰C'sVz0Dw:DY3^g\LQ?:GJ~2r:5Hh=>@Az4f+0D}@v4h+deyU<A t֨p[cvwy?c1"0u96|Q\Ņi6Pq;ZWڎ`47L_Lj!RY0|\v~LZWӆǾ~Pk:S1j ~mU6P:Y|:"`τTX+ܷ S~=^(V*6L"KpmN-0\ea~J0o7Y0m7 Jڹ5s;ԜS[)L ,co'Qi3G{"vS= @*^&:0g:hTMG6#L;m?81[?O.t8`h{/Avȹb܋eS! )3\^X#} eLǖ wZض״Qś=Ja|6`l 8 ljS07/Yߗ?4mK ie.)4 Vv?u+e aE!޶v[/ƸKGU%q']fD=mEjyVQ%- Ӫ/ʴ) wTh v+-څ4&l%ցmX{Fxqg;U2*5%UXA`;^UƏqf3=U%DJ5!Y a!<4j΅$&\jxu%QI.!cKoOYd6W7KOЌQzrb\>GF/h8 vpǤeƵzQ4J`7Y,,F&M=ӹ٭d$y1M<9'ϖJ5S'rZ9Xҙ^QcKQ6w}Ru0ngwb;SM@^؄RMbq9k+m@f BiٴSkq݃6ʸg}9Ag7kPȋք6(DRx`4 C ;^YD}BfaXN*y6O\S$cX;T@SLx:Lp#g޹D :'Jv5}h(%$~_@ۺuh۹y=d)!O&&?A2Vu<2rA]*n3wtPa!?~Pl>;֠@X~¸H/IʜxFT1DaM+iܨQsOW c d2 .pjfANHp[pb<suͨAF6GgsT});l@|8dy-/f0yfp`#saʠR}Iūu|B"D; 604헯{`Π\Bh ׃澷FWa 9]RȐgL=v8? %/Tďe˾Eq3w=/BP.}%>-c}kqc6T Xúߣ 4kPXUJ%]]:`hTԭ٩W."6(yŁXqrD^!c ;aSÕ)eMk ߯/ju 瞌z?-T\,&+{}BykmǒtP; E7Q!BT y׷ |@WlO߬螥&^}6E⑎ WolL.Ym }nГlr+j$~ӥ!\"^}0LdwcUqxbBk |yQ! u .`ƺLW*ꟃd=3t+O~dޣj j$VJP !RpED[uf;O ܿx{ڪmדMkda:k<b[s4HOʼn ,pVbnԴ͊"䭌$ $eH:p%CDoHwpVx, *Ű0=8t2@ֆw=TܑޠOqVBzd/XBHJ`# *?A RGHYC!'ɂqLPt7LoFeKnPFoY=$p?5Ȏ"",;&1Lj~BOА40-wr^/WZAI;(E8Đ b{]]1)Hٯ@~cpQP~>! #u "z྇g L{#.pdLK.8c] -=غD۳<j@zD݋7!a8C=9ŢN}8, ̬Ȯy^3wJOwFpgqR̕] dºwp#z~~!F,3\0Sz"Jf&8Eކ ufmo Ag atp-s ѡ{} u{qNXiٝ Y@ઉ"2D}6 _9fdҬeɫNQH˭֭'eWܵFb{ȻrO߂d,Gk^O yf y RinʊU3z3akѝFrBm=*ƋHA|r5yK -_#NZW#La;/ z0{顂QoE'R^7@Z&wI,]y[>"\x47`(-ƅfp:',B6hzf\ '۸ xwŨow8Hw:&nT|Xћl+ vM( p&PzL/n<:74 kJᤛb5nu8x7+o[{HGcLWf1{ŵ51^$ F˴h,\vŒN\ n=a\-~/g%(3D4|܏vg= 2Hg}B[5j`?>^Y~r`|ܽI^e" W,$|4/ PTP%ǾA QG̲vks]GlP|{ڻ6YPŚ֋;aC'u+PO<=v*~Qpw+<dG> ƶqw(Wz, 5/wQb[P̝ը6;eCQ!D=7K[s`2*B>{$<Jr_BqwM-N{z`%PG J 9@7pOH>pݡweh0]Ħ) v!gKvp?ے6h2y{\u-1o9?uLK6kΝ9gxᴇGytwbbs:2\W&'+k%tpn } tZr1m?}S '#8jo=V\HKcG!3iX 4Ņ'}iNxtɦ fȴj/o2¸dߜ<N<C&`!mŽgpGmS?iYs= n%p4b ^YI"{ezU;IYJ=۴̝O ^]Q/!V}6k MVȩ7 kwD,̽`wyw #+_OpaIV{A=/&$" J!oצ91p/l鵔 y{Ay*q<~eNT{FZԁφ,s?_Cz9MZ rĘ9 `=טn&K.|#״w*=;KQ/1?&,wL^hK;mtM޿zu +tU)\i$?{[fzHJ;s ܭyXgػuh^=%M_H]3i+>ijK",A`E{pϽ1w;m3U ,_p(2f'Ex8q{WYodwv{jjSAB4Vwe͆uV]}>H"L Gie ܏}ڀ{#}s#arYT<.-¬̮~B8pw4Ĉ*ހ;Bޔt?gwPTM2.:wYD깛(i/ DjmX5U7yt[8܃;=)+%s!-Lj8{g٧2^|6k(MqX XRE 1 Q(~%[\/}~Îv\*\ w%[};H"S}V0b}Z2KW^44`[YR$ްm2i ʧqS?dHFA7ݽwD}44ܣ$J#R"n?w܈j@S⹟`#聆eR[ƒE1/(v5f.OEN#>KMc6 f}.5U;p~S)TϝOua pBiHa̓rR>`MAј47n{(q;VKx1 q{[]zy=Sa˄=?28O"gǐaCn!ceDZMfVAΉSC84ߊ0H>3Dz(Řlb֥!lnfhz0F\x6k<=NJ[S03'*eR0Qi,l-G֓$eJܭ/ dy` !S3>j0o`=g43`J"DndTU @ü0 ˤU;мSUʖ1%1 fb /RȖ>Qo@ETTI u*励5]z`HTԂ;wPh \+J< b7J D#( MI, &f)ms;85ʚ)0svl6VX7E6>2c3zp2=O1 ,dY!&M/+g c4!B?w*䡛~YG-8] dׂ28 x4Spo|&_ɒm=v3pf%–YfLaA-tbQfq&e_؀;. ̙i{Լmy jܧl'PĔbZ0NN0s s˼~Ȏ͞'{\jM9+Q6J6$ցܡ6̓)ha֘;x Zj<4iw!3&P;ySpS득GOls;p"qLi@\i)r /$Šm2xڛLj;+nBd f7<.MZWdJ,G)e.#ĪGՈb f1k[ 5}~yŻi-ְ̓WpG^kMNID3)K7kl pb0sGXx )e4R øC۷3C gKwsiir!ppimZVvH99%nMw SڂL8i pIT'i|+4,<U;:&68%R˄ [H=tH"aް܃;HNB:Z@境p0i(@SFZb.?kd$۩ŬPGuE"m:AU !%79=2*V"_u$ i"*npdՊl!75xYyXS+w**Ǿπg)*7m mӸ5M}+8K WK^b8d/`q" r6!1&VQbnBM'VHQZ*X3v<'P͂4D,>\MT|9Q-bd)7_RBr#^ vTAyZ+U<IߛlSYU.@eJRJ = %2\hl\Yd=f-9MCLgg8fDjUA!D5%F,vQj\PJ >,,}rl2sRME,x$ZܼBV'"C zP,vC|pGqO/f% #&+sZ.Wt0L6قn(dYEZRxeYMhIЬJӵBu\I Ե$Y1Y\2\ Ԝ1sx UX)TڐEjԵ^JdBx јGc@0Qd>[<_/_ivf=&Rd#cmBf@Gt ,>vML-UMAu{ԤD;kR(J7#=\|(ʔՊuXۺMj%tR'|Jq|'ocio*h56e}yfuv"R Q=&ͰV]Oy}wE_q]ЬV%}?9t2鿞EK6+WJwDCmLDm6[(1E0-+zѸI/KI;S^Yc0=}NP{n,LpٙRq*5FWו?þ Xc~:i6g|c~[j6㫮U5ε҇fU+.|(AyeʶCtX;Xþ~-돨-bmj/63[&a鏟wx1w6R6rrś߽H?rۅKkCg/JZ];RFՔ47E:# OOqgԖkɴKLqBxK/̖{t=}fv~E/JAqW28Yη` ța2<fT_9+88hdekQה4f9U҄d0O3mC}do Ow9$$?;Vƻy%o،fVK:!U0 u]̦H-S 2b ҄o磳@|ٚ#=Dwt3uS03I ? ,ǻ>r\2b~˔~Z^qk\׸5qk\׸5qk\׸5qk\׸5qk|/^5qkgbDG[QAÐ\?}i_Ӛ}-1S tqUE6ɼ>؊;h%şIﭯTrݜ3 fUv9gۘ63 1/ЙN߫\?'gt އ׮B[ki, /)؍Evm00(t1<r9d˲4,m]ሢ\ ?Ss&{JVnԫ ܕQ~}5g^GI>\skJ1ҕWZt>Qr]ߐ.N"S4> W>|O#?7/4RW]bU&?CW_O .\.,Wzm@kyr4YrQt9;z@7f*r#٤N#g{SygIBH^5?~ݯ !m[ZMbJ@'./#S5_GZJt%ia2ط.ye^7[GQOe'#-|xW% ʀ82!߿ep',D,;JM9.TrhӲqav Pb˩"493[IESk? ̒+4IJ2lEZ"ǰ^ݠ\xVfkzc^lL޸_#nЌh"!%Ĭ.~NR3!CaPTA׉;PHywKU俓;Thi=#th:~ K^%v{KFߋt@"N$'[gG6#\$SgvD{pb;dZ&)}x1 qS3Xo!Et})'w<ޚD4m"ܫd4YDt /FZ]sriBc벹 zӔ(Ճݮ/I>Gm5 :f<_OWƱz''r( EN|H3?>ΰm/*ɚo;OiTVf|'(?ыzxi(E:Mtx].v1puEX-(h&} *gl7 a9DNxPUS;qܗw)ڮ#NtIhXCNu= kS)T TRvtZSWRTVʜS8lT.,NDcB[37g&u$H7I$I`vڛl/Q(Lz "BܼքɬE9lq. iDr)_GY|"A0u w~֪^_.n@NǨeuFk &ؽiZm"Q:Vd 4 8律U IWGݎ~xȢ>Di_MQ$WwlH} *8{l;Uzљ0^W[:%OR$dxL;KyPkuFN)ϵ#fa<By0!s$u ;- ;%9"(PPI ZgiD!J)&Qw+|FȝST5K ȋJbRE88ӗ4ܤ:J`+`6h[rW^,2PNjN]/=N@PoF(*WF2ĩ >޹Bƫ2eo)#}=kHbdD}IC 0me;;AUFAL$jI!* { rߊ3T<n.R%b)Z."T7@ ÷-X)T2d?c/&P)nDƟV/6R'(,E&YPSXZa}{Spxw ˭S ܾ*RƄm-4 8(@<R= %zǠʏTKI,e yM?r]%ߊn[KX[IPUr]%XZ5g"7EUB[4=:Ŵ!v {H0ycG~*~ZKFwr$mm3:EYD`Ё"oH \qgo{)=K|&.R9T(ES% ,3 )QS)T=V$vܿZ W[lj,yh3z3DI%H1dţ&"~W/nΰeV XB=*yR.Ihh[B^C9Hygst;"𑐆nWemB'o<Dt,CXџ;[}ȏ r_j6 d7-'"pYf_`Hy$}G,7yBgW lJĪȂѦ~|CgSy3c6[9<qwreqGOйW7Χ()ΉV&ч^ȊZZ30}8%wF PCq1?6VXٓVyp^uK$rʇu-PW,PDt>EM+xQ,:TGs7Y#0,;՜DzP Dr) b۔7rYu$RAߵ9U$ُ^Mهt>tvc[İFi//_;`$Cf]íEL;lԄxZxLHx,LR"32SRc[zN6+0D.z<ئM*'q.$6J{7rN _UӤ6nDa t%lC۱t'w[^ @pBChɛ:s(*o!ur_$ّwITT ,7ȱ|ZAPHv5t:ikր&ː^Y.9 d %}˅dOi;j!b.Fc<ى[wmHu5'Ո؎yK>"ÄMvTOpTWy^߇7{g}CF \Y !olj'P# cUj$)މŢʆl~VFLyxt<a)`J& X̮mJ<@cͶ.V"Ӝ=hp>OI![Kg6G-Fem@!X*I@3.ݐ5NSB^6{`?1),;ZMFnh{^@vAٖ%}^g9o)kMV0)Z,.{S &og@JR# ={@yu?9 { "icV2֖J=Vo8;vҩM 8<Wr_Wt1R(%܏-RY}%ȗ,H ,5?5:n.CٗQ ]Kn5J2D32{5:GN{nǑ(,V:EC=w(|i֚Z9m*A{tWK}&I#XHcC63'ߏS㹷31czPbyo96twx*/,sw{'Ȯ9i(n+%ttp[w@wc2sb!ÀscXLj %&-3֢um[ZI0|KND,&-5wCuU08AiN^`ϼIVb\i9uwPh+ OJl[8K+)O?b{|]]~/RH3csHFzԌ % +qrg̵+'Uv&<bSJȒCL۞X8њDPͪ4K;[0WOz:c?8'6-6pGlT6~mr-fNQWp_/?;sK;-H6/@} wXߨeVy!*'=4ٸ,3xB6/LPywŤ|=A_%v74?7$'!>x!%UmwVu/W՜\[t֔; 8VH*@S0&qTQw LpGpп5&OG1_MyxfV rc"UDŞ4w3.p@-A+a.8| pO7iI" 5- ̷ʩG IoH|u}E? e g Qxۖr{ 0g?~yUSu)i; w1Bmjwk>{2o %cn<n97u2u]߂;϶. ;gTQY~>i"pw;pbK*8\E ߃,V+ 8pm(\ Vc-?60mE};1<uu-k&лšt(83-c@[Ȏ7!|(]u[!= lO ԥ !48%6>+fp3Sm93n#bAsN)Xw8Z3R]oS5J*noSX:eʭpR ߒv>Լ;{lSNium1V<}.܈׷`.diS;J ͬk|*s1<kp{RHfbp#sgpWW2va rtH0puR mm~c`nι-v܋U>E_lÈLe1+_Ip <8'FGb5vZZhB9]]vk\Oi(7B=wp?\W)knQ?ISWgUV H⯅<mCp)_tw>."Lqڝa$0soLr܅;r3 f<wP @}ZaK5N \dZF] /tu \h## sb}Br^X5}05#|3Z*^//o=PƵ5{b[fuizQesIfâ8 oזbl\.ՏN;}cgmVsO~.8N^+ɚҺ1o;tLĆ徃5_R msG \_<w<$sELR^v0ʥΆ, @24ꡎRfJWr*j]R\sP0xL=1H>JLKtY:٬ wS2 n&LZTq=5%2fN#jJ\)P;K 0ya3,7[RcR;֋F/D UW2K6ܵ{cPCtFF?ᷖ?!L r#E4FN4O{,5UGI"> Dzk˒~?x;gܷl`eſJgt&r,~״~1NyCV#i5-mSr^n7@  6job*ݬOsBiYx, %=> /wʊe>v٘rޑr6 uY SRow]i׀n:/%I7RHaޢ1]\1+?u[QICV p<dR &b+U* W.g5ȒX .%u:Sf Iq b7-Z+\l5!ňՇ=d*ay(x<<ЂՖJ#)6NCnO%CNYҫ*BtRuaJ鄀d]{cZCv#=waMIbS4:={s@W+neޤ̀;j;apPא?=gQ^}=?>?Ϗ}<:SVu3+|ч !=&ϭ 7,iIVxЫK/|ȝ>SէOgoz!i ^Mp]IG3`&0ds)^_d|nڽ>{Gggz># #A] vvQg0'إnMk 9;X+#3x!9dx{3 Lj9ٯD/{U^:>YP&qs!$]{$-A&Z洝5ze.rװx0Zz Rdh?setUaKX8B  JlC91e"*c3zVEI*={}CDW={ԯ>*U;DV45 Uha?kNZ洇>;6=DS9/'V ǺydޙhQm߼5SqwKGH P2X7ůϯFKN'֤6k}2^75܇9>D;! ?|-yvBmUr a.UU1U˴lS |[F0:ڊŽǎY%e` @hbIo3}RѬ4VIok饰8Un JgKdNKָ;wg r6ȗ-v9ѸL}t$r*Q($k*UWo@RO+yM_jQh)y[V (KGwqޕF#>d ._}(4saHIȕ5/`#♲R&+0 %{*Y<-dTUM15nQ-P:`Z1nCfDGS8 ۨK2JRF'EC{՗rG6c[bR7o&y_hhRh҆RcAY} Ǵ5} 9GJ>#LZ_0}zEM1^qb!aI m&. jV0|Uza EX& zljrj6]~pT] UH`h?zAV9# ".V+{sP=7RB*Y)^MV#Y Vs{t45.0ɂCٚm'Qi&7p%VB+YkЁ.)h7x:\%i]CwX,o7]ϡ)>PzYb_0}E42ERNuv7y1/E@}XaiArk䡷S͉mѧʸrf)sa̟7~I} vځ 럟@1?~WK8ܽ]N\<z%?חץ懻WdΗ/1_nݕ'ʓ">\ݽx?|z4U[մ&ʇwC^ݖnQH^wrcG7aw7#>#a|p8ixS9=('ߑj)>Q7d`(ٶeNK#Z$R?ܟf[9.1_rSHGcӭދ-dK? {E7!|+p籾ܦ}{T ;"$[Җ-miK[}-miKoཱྀ 7p}K[oྥ-mi 7pү?oྥ_Ԫ",9t TYK; q5ۭ{ L"Z_QLȗ+o4/pXG);K:,iߧJ iZdWVFZn Ӛ bdZXҒUZ/t)镒c;dƜZ۳(zkE1>!vCrKYi.iPvä2XB0R@ ^ʩ1G/2V+w-Nl9th\Ԓ]1'E޾xB'-4זOúIR^'R^hBg8J'iRɀõړ(j880G_sG@-И3rV^,Cf`D VR+*GIg lH\QQj M裁GO)A8p?D:bf~a}(!n"R}8bY/2b](F4$W=0VJ7ȫXC xEdUk)iy{9$ܵ6YϠ_f zφloAU j" xki& mW,$puJ쬻y3q} )o暕;[7baր QEj@DMb%Jnw*\4w2kMjFvwsE@w~s4Փ6Xת|hLzX3kW06Hm׋۱h"sN6.iH͙# gbxEq8B-䒦,\_{ݰ%.wx`zpoFhYt:M|q5W/Qj~P?=3vt3"!aNK?)&qKfp|X\4bm ϵ%)#=h4rEWltPUYrN{-cp?6N屬tݾRȆYwڰԮ3l( Y(&C;-Dv =ɴE|IB)I DK\ω6R-Ҷ.ÀlLp<5q^c')CS6̃,.WqV8JMd ]V<l/3|JLZ$Z-k՝PJĀUiP󅑑FJ5XP.0O<x ho8/\<y[rt}alPrz8*~~L=`bQkl>R:IZ)s<zIKfdm $p$̷qҔKVM;~Tž08F pEhIc´ "Gŏ1 =S7s_`L'(*%JEꂨ+ʝm+( T`]x˧ Ev?6pjK3lAvHL9"KlN%n;] ViVE2`yZdX Tw+):܃E0'ႋ |Vೲj8<1]0Dv| YcTsXiZx \`:qKt#TpR|gPb\MݘROYA*|dqlU(G՘>?%Cك(XxXcܦѼDm,$2xm-Z݂;uCeiV|C©:"HX #D/3èrL$cY LnF]RxyĕP.ΔK./1K && 725f;ƲD IXݔY4vedQ(x7Ics>=+FC5{^f*_xǖE]P"U%ȐqRx~$V9RʳrU EŸa˅-T9@V' `ϕw!8)+i2ȣt !blE6ў"cyR`i jߏ< D," ;P p5xT )BB0a,G0.\:&8wcv3?@m c:SkȆfA:xX!O4SXs )}9%Ae席 H mF7JXZOJk@΃D`a_ //7vE1\ٖepv[P҅E05v32\te4L>cy d]ֻ;SƸcFYk+zg֦ܽ1Vap^^laXbQ4YYۈ5 { gcZz(Iih*ݠ)+vݢX0}H}|=׎:3E;{}x¬݃ν&%RoHF _ћ#wJҨĴU;VL)s895֮7(zQn}$"=M*]FIagr<h@"G3`RR8bxo CEKݯ~[q^ίm&ƭP$P[B[cI5f%^N$ĝ6òCN1jxO*c9sG}sQNy p|fH2}uK$鳼xK tYxEj;/RUUQjoN i.B;rNk3)gp7!6xن[mhش\ ewY5n={4ԥ'uK>\$݇LuxPŞs|IX2D HXT u%{7=c4$5YLU"1Q$@V<Ϲ{;G$hAh7 Xn-yZݿ;p7Um]#qW3ACIgK$yT ,V⯈+k6$95 ضWfS "p/TPc>/I3'@eL.4[raScT&9%"XQZ\@|LK~y$ ròa4 uDj+xsS<慬Xpt DLdWȸސQCi) =Mu^vI YsB3᧐*ƝKƒp`nÑ&AveͱRqlެݶ+vVG&mJrCȺ %js|Xv/άԛĴX:0yMV 4D`YPidLOs򩩽318^ݽa^MiiyS]>TiUUjR}J*.|TOtC[sVռZ'+S-d%IqX,I\,cL/x1?$<y{:,!jH\,ƾY^hJޓzy-`?c9uLx;HJL)kR! &eM`jiI.ӹ/f{,w^@0\(m{m23~ϥ~ I7(Bt2m܃F@\yڽ.SO  t[G+u|/Tbκpo[j^抍 D,1 Pl(aio&#El yч9*~1huuh0][ ;l)G!Iy 8h<fxQMGX;&wߠu~&'Pi,嗀Τ(2pzpwӵSpG$;؈6-2xikӤK,bõlyU=zU55o|~L"c}8EfGғ֞TlV8xq', 6714ٸx=/,;_Ot?c=K:CwXҍ͘Jt:Gr>sm}Q;w+# uf{/k=b{ZVkL*AbHu'yD^A}#j{$X/|: %} 7܍&+J[S1w;@ۉgqˀ ۮ}Avfke& _K8qw##g$Ζt>z~L-qIDRG* @"ħ=iyFb*XR  hfK=w.ۡ'2_C,nܱ;y1yۉ44@Q3^J^8d*JN=\E0A#2hK:I<t:c}+Y3Ngk;\}M|;'϶UPV~<Z> 7]5Vު)UNsnb:6^ wg@ ME?o7aIDx`/t}Z zCf2gf v=G;>./R}Z.6{R͆9{L9.|r1CIfN4Lr[gK=,{pj u1wv+ L%)Lf1."d>4Q+ua$\}I D0'~#n8d1+Wy1elps2xYVt#< t Po"tEFAݻe u v'[K-S&U[FPT6ES8 7[蔹[חu;,SK9 LcfmM:u=y?yH{Z϶+Fln{F;`o3G;l{5]A DFh"WuV7l!xJ3cTjxs8p5yg"k4w%ح.x0|pv;>Z< _wŨ >?wۇ|h~_LJ]~aIgwOp<>?tO m6L[ U6#h4hCrnKQ,`V8 $cdͭA7:^;jFýUqrz#{.kY/jkUva^ 9-cTAM6Ӂ{ Cr٬220+$Aoa@9I٫-Ìrg2Fn<Ozp%ցEN@%6sxJ`Ybʍ @N&]oSYXF p6>ۼ.R|%N or?*`d9̲W :p}Pl#@ipգuWL 7L') .[moIྡ?u;~9;Ruw&v>G˝ ="5Džʊnĥ|}I ;:L 777;*8w6#AƟ`0J |+$B" [n Uf20Y0vqOobÝ>d_us(vzA1<n5f/Nѫ[aV{+@IU޵ J $X 3O(>md3629uZIֲ<F<(cgD?u@G9S. y&^)e-?6(o6ܝZ4]"-2Bk׌~\`#)HkuZ2xD!-uNҘh]/hb>g<څ dN1d'-#d«c^_=<*LLdJU^խ wL$B?8iB2=($[]'@4$JɁD6qn["f8+~x)2bf?@ z+$s].%:R K5W2a7@pIF=}7dtz KZ.Þwco")% 6,[;ls'u:ޙ+jI!UZ[uU@Kϔ 4ྞХ#|&q ֌ZKs.l,xBVZcV9/p|5oNLr²]Hc][ -tdq ·>/GꉺMW!sPV--ڐ&]x@=yYN|p/sT w ~+tYybrVӲXiȔis~_r^ ]ϐ"IQ7lMV 8k,q/]z԰ xak8SV=u˰1Ҥ`RAⲓ>t3*b|=e&VG2ԐE5YgA/-$R wL=ލ/<iXp!Ydx1.s3Xcj4BfrEcj׭i8?t .UY)O*K@/))<DJb*WQQ3"`z"3H\IJ XQYU*4$tISFq\E}|5][=mG$Jv!ZFޒy9}50-R>7^=g?.RgLX(ܫ;}?RB?6>nACLlF P3ܟi(c}gNj$ʏ&7F.yLD>äG\erZ}(^m9+pnjbZmOvj.PcI'AdT7^*DJxbiz4ςϽ™SJp7e$;5Jܲ [NL>SZɖ""c-LJ 2Xý"9DfΙt˘SlB;ɱw0keYpWS8Ux BYO?&c ߊ$,d- Gmk M⮞M"<"NJu>@O%skjkNvԇÔST)MlQ4^sqGx^W O/2|=ϵLgI'5z0rX(b Ȕ]'JL fi#gù3d\;sXԋ-JhF/M$+Y3M9֍=(wrFw= n Npߣ7shwj}UX=d5ǫRHNF瞧 KwN柰N0qhh<ᗁ[f~xxލ s0ܝ1@0nw}h(gܟuE``ȬW).@ JY%S)Y"B-1,HN}\Q?Oq #QF BSEyhm pӥDg0S, Qfs{cAωO}'̜gjJCrU\i@I3Qo9zViwB/x6;W\:QT|6bWb:k&,iAzLO+{Q5 \)u8>)˝%vDQYfpkI¡G:-uB/ĔfڙjwA[w=ßCӄ}_8N 6͇wC߮f' wpp_܋ĺ&&kR\^'QWqtyGb {r^]'qxĮa孞3߽kh]W+썕WFCY#󏃟_j[RnlǤxwwmtSRoa)f-f2%r͸ee{zasMEl@u%"|3!|'ψУVnxў2Oe|ܻEOؿwfV?]HGї3gl(\u{? zI}^•ȑe@hDtܓq r| m}똀* V}RXGY0="ߘCn}%m&'OM[=}2> r?4h->̇[f?\b w?R_J\_ 짐WX_J[IP跾 k^X6zP{]pˠ.wuo~D;̦p,E1pG{%H!iv%F;]qOjw>w)JU_ÂXpogq˴1ܛ/4us ӽ=#e1>gř8:~Ϛqt}yQ^ObrTpy% ;vnuIX#ѯP `öt W('1m*GI'1pDj-Ҝ.!](U2(~UKH0¼6p=ކ>o&pf&/>a=Gi7^ng/}Ÿ56_'5^"KR#ν-^:M!2=:|@^2:wv&Z߲G uT$"w]5#h [=YCvY!!<Qj B2jv˴r/{nw5mHTd*hsp \aœ0 WE٭VvlbӍ n[l?V=. :woZ/WO5_52zާ _) ^xs߮~y5|q_5ib+zP# ŀ|//_}"*3sk}r[H2."yt|㋬;nEw/ 'vi}f% 5_LWHBVk"s֤@z8VJثf-^ԿCϾn][V=/o]t|nGWZR>HԘn4]qv/w?~EJbzVp=di=)ȻmG87rrhIZ-%em9V~(0ꏔJ2fpw7#8J>nknq/Ûme}20||=dw\3| 3|M!=[&$ OIsuخnj=u5a3?OaJ备ܯ& 8 jq~[:ա #oǺTdm͓c.jg<ŽKxt2Lv8cN:z”)}ٝݖ63W8M[V7SMᓤ͉NyЬfN4T9/ֆS*4α쨍2]B~S^ȑnQ7Ǻ|7A~ت+}N y$j6S7'X۶gk07NQuӇڜZV6ߕj݅qKm;J4u,M:;+'s&N^>s!iZf|m;JՅH!`x! "oz)[@ Gߓ h'q SJՍpw(;=ųuZkNN{~>hdz[i.CBLP60T= ;!u3ϥ9횜~<F.qg<iǷ[SG 0whgZBw!>9hpUYY.5ZIW?)]Y^b]'B>=lFn!5cJЏUքzN؄О mQI7]^`( 'lR 'šݬ ΧpNO|m{oGus#4m$nl1Q ^/Ͱ&=L}-:l.ﮍnw~A@=%PR IS7_[Ýʸ/>*#2-(gbZVHjԁ{a}!GDyR8GG,Ĺ,vC?(1]JcR*KN])@(cLÒ6 O5quTirD=b)FGrҬ%dHE\sEC7#P\M]j1B6i4`=5?0\]"w)$* 4 BL  @5HKu.aEaJÀ[۱aݠH :.:TM;UYRR $t}um(lgm8szi@f@Ēj;,E!3יִ kRSD(4+r5G졚vd#2xkD1G7 *Lã2]0UCvZm6Dd|vsej_3`4X(e%&J{.)ґQQ6i/QMZTU9M^`Zo!^Bğ ~-Lr{ٖC责k2ԎG1;pv[kچ'64*4sePkq㽹2 /%m.%*cS^^QˡZ87 n#S*q}T5u3K'sMy jpW-Q7]e[2*(Q:Đvy:@L"NK jbB0,)>&92 ֨& t =1 VܥAl.JjVfw_GL|=ON਻FNN5>euv{4+h$pyOV,1xHFJB%Y-[>4R-$+hfͭaT/uTQs[1Q^ Zy9\ 86cj"8zM62Y q.FvCskppd=Es쥅vPi*5F' rtKgbI9IAkyt|jHb X]$nϕ%#c<y)GiVYۢ "3z& {AL9d_%:{pr[mwhSfqc )o4(cvƼBaV> ^P̌XPfTf**9n -.s\*tdDP"z5 RGM06-k)J."\4Gue@惲);7c`Jr#5,ūU(Z E(}b;]oPPvP!.uM"{`AИ^&9 =HΣixub e_d!&^D,J<w0 "ɾʙ7Ln` 1:.s=06au1_H@dp  UR<A ,Yl,W ;>epcp/U0pyY IBZ1!Aۀ{ݵwlan/rEc :ڄi(*/M鍑 aM 9z Q G a4b~#^Mo.B_M4X^rφjt\0Pc<WBJ(Xf]'|&Z&{'Nn]*DUIz<'$Sk ]JIp%E$TeU#^j̄O־$lD,߇T\Bq%uvo`%)@K|UwU(FFFDDJMեwm}79vKg<OI0 aA[aA8!s2=оLΘcQ$y[ -e [vy 65/@uW$5kػ8n:Td]I+H[8 RuR$Q,۩cO9NOd p6-0;;DM\._s 4v @'\4h2u$s }DOOGx{C\5\jnΗ&|uO&Kd"0I<|2Nj}I)/`Tl[r:e\;vEYЪ>R)m:1pKH n`(46|p㓨HyU,삒5G(_wX# /> ,bOd' ȱc]JjaԉmT f$983~9a<xp)8EGLU(Ζƀ;Þ%GaH# Gp f[}kibBԝe>q|fr}aRZZM^FD'8U4;Lb lÜ"%K1{(gÖ.Si > !$Εp"jNB Y^X#RJ:\eS~p~OmZK=w:WfM\;xܤf .4ɗ .b\Uyô䅝꼇 X2IHIm|7.+LwfpW0ݚBݚfk)KRV S:gy2X=d]q?7\wz:N ya\Hٌ,]O>I)XnFܩj q<Եd`W{Tp|5Iՠ[9p]8|UYV#1(p_n9NCρG¢PܭTpO 0htD?TȊKg_jPߴØW`SɊ2i'ÐZK-S "}jpUcYъ#Xn;i5T5ў-;{'Wk)qB1쉪&nEbA=P&JG:ф9YD|];p2}]]F>˺}q *_ fTܫ 1~ist;-s-WcG#V-\Zp\ \;Uo܋:J3`t%WeY'۰&<VYe^)$-w+}OPW##b]؏tS] ë{6.fı "[iڬ?wC^ }D;K6qjUp['pS\2DPUpW^,2VGK >+z$*c0EJv}%oǤW2ۮnx^|2,ܢy{'TiK  owcp8 3njmxt y]G]2dsc@"}kVeT6=9f,A+vHxՠʖyxxxe{?O"gU/}E2W>N~&Ob}o6 +Tha>-,k2 6nX=pG2qԆ D. %< O Nb覯rW CV薼GúǍaqwUrHیSIܓ/|+\6mU땻B 4{a,6KͱD 2\m2BՀ{hXR (<HBmgWy|ǭ[ɹFK28yDw􊎖8 ΂sp_ U9E,(ݰpVSp>{.Q|,gGIۧ! K!:lTPpc{}}xߏ_ݛ^[߻xlet:\-LAqBue}|)5 e11&<!PFeV6A?8F;S(4^05@pG>0aZN_1 21 NuJ K3\NhDkphV<CJR`ȁnvlS[ 2ʾQ[U܀cIav}eiEɟsW, ~QZ&=Y , nArrqN3OOX`j*cH`;(k).)N؝|8DcYp3~.zYM M 9TYܝX<$UoT`!;{CUukީЭr-B;,>yv0 pteۿ.׆KO%_oPqzND &dB9rREM&hgr,ZLxT?)Ԏ\ rcc ,>wc.B "3_| =,˰_j>J\kܭ3H϶p뫤a%a`#'3g,tQ %2Pbޒ[7k`\b-. vlS%rH ]-H6<sBx: cM9gp/{DbgxӧOϾƀ>69QGŇvr5O]e'Ec"ޢزrƔy D%**7\`i!%*x[.ŵj:J|xKu"c* <}zLJ?< zww:k%*\jrmt"{VfiZSe:VCΑ9=4m l$kpG~_4Dy&d/(ff5>-T'TT0[dsL^.VPLlv, Brš`n MKHpn^9!$S|b2(R A"XbR%CL=HQ:~Q WtH$k4f' 9TF`[Ht~Y=޿wSonps/0MbOw2`ġUTkUYRfLޚ^iAvq~vj6 d~+\R^GSw*hVw/ZW*}HEet/;%h3[g|H}a`Ɍڟܓ>0ӧ$;w:h%}F״Hչ5=ɑӆuw~v| 06&]{ ן=&76]QnzU ;RDMެ=1ahzK:S>-nx;(YORdǣYsO>B=dؙ#ؘ5#T@|'-9;)l{}u-V/) 4R7W"BBQwmKn8$P}[??:HQ؝D|JܲH]i zZN;"va,[swP} q:7u?CujO?T~߱{wȱ/p b{""rEw5r;P^pk\׸5qk\׸5qk\׸5qk\׸5qk\׸5qk\Ƥ5.s/ ]Kq7R4˞(]2Cvix>yO}ïB_DK wB/ _KJoKDaB>dE˂ϯUI&i/ʔ~C_eUfp9ߪm/nUK. ܬFtZ~medݾu;~T["^FӷkNwJY k }k|$Rg[M-)o+nч{!P6wɛ?cO~o}±%?存~/-?t*[黣j~Mu/Hg om,aG &p(RRN9w'u9))GN^cF,d7xit'*nV~ Q9^|47n- V yYEkQS?_ }kQ>vOKKNa!]YٺKΩм4|DD&CFI[~-tEZ9Η: 3H/%Sy}(2<_W1E}g= >i@oJ͆hn1g׶ X:L}'VL> ' Nb;e/GWˎv~Bi+epk+ٷFʸ'Y3ɑhs<؁[s [(8էZڝTCNloLl{&\ b3@G@UMXO_0ǿ9)DzF}J =zǺ1}֗YQT8U~]K(8 \r_ŹI6@}6h(*-#Q'ڨr >g5}v+wsZYmȆ)ېJ6 _l0GN yh_oGjVj"`҉ӌH&[IWHۖm僦nx%5 o`Edz*"ұ7"hgf+އp9# vڟ6äd -qĠ٠vu(1Z[A1oZRۓtU%gwJcL$|G݈oZӖ3uSN:O [>?c[ Λ$Ai"e2ƧJ`^i["G!,"#w:z_Ձo>68ώ|0jQJQ0XcUk$*Q7F,+]XpN% [z/ pouEѲ$[f/'mEٵBw?$98o>i}iC({Oݤly zvP`͉tVIa]*Y+Үz1IāȀRpvs&J?#-dGxd;8!gtYYY꩙Jɏ pF@xc *%1r828fI-~qDVrZcmz& =5>(@wM`6EP%I{:]`8G)lbDT6:ڤǴ"/U2ϐQv;&h^7iN ENZlbCU4j| 8>M=S|H1̌*:Y{1,xe^W'cMC(*kCn|#ߏwsmaeANɰ7O2O xQk١l') 5!"@3R&Q?\72P]3NeIfگ+S7$L:@}YlW3Zv pqb%dBf 0"@On'0%.GgF*87 <d/tqWg4 NFqi/+ؒY Q WxK1$)s7FR̟9d/[tesj{hdZl21)&ZIuUj% ߵl;%wӠ]޸ދP+t̍ mC=&T8P*w⮉ S( xqrk5PD91,%T)r|M:xüj -TS.LௐOݸ'9\$hU<>oDe2tHWqCGI>w\ qօPݕ쌻[ 3+$>=@py4]FX N8[$`\24XXXbs&C'Q| KT(ޝSngZ-~Ip)W[*Ve< =oR*ꦧkWl$QF6m WT1 Q"XpH-hWpcdNjw)x)}9 ՘Ŵy8"vPJweC3$&b-|3lRsB W)1dE%wH1Pgï7Йx8 ߵ#HŲ8sMRBibZ0|`C2O Yjb) 2o :UUrQәG_Ak$P ~wDP% W.wnw L'䭓bcP%T#"†4|TF~f6׋1eG2Ƚl@@lNgԉ9֩26nw' njQHe%27 RQ{.Y{ ajIpg;‰WlZ(<6ZÈ\n.unK3lM[?*RR*<JvM??8 Q5>i[d<82 HWJ!D@"jdKNe(_Y1iF}'%|soWV8֓Z`ӜOUh kݩmR @8JpZfiQ,ƹwPǒdD?vп5r3k~2Yw2 ҥ-z&C`qj- Aǣb,`n]}.G^ GgJ͸nմS0J( ,LMbcә^[Df4mRJ]WdR~nܫeSH+4b9ٺݔhR &4>#w1U[5]Xȼq7VN.PzH:Jx^ˈ_q}yTqg;atˉ5" nn"bsJR\LUK#+,3U&95r"VPC l9PrtN2t%N*zVc!]mn1=i8]9vrp_ϖ{c?V'\.]@ᔩ)Ι{]EWB~CUpǗqLU,UhS贙=b<*5pCc8pO>N"2ew9XL-F0]F7CD Mjڎ [SnX,qM<-S a* jܰf3ڈpוn8sZfwa7.[\_-2<?D0ޜO23}$9Cq_)%=;Z~>6fCmi?ٜ͢[_&K-w/>wLr*-) 's֠KƋ-*ir59sF_/V|8V܀GECC< u>bkY+ObCG<<Lc}&`4KŦ9Ia}K[ }`v0=W3/O6Y: tRo_:r J㉵[gܬl>ݷRMn_[YD[Xwd{^c'4ȧC.Ox15sĬOzR+qpf0њ'o (*R5CM=}WVG_d5q'|0C;߿l8|[LcpTNqhsȌ?_0,5uIqc^~j֋s?aH]<]eoTNHBeo~wQ^w񄨨ǽln11Ru5u{@mq˶ndw,7@ݤFLGv]-#U- zu.bJUQtApZ-``dnp%Ҩg;\Z\%7 ܍xВqKpo5id9#=^ҁ{< : ;@BP7dq2 =7זE'p rޥiPZ3FY|Y;$bGۍ:% Z&nwYfKGcQ8bBDiNU9o<i9홈k$ykީ 7Qp1i\M~#d2{Ŀj,C,3CV3S` ;ގIPmkߴ4Q #G >Lt!8"h?S!nL pځqQ:p>@"-3{^IKarǮ'[ ;I" K=x.Ku.PѼ{ y65A<4&*}G ].Pj._{p(iR*.Tpk!-wRXfUĽ;pB=̹>Kvp+nӃ0<D¹U%;Vw<`*e_*Q;N$6S 2{3.C%8Uv 79`̤ rѝNKM^n<Xſ}[q`ĒN9!AM)w> Z Dk9Na [Zϙu5FpR`sScw޽k:3ŗўR9 D WY.+4P ^y82,e\L0tcF!) -gngCC|ZqX?V+]JBh܃;L^ݩ,bŤ阦XÞWUn].!\^6_\K,H"bлe?Rwp9 iOeM^z q\ExuUpˏt+a &|ľuP㹗-R6X빔l<.'QD gCq읊$eGh ijudLOZ `nR9D]2 -W( r>EY 辻r6UxF9<:ڏNXs\M>Hup;kYq$᧣@ `2U"CNdۼKEJ6uhPvDiN];CnE]=oE$@iDJ-!@ePq,mq ;YwSGH-'oqD婜[W[<z٢w&qܭ($-Kq%j,w!,R#6 u*ƬQ[ k@iڊ=Jp%aP3<d׃;Du9}zr$>oUA:x ZI겎7.or 9<<DGspGp6QWHV9 ȊB`G ǤgPiУb(<dǢIQ3м)cjJ"e{MXmQBxs}ٶ1H!W$!GbIq@ܴ 0+-!&q,QOVՃ>,X=<$EFNX*1c&Ҷmw,(-t]5cCA)({ET=|F'g t;I_SrKB3{%UڥYoV{GW/XY'ZR:uiZV(ELzmބߋdm9ӄѳ*cW|X_tJ׌9qLhԙuGf9!OUJ;-󽸏!["(Cʔ jqH0Q?l<Qnʮ[s:+>n6 ŐͻzLnC$!z[I咉.(Ț(nTvVs-BY}A%.|`~Ǜ{2ђ[]jfb6kHlRKGrʡdE[SmծuԻe~ ۸ +g+a5#[%VQ摝j/5 A* sWz rUV jмQէajlyQ f7;;Lln:TؕȑU;m9uBǥ$*n-C"^ʔ̝Hun}4~\w ߖ*X<K n/)Hoq~\+{@BV bSo_$ "벤O§3s6  7#i\cyIF:߾zƼ| 8vn.ҟ^M $(R{;U=Wz^<1}CGf[EpNwjݷw+2V۷㷴ZO/;=_ 5 d>4uې,eJYWN!^f%-*: ^0%}?~f|ypnP-O4ؕxtp7X4ϼC S~YSG6#}>I ~aw|͍rY/@T: o(%QYC0̠p<n,?>Ksoh_ ϥ4l6l6l6l6l6l6l6l6l6l6?h,7W;Ϯ5]t?RyҞ8bWc Ui>,Y$u;9o:m Eu5>̏K~9mW;z8W8{ejo,3c|wEq ]տu R?\tWPq*DY(}& @ʯִQ{-}naT\ q)_I\iBfu!Kœ)k!Vwp~#Xe>^t=[йJ_&{owibJupÛ)7}/f|fJh?DD7P{d|8q)h]9~E=&+= ~J;SP}]g=F1mJ{͒Wqxhʹ5wPH15p1vNkvTekJ{d5Y%et:ukkڶv[[518tN-0_iYKvF"6`ml5z&ڶ&uGnbCE=s|M}^pMѵDF7jo/v~ A2Jb{FEH´guml{j5=$&;q 77e  Ϛ{*.vWwtxML JUo@ vH;틋|ˍgN!gl_m)qH|x]NTbn$M?'/O3p_ *ȭ1>uɋ'v!;_qmT'Jͧ$F  ^qC/ gc'?~SAqw)xvk: ގ'?[ß(:H /3>Uk!Ksw_b#+/2nJFvF)پY̱wXjI W't,Sev]X[+U4zoZ\ j'oSG#Պ9Ԁ wVRR6kNZsLxP\X1A {U5y_#fFU9 &Xrh>aLO?jlb>wn{յX}LR*Ca>RLw̜Cf%nfjֽ~ėÎ45nx#ºQ~g6S?kSJ,krȵwHktAdv7*LAN,rN>rۭ[I42F4uݎq75vt ݐ:sws/il%)_A{ 1Sh.xcM++rV:_ns:G3b[*-Y(<;3aacTHS[(<Z|MZnb5I@AjdJ;c4FrJ Z@M[t ui˰_3Q_iEҞza.mI@SaPϒanڄ wx}#*76)i#Rg>ןv}?;Rp9VuN0=Q& lMw%cq&%0jL; 0m^r6t턡 EiJ:J%Gt*8I=k8* hJJɠ^pۆL.YE-yw ˚Sn{jRsTJBzw<pxq(/QJ"ë|!G|>Q҄΍g7ix-RvGz e])qy4'=C*pA{$~ q% *H*9<njwFcvH/Y_`qd#Js<}Mws&54#sZϱoGݽ7@⏍sZ~jVG>fɂ:<6sW0c/ )@Q;XFGLJ AU޸CdO`Ą mJ 8\:4+Fn( j#Du7n.L5AѡK!&<Cs"LN@wTZ!)6vzliGORu5JvlS]>P7\3`E;UE!뙻kӋCiȂH+sbx?VJ_A@aR|Ou>Ē.>M0-q sbz +)526v73@/4ʑ9<>:eg z3epιymids][ji)L>P11㣟b@i, B##m0uj0:U{S ]¯ʀ3",\wp*q{< hA!xOhdF IeёT-"LT*po&etS^k4$q +0],f;z JkbA$oN;j.=7 /6g2nT@SʢE 6@.SVN:gA8= (wpO@ٔJk,#2٩XMZ8=z%L_٣c`vb ]X٪xc8aqnb^lilܑ|Yʌrs$Kt&"Gd'7ݟG긼p9f }Yb@!GyT>Q8k L3i騱xN:IUHFT;;VH99"*o@O}tz}wJRͣTަfkR;n|ɽΩ\ ;Ea:  YciQ S`8S߶!L1\kD;LYLu@oO+eǾSOI=0%DHNj&Z]$;;)nvSiod G|Nc5S_m{%O>s-W\ FwDŽMG^+;<Ǿd)zZza%&'^{X$jݎjX2xG쓝;WyRF[w͚;VӖtgg[̞'ppvN%&ƍndr#UÖ^q9݃OLp' V'HMngG!Q B2,&oPOOִw@0<8#oN,Vu`)7"Y3KY8"ۼ#=<m/6YAya#= eq*i%9p<OQ<>IwVLvұƕ бS=5R7-]aXni [NH-+1O]1o|7:wK@'YE*WhڝunGpN pOYC?z ܹ{ϓőNFʊ 0 Q(rr]ߙ?zBi+p<$\%l ,"?.p_Bi(W؃;Mwb{ϵR/?d[NA2Gچe_v4ٲ1K;x5$]c#pp/O"E⳦v2$7Ԗ/vjUtB%!ENHV0ec4c=g5%eLo|ђiǗ ;Vj6%r}ksD8ێ݀;=?'_;i܀{05j k^#5ӃtiP:}N[p=F,N9ٱA!ouQ]Qc~u{y^DPnqw\ɪƾȰI4\CgHbFR )/60> ;ܡn>e(CpbVrQ3QUuw!#<xs@MRkZ;U ӊ\փ{ިN6?U_ӯ -C.'"E =?lK'EU~G?Į" Hibw4vkTMBuʵp6y.\MBRLlP%N [W*>XD!&zm,x`!wx/<[&lZ;.&^{O}HjU; RA5Qt^mb4{~Er_ݬo}nR2"I.<Te1C9N{&K45zpFrW7pWU3geWw2EB~x@ fۈ(bKSp+-fd3qx(*..,uT}#"&ӳ7D[x[kBn H4%mkC9k3ARhv\ƪBeŤ94*g UraܧbPwQPcsQ]wWpVoK:/mk!WkɑޗWRH85TuhVɋQ@/&. _Sp$W(Tj!xЦ]pu\ įۦspK\5%_;%u>mҝnu ڕOƳAb*K"W3ԹZ4'`0n˜Z%"[pqW,j]@*VDmzA m7="&p7Jĩ.D]dwuQMP)j^bC5L= ggI! :mn^ye|ΖW$۞"+J[3V`[_].~⎔v=' $wbKPaiNQqV:]5*s g%Ma[payN.}^H xzx?''7[mMa+HuJ̝]6:eW*yA*K>FyK0nfvW4x)^: 'DJjlXQm؂;OiJl[<`D]Gᶱ$WN @CpGgi6L|B1%f5%L(|@\0|n<3QDY`.f5wPVJ3鼕|$-;|L@x&S^v)wiG}fz q#'['K¤ 6i*(Loh`Ȕ'2 vYUjϽV95ޮjY&U &fIWc?q0ЄWi*5x!DXrk{' }kU$OTIT#t2ՃRLǗ\=swҘ}PsrF[̡q^qh+ˀrNǟٴ O٘GSC^<%QM쪋JTY׫T(rN{žC,֫f_TܚSux݀'Ə BZ}`,>fSq*N9QfPn> ڃS6ͱg<4YV{J,̌a?G %TgǂZL\^YXh@N zĂ(EPSS#MLB ==U>ʿluv5$u`pE#%[!$Y6?xiSF5LÅ[m0iYǰkb2nFL) pAkx5fGyݤ~^BZ]qLyuiRWKtJ,@w`Xn8EJ/qr&ea-|X q[wFgчv! W4;aU#~7|WjN8ؙrF, dqRt@|=`>{J ΰ}JE1KPPԳ"T&lR+/Yy?(d9~b"ތ2 h`%׏AlS4-vO}V5ϻ޽16W Bz3;9tuIR^MLuAD͆u#U=GtLd6+]CpIq vN'ƵD\nXsaFl󍱙>01|ʯwՑ;e, cq C_;949M5IwP<vjūP-y[ ~a׍A{ gX"h-z_R& 0q ِZn^W~{,DOi|WnQjcBڛIwvnwvnwvnwvnwvnw;ގ;^J! w vmȋLIBO~u^W?j*:{@ :=|ώ>ڨWRG?=tUIS3a~MMsG}8iqt)R')۬uƙ ,TKUr0*))?qȿUn{:en:sҤ`t>oN9<frZ"rKدė|nf?ٔMOs 4dCt1ddGKB9'$@\S`F* xʒvR:aw'͒o'7NɆAb^Bg6;A)w= $L(S& ZP?sy )%(Ւ'w˼N}ۚI)a~ٱMu'M%> xp ~ CL5U5)z?Adɸ~5%@ar <V1MO2985cxͩMd/>~1H+O;1;/8'SDV- m`=@ ,i]OJ៍ARg哟@s+2|2wE w`E.!)^)qq=AzaS;)NQ;R;$KCm!Z7n̟0&9":i B40 Fޠ*6hĨZj bԉS җ)j60<8ȁwȯ^&iTޟi#:JUʦ-/] 9OOO|Yjezw9+web1C(s^O|޻}9a8Ud ׀{Jr {J~!c.q)QoM]IEk ,/tZh !)ڕ%@@ D-X.KR3)- h,4/JƯNL1ߣ=xbӳA">EWQ;rgTYc0޻?pWGQvCJMLٞ< G$m9D"E.O ^2D!nf>T?M p+7 w̙{xxI_8Cv{@p6 CwkDi|śԫSKIO#!::Ƒž6QWi i]R8iggDs1w9눑 ,W˘?3{X4M 6 ;M:X!)HX&= efE kr1%IwW 4m>lmŭXv/V?N_k9yddCD]!f(49c&ɠG8O#D$DĄd9N `̭^{X@1MT+vٵwZDK3ܾbO7BBƎ9>%}Wpoʄo.TD29秫EXh@INxVL9/%szڤ6`ըSk$vOY ~F=vVeeK]>T?mnoel}* ȔT~H8 25R2d&OQ|( _N-+y5tp](F#.\L!N>C x{&pӜaѰiÆMaC'g%2Qf+#'lfA"3DYY:Af01ad6yM8nZ}v &6`i.s36뺰e'=$ezW<?#{1'bj0a z'\} ;H pG6Q\_D7vHIK`bѾ$tw;h TCq1Z66JRDHZI\9]d2EJ MEQC2bSQ{0u{7, = 5@r%&\(o'7f݊t ^J$#h:)EIpS*)σF 7.sw ;kSFܗ3_)K)/'p50z]ejTl^Ɔ]$$6<&&} #hdA.Me3Rh+M뭦ܚys<TJ &nU:bo,f<$1gu(XfR 79 vBxY؈;|~Yie>pM~?6z"#btdg7zpJX c3vvVL!.[Rȿ.UeEZ!;Ê؅9sk7mCŗfv`wRW|D@V_XyN&TuXѵ okF,rTWpJ 4\5)3=7vR$R;"PސuMV;7U(%lnyexӒ}X~C4ua&bb-,8$oڮQd1z~ ΋}ku0"DD-ĒQAc4xodBRE2H/55!x>ԯB > DmgI'%"G--X3;/:)w5032{^e^"q(p!C@Ζt!e`%l9b]Q|m_jp/cه>߿4U +wQccIK3*7Q tpg>p)AkW_U*|;GC'O.p]q_@W޾x MJxH|PDROwcg<X Y -{CJZjNhP ,qEut%Z-=ٵ`#IrxkY0naO)K4#KYd0u?ư{:@m[r =d*2Ii S'q[?視Xٻ{'nͯ7.FAO쎷ۖ `Rvb=6gBwat-(щјĬ8iஇV50UyV7E" 3pozM:GJ3T= eI:u7U8إE pg;(LflAW_E44T5~Ib6aJ8̼kjՌAYȔ:w6— 3(;?4XT91Wp%Xܩe%8P)jI@.\?j6LwDŻ̊7^:%"QB;h=PNLPC$wЊ_iz9d!z}ےCΌPpX Mgp EXֱÂgAQ=fW4嗍/K +gp mhgS#j>]2M?$Γ#wp3k>L..<Ҋq:,i[?^8j$ox!VSQ^!v imX/)^OrGz!aWF+ԏ9w^K|GZ2{Q<]=y֥ЂsQ^B9L8[g˹g>r]׎]PJ]@޿wZV)D_]ܽarT 3wcnaw/^2KPF,_Y}w[Z&Ļ{KV $KTpo+eI$ǨNaU5w~(=Uu;ݱV&@۟VRŮP pr0kmi%<|2 1b iV#!{p:_iHcwrJL( aHT!:IЕI}8:+Ì~w/v.~Ozդ` ȐY2}p in 觡.R?gpW,Y5ZS}ܥjB;- êG`ef0.S.'^%sם,xgUy|yb!3kPCػe6kK-тkG^uܧ%S#:fs? {hwPy0` *֮z cozOT.^ۙҬBK!JӁ}͛/hwT^K8~(ns]L@,C&@7qe?㎧ùQ!Z1E8E:$.5Y&7pGw]5>CJ]du\7d |-IUŜoޡɂ؛pgp7aZ+/#Qp/DJ֔q][Cv۬"hJ\͗BK%y ^;TANFCZZf>X̪'7{%ЗY) m9dacDj>C+yxΎYAK9 X]oAc<|E=AXpfAN!)`HH7Ʃt|Mf&ɾViUկvuײU_t% A1j5%׭oX@ERw+pS2FIytY2|/^G۱q:*[c:B/[ҰBE6> +/*ݵG"E;ַf_ԫf 5TXBF"oOvoqgb %r}gw&җkbL."Mz;'b`KfUW/M#u_<hJd~:(+E*J`KhOrB<\S&|"k3̝!y[k7:>p)ԘF.brb'rV67QDaհ&;j֋ۂneN5DM յ|w_޲5q߽|Wzt5_M%Mz/b05mQK?WEuDgdiwԧe#jo9GIu Zkp[*Jd\%`A!I!&"=i^uq|f ŽZ̯6+;Vcvvz*.LLD nǶdR\'m_䆡jxPkRwj!w0GO9>isyM5pTyblۑ#"S:~@oe07r/Pյ  uWGG*NTtaܓLO V[ zSZp %lcǸ}}3Q7qe|:'7m q|wfCħ7[bTyap'ZWw$>Dj[+魛H'8ƹ`p9v%iF M>)PVPkCZVTb0_Wбyd 3]o*ʍּBZީ:u8:[rdi<eCf2s;UBsAFх}$ݪɐoFٗkZ_"9V*m߮^}݁Z䠽ԕ5/8 lmXUG4~?<ʔ#P7 Ļ]bsrA{lKM\juNoul,{Mn.ya'ʃ?՗_xAou0DJ8-ᴷwfuE5d~OO`n([?kWiuo63!6.V-OV3+z}H#U5! HŪl+w!by :7 6ׁ2?4OgWE"_IF>cG :9{kϞvjqoڟdzht4|:OG#>&;;;;;@@@@@wwwww@܃ 8<?=rW;X?6~!5SV|Pnwy=:+=p%V/Q}JArxU<Bq C^ZC[x ;9xy+?{6x\-x@<myW%%rx4jד> hX4^O&^~q?D~SN4LG(:x߳z=> 3*;s4t'c'EtR@"/;t~̫gG@GPgZ#G_$Pjl5=keXsOwwy@*I:,`.6ff LF='K_2{ DMciQ|ػg{3ؾ RƑ-!.֛!ˎx<䏐E$b 醊0!Ӟ-7ħ7$7`1cI=o^c̶9?5er7`%;nI+B_ܝͨ5sF2x$X6*E6ݼsgJSETnxmU^ȳMx3r荸?~.N<{謽y\&*-X]R,j^^lO!OV [_E eV(K[RϽU%YXqIcf+LV$Cf;7]WJ}1zdY׹M/WT4.onB]w%%_/(BR-r:r&WF? w=4dߞ=$݈y{zu:E9wi߻,&FeanKO>{NߖoLr*ŝ±LmV ځ!{ĝX4L)~]MGR=li|oG!I]YBӒHۋM;2d۴1ĝ%}Jb2 {bh_IU!ĝqKqoW_HTp?,BcG{&ϙ'9 dؙL_i }N$KY-w>aO-K*3i6{3e+Ȝ}N&ϰetXߚls򲌩wN,㤼enn|e\^ɡEYn=4~'Et.5jwxI;cdNnB'ͳ;j2 "wi{8+ҢH qxM6 o{,)lsN~sqOK$J%Ftҥ!:gwrЭ oA#h=qq/~}}HzZmMɏt~'C:s煬~'{}ir6qq_m[ob{+t vFJyOWO|zͧdH}#}[+3ʘ>/W-8+axj tbb2D9v>n( !%[U}E+,fz: C\_WxȖooiJ4[E5?1W 7ϣTlf-<ZB6LxqU)O}wHTu@ =_73ʞ  !<SbeR( p_Op?#܁J),igIShUÃL2P~*k>+HiJp*pkVp5u{Pi9{6egp6e6iްMկǡlX};U5;g&č~;bg^͚I`'TorDrH9Yi-(-{;NӾ{`~2gaη]3f*' PMj\W/xk?IX1Bogal9%a@}oXd> \\K?FRfW<5 IJL׬7g#ᾛ7ܿ%iAp` 7}M6F+ ~VJ8\Wo) IXl{>izOca ~bpfe?>X 8CrX-W԰OĢqnndݏ[QLBܭEd'v&c8kWܱ2"bWC?%^}gyVp ^[F;y6f4wW?s wYTbS  +x`Iv>ebx{.yV<BFJ}3 i\G/e̽mWd_0}py&r?ehcpOY|WxqqI`U̍hjdhKvX􃔻y~/2|~X*!|{R><YEKC;8" #A糭Y`yn%|x/^;Y0Xd?g |;gRU:1重 1=LPj8) <սr"q3RԹak,3No pd}}Z-rW_2| JxiU5iTmǽ[+. !]#eA>xpG#WaCu挲(kc ~T=Yp,Zۀ{82%^t[g{Vk o1Urـ|ZQ* 1z, pORCƹ/r~XxwJH9-":Qu<2yu<5TeihKofzPEw羗 J^LpwRj3ޭMnyf[@6@9#p_}:3d+.Iv[Ƌez(#%[޷?;]j}hD01e 3([eX0猠^BΙҗpwzSiqG;v*EhyQdݜp j?)w*o%x]RcϋeZ2`*I{ݾ)iCWZ(9pwqϲwlN &xf~x>k-u{Mؗu6e~\܇y z^ uDQz\0Ĩ4doV"rן+wLFo3aYF"M0cV {իкW"rsќ4C w8O N;݁UHc=XòR֭UGgAlkECCqg#HMnk <AXvyv35TۓP"3N'L}r;Vn~r76\D3eU6I՟{)#ѐނn?SKa%!eM!}0j[h=Axb9kscg}38yiv:Op%S?:bo/f,2swz;LA 5 ͖֛_g25 MVܱt(5]ϷdZzt!ܷѼl`-sLlk%N+EU|Ru;=cNgp٤nj- ;RU*Ypl詀DeGncT薱6V;ɐKZϢCqd(np d~7uJFn{&4)FАo+ܗ*EpUg; #i-l|__ pL<y6:3} $<eKcM"\劮#o5 BhS;%lMr7gQ \k:&jZSUa}swVssM<r+F&w+D ۅ@3zLnAƆY[ឫ8Ve$F3zϝ(ݣcwd-/SbeT2OBtۮ_NtsͷUA,#\2%zh$!GtƳLۢ)f>juȞNpQ(KwX pD$2%.$,HK6;_|ֶ'a|< 30&w*n{]<|w=(kђL{3.a>_ј; ók:kze0r$w_rE*|tʵrlNjB2lo䫐]ޝ{Pjo*Pe<~&B=KSJ^]םFIɔ7sBmrP'a*Oj2ob%tWlmnj܏r \rWgK֒QE@ЏcKG1-b`bkȬ2 %=[9 u93\2>޿I-Z'wYXR16C1{$w_0:_ şa@9Eνw#$c2:S /`"wav#&+(2D$w=*11ҊeeF{U;\gN#w5 wL9g|0/lXc2/ŘeZBko1qT:/7Yzp'2nVȶTd~G)kAS9ij+:](<u"a6ىƥ:$|(}J-*lxpJI/Gva4ŋ[s S(K0yd^˗ r&JVͦ[zm5" HR˙,Ee4HJJ{DURr:-˷=tjg#3J䂜rȗ͖Srfo45ƣ_,dHhnf˪Vs59+OEL[7MycPq&}*F WRq~mW%npzRОoh[]/e0BRa*1Ple징&X[%&Nz3񁷗 C " /@65vizfJi^"T[죈f@QҫPZ7^@TI鵊m΍IJ결Y}WWsG&(*h 10X>=/E.2e6?n(JA{+?d0~4ߛ~&LF7k1`_|=Yxr,C9TѵGL4CVAV(Cq%&unq#P.|5?K\<kzͬ2y5cn+zr;@r; @r;&pUZo}|6~*N"ܿêU+G(ok?'#wa?}n7+ʗ)onz/[]O߁{_g*6eǭ;.,n {G)(#UsSpgj9%vJQu Msv3 fB02ȏxC|N_=D|[cі^/vT6loDg<INH_ohmTݲ]XBxs/0FJ=#afqGkrlX` ;m1gLapM6x5K?ϫ>Sy,jfArF5A|'b"dCfBCQ4<χ{hx#wlG#u;G|.L{_E*eE^6*"wȟgM4ى&aS)wYϐZğ$n];(OLUir3Lyyɝ >N)׍?잻ra#6$O4ɎQ?n%(4h8/2aBrē/?-ĽlY[ZխhZHf)g7a%(*.vEFի /Tclmn ˪xF4:A*J/wF%`NvsȚ(k;7]{G߾v=}Tt݃6_ȣ/!m%+z[1 <l1{yEaw,(UI\,g3fg?|ehְ#? q{\MĵRz\-'t2GF&Ŷ$wV2ALF<KΫeꛥҍ w5l7!Uv@a|;2x/m 'MOg+5A2rh$ NqC,NC]&-e.Ls͚J`7yۿݟܵBeF]$\:Bvqq&I#0Łf4.q% "^lFg|)JjyD3D";lΙE3̤lȳcFq 4^0ak*ׇ՘s4"h4+f$p+QVXgmgt ;3kf,h''GR!Lkk5MkVy@i7Q)QZ뉹Iۚ 5['YYS+e(ifjCNTVBjxK+`BܘPj캪eTKZ<48Q-Zq~m1`j\by !QWW^5)8!kKFy<"3މnl\]eYVĞҥr B[|X#_;=*&]"M#5CEYVSY/ӌk~jаgV\UlJZRbUd ry8U՚df6cڲ~*\Î[كw@b@@rdHִAި<UQB; Zl0S(qIQܕ毋N\TRoei$ #]=)%jtQjW7q8}ɴrl֫sVէZ.i4|*vjMl @Zݙ`-~&`.;svGާi5X9^-{ը|qs4LPXm臩J4֯_e4.~LUpan$~hEy*j@C>ɇu, ǥI/;2k;y it@n9c$ΊV8 ϭLD~ʃJtq'͌ NI@v2)3a37ȘH o-şJk:$7LYD ѻGҚIV+ݖ=E* w׷xd3@e) [t?M1d]&-5Y/wo13vo+h|O66y`XF_%C%:i8)jTʄ@!lއzhT6&6@QÀc\S\>Me@gyOE;ժDcK/б-wNyԔr`,(|^k\Ӱ"w|LX7,~|8{9 Vg= ~mr[)[ib^#w|Ϋ.̱:u;\ೞxU{<i/ 8UK.`J'&jCWqU._9Utq-<`^Y7 ܧ`$!7 K`k!VIVb%w{ :7B LX Jk vrCMRe"^oA P/CMbi2|!(%e Vf-}c-N&-<_4@|B(  !O,26AYϠo5w2 \Q?Lp4<!Gg}v8%(vRV|~͸szlM8j7=<'U>3&0bא~PpԸঽJxbV3Ke%8иt_?< 7ޅ[_ @a>➱S==#^i*?Yd~3/߃ xIվIgx#ZzWļIlĜPz`Q(b5S }^]MixD7 amZ.`ywCjNK,fg3~կ;{dVsgfmìumu!+ն>:m̮  rDC#dsƆg'3\Nu/ iKF}Opǁ 3/PDOɋ9@J bO<LT-Cpa Ⱥ=nA%\c($|=$2d=LƻEr2.T{`Hab*qjR;ӈ@*d_$*{p*v'㸿?}N:4@6"= >^{Mzg#G\ kյ~ M( t4+Kjɛ[;g'RN #rY~ !xP!_oU 'LϛĶ/HyvNEӬo2ս%G+Lbt:4lmXc@p7ࣁ1.dJ؜y|NBe%45w3'1ݑƻa['9-xb(;ZNv"e ]<=#^<8LKzu^1b,:} pV&n2aFfvs]4'hz#?\LJKOl~9JC޴;焯߸v2yaJ)عAl ,![PYlx7(;6}HJ-fpleftP7riN;sJ ܵ'kQ0&uwT"㿼 N;wpǀGH9d"qlpw\ۓ۴Lu?uY=;?p_ ܯx^Pb ƈU0\=r' 07rdjkA\Kʗ@}6.Hޞ6 ذrbcΆ =Vq~`!A[Ym)CbDP11L}pC$pn~!!V̌(~b`ᣚ% i#[<pԩM xCk;W%`3jJι8#q)ԍ| !BMhHH+\:-cWvGatb\tIs-(ұwC֋6W"ږop;mT;<4iYK ON֤2c$6Q+:_˴v֭AkwZ1k<Z?.<LeԻs2<npסQ i^EZz_ýEQǷX=/~w"h*1͖i2=^ neƠI?}^%[&ƴ#KWPiwZYU$]N꿆_\^-s=΍[tzp.k +h{ql,lLXܯoQw3G!+4NiA; p*izOu;Ǚg E0,pY?hzp:7.Wý0Jc|N~xyM51r}-M r▱~C\FL^UN{\Cj?՚=3@'nZ .,v9Ƹe$\T?-wxZk%줺 gwX2+{ wT#GKq~]S8,w]mr0]v7d4sw<Hڽ*loS8gwX!3rG+PҾý|ބ}N2\$u3܍񭿏p7#pۏp2њ!'~ʕז;b\d:3G [oO\&:,l6l\t׍G{l 9piOb!:]X)B^:Hr7?4V+؆"8_-/(Λ#:ێa<[g 8#&y|%8ӴLTъm"<jS7;:+h3R |ط~害-ă0t7f΃vY=f)QD߷'ے9Ww< ּ[;#`0>wkA]baGdCŒH}:Il6ῴҧ/Xu-eܑGoGC*tsv[P^.畸-<lyۜ,lwx71Ys~Rt@B6wGG#MqS0FeL1ǒ>l؍{b[B>>fѢ&~Wc_6R,7 }Wisc-Nzu89p 8:~H7v#A8Z7`' m*G{K=Z-C^CuROA yR+ q 2 [yt[8VB;MmO4U8N5ٚ>Nr+>pSjwN% 9#_F^6eB+c`v ś/}2zBExZ֐i[[x sm'0AD8-%"=hgZtT<O(jo\'w/S88 8Ĕ /O4RڲYv;$Hּ4*&d+/;>gDqD&E7X8dl 27/`Ip˔ڊ:c_}C6uΑ;Y ־Zuti8.e+Ux3n_n6jk_1MKXʳjQT*+F<yÐIy0ں{D3ժX`+zbߨl_?$C%b?=FYA;YܬHMլT u+lh^H.&:QƄ(8 `@D\֔I#l/8:n2OReVB#yYEQu<$lJl^~NΔ+v(4v$8lgagu9OeTٖ) KH"ZM?qVȂz!~In?[roP)JLs񄹈'5XmZ<P{3NveuE3̑zC,/Ԙ6e/"l˸ی ;@_Tίz `t̅N=;Gu;`m8er{/ѝ Lpr-,B8kuڊ>c>}2x)o؟DZ?>Py%#-b+|K9|POn~XJ]msu8S~?8xUT92SL);^Mƕbrx`ߞAm*W'NX@o ג{esOإsB wr_o08W+zmj&dZ$b Pm{Z$lZW^w{htduެ<EnNDK䖃:=R:u,2+֞;<nj g{BJZ-Q̫rcI}s'Kqu-Y# LhGiOzl$;LL%dl9LKAf.ێt)iC1|jԚmԘDMrƬbz ֦펓OeAu>OI0OK[YUA1iMs/7q?Se>ڼvҲ@@+ ^@݊mÒ:c'3wu+մ] Úfő_%(hN:k /=]>{ 39@q|\_ ].Q 3W/I, ÒG9 &$B3&E.ljR-I ed$l4`i䑴][=N)R R4M+sMy!Tc;rD3-&M弙{t%2C2XAA^&e V1QMkc48Ep+KF$e9{l0:ɅLI➻5Q֦p0PҦ :4ڗT Kd3+hi4*p~Rμ&H>jejN7^, -N c Z $΂"rïh/t랜o7JDj%D? *TaERm!QnRJQSe}#Q[o\8P{ABoܖVKSOnEst5\8-h}lah;.%i@+E;n^^wn&d?u`CÂ-+mMZYv~Ml6t6j{H|Tl<Ls9&vv= y&=&tCl4ksOw*^E+$h۝Qxm_&o&1ϻt'Cw#zo%`};Lz. ȯWe;YP @#u)K7ʍpOPzHD=1d_[onPkݤW)RH"E)R͟ >E7&j)pWH"E G=e?<j xJѼpH˄c}p:>H"[9mȑګwEp?u>s591 v }M+Go9}=SôB8 wW]i"*Xa+t'8{x`{g8:iưXq-`כ|Q:{'".#PAFt٬6Զki6)]NSpU_wEw0G/ G^"k+p]@@`(p5t/:+O׷2o7B" M~(?s6GDʊ D]u=ڡ:_Sp|{Z+pWt] |R&r 98Oq&Be0=Ʉ ؆@)P+Ms !%8e\aWKŶK74(܏ @8R)&k?A."1_P*qPr'JGyc$r )[SkA D$ZЧ$nᒢDek&rb9Js~t?` a쵼ea %%W4]?EDp`"(|^%,+؟&N2TP,yTvcB0)znk%_!ʙ e"ZL!=W2kuv:\t:Hn$#bGgw#POyr7joqt1z=,7= xl8vz=hnyZ.ElDZ4q}R`|ra`Xm^B]7MeB*}ſQ8n~fʷexaC~兑~vqaHxB4cn3o(D}c}P*K  kH+1n>z༮C߁Z={{,\ L:oea={ "cZ'b^e/ >I Rľ= A;_wrϋE:Y@ӻf"OyeRT\՟ YUl3u Zn^ ~:l~$= Il kּbN/}Lwyevk>[ܞMD!T+̢Wlfo5f¥A}\ӀcSXS U\eZ1\@([777K5D` I%\:7[O9kԿ~Eє7㯸ĕ~+|rhը_*QU}S=dAqh? sn +Ϯ^8#;o'a%=׿pBro)GK/e"h~CyfF:w5w+pNu?$埂 ir0,0T7&c/05>wX4;may4i= %pZl4ُ<V2_ܫJלF'mĮLwy߉ƺ sm-[`%{ X*<RhLK<A<Ax_+r % Y}DE uO=.08{ƕcm. ì9`3 aXu''Ü|s YRcv䒍XBGoW!WCpקDZCHM)?XzA8EfF$rHwdeqSRtҷb+E^74-bp8`7<„-wr%H/nzĹb^aER#o@Ap:QGN13_6+>KH5]cEw.+KߖҫYfe X  A˛`+2 7]d&s{Fiwr6~N1U#HM0#`?Q*C}oMR%ܱU1;Xj3ٞjcwvnd/DsPmUx?lhJ wk=KbmFWF蚣͔>Ǩ0jTsg./ wP{9V8B wR -{獢esAe^$˼j`0uOýyKc 0Z,zs'C{ܧ}HF* RRs8Wt%܏/X G0(dN1ܸ@hR yasżȤ`E0o8s]EtK`bCzƏ<s<G^3휌U=Fe n͹N ʇex TN,F5G&pc~Ze]]. k;{A)ɾB wMTclDp.z$ᮨ8oV8:%ޢ{Ҡ׍ *iπMAx "7‰I"W#7"z7;X!OZN=ӀX-4n+CʌwnwT;tRb 6/Pjp[zOq/t *gD>:t x@S+"Oo8zwE Ýnz!wp'6G~Cp_p/̻_]{ߑvd$pgpg<ۣ\ syle*#.>]y%Rwi>NN.{G+?;i^4?]6kF wbu'>Tp]Y* αO=>"9W( Ul =;ps<܃ 'ٟ ;:; -weƖs}Bsg?{sgg;*yFX\(Xl^4%1"E!f.|乛?W^9@๦g?susFMF}s ;(OnS#l', 8zil{9CX*ܟ. wBx,nU6{hAgcoH ;zD YT;iCyJnxQ kDI֌U ΕtZgt<)=!+%<3>ܹ~>{yQ@jJ3ޣ!ĨOC{}s8w]jqGQspO4wAT9f4DdpMsL!\eCwQib r`2=sp0:; '_渾H4 ->J^ms7ġ)m vRU zl"(4)sn]5=jTbCt=3ұhٲK\)шUZ0ƛ.X/T }rpu΂i*W%'OuЏfIe$6IÝd.a@.<,tqYfq=w+{QkmgS)E{0,'3sg(<|,3I=}^O= &1iͽ yE_IgS ӞAF* ]4`ZMz8&?{1)2B4Oxl;>vx满 utS<)x^<9V<N{p冄\Zrl6fXJ֒S[Y8=ᎱV덕DH0xaJN"O4ww8ۭV90i@B&N!p/4 T;NDӮtJsݘ<PpJc{ŐAK`+δ7٣HR{A=^L'r*л [}AB)[OL{]BF[{ jݸuʨpTNҩY0ȕF-@;\t NH}TI( 7{$T4bcf` 2Ƙ]< P`K1&8*Jp' ~3UJ,>n?w{Jgu^}V^vBޖ%ܗsۭәcr 6yNy:Zik>ڕ#-*,w+ 6 IB@I8TzD?)G[ᎱU Y/U0QB=0dinmkVHY͙*@20evEqULۅڕ7: x`8gc,)ҙ<I$\wf)r٤:4K.у >vBT]6 I!15Ɠ+e 7<9^HfV3\mmN=.\/e-yQ; f<px7O+7~r94J/"׮?inaqA_:@ώ3T5(k,妑V4ԯ|<\)'@ teՔ3{COm|V-gտjPBpdrO}?=>.-R ?y8#4/~a %Dd8^P BvxcF:>F'j{>K;}~>/$?|徃?&>jZW[Tm63{9s8 tW%u$4wLOR4kmp5pm7/7m{}Ę-NFi['iw&wKxNah͋*[l6fj%|e~?q?pɽzl<s0q-$5fhHLᗮrˢ|W1jjj,;_U?PV'[kE4h-y.zevqJbdv-:51qpFc$?~uE<Dۭ[;qOUTT9F*7dܭ81q"qpFarnJrp3~ /K]0q/7qϵFe~骃qm;{}$ݛa$O_hm$pv˔^k#TTwS2\T>2-DD/YmD +n:W8qwݯ?r UKwv{4H+n</C{1f%ZŢKDeallΘ2Lz}Gi2 /;-Yp0e=0f*snLw}nMjwkg'11u~5DzfYYnM$YIfRQ$b;VA~{#k n~w{ٽ_ Ú]Ed1/FisciE6.ny$ c\c[U!-@7nr/2_-?;Z&Ӽ0ykLyQֽ.S7ƚr{Ө媐'ٝ [-#~,u?nWe3}:aY,6nj;kFl=w 7{߬{ qox\-k7Nxj6CީbZDŢH.֡JLNu Vܙw&w&wĝ3 L@ܙww&w?;Nw($;&wXNǾh&w 'wy;&w]GH-Ow&w} Ь[fdq@Et %;5@w}C;J{ ;;;qwqwq   @@@UV䋨IENDB`
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./docs/static/images/hosting-and-deployment/deployment-with-wercker/public-or-not.png
PNG  IHDRf,S pHYs  ~ IDATxysTׁqGɓyLSĕ<'.;e'3ލmlbb32 bX"@  ,&"$ywiN_rԭw9=>ܫ>}Idids&&&&&&&&~֙~ڙ id}!2"xd?E_R$,3_)G3ze0ot `F0 f3 `@0#f3`@0 f3 `F0 f3YOse6]b f^O̲V.2w b&ͯnn.5ÊV NTTm&%dW3PSXvY^n2-m-o5_Z @0 2SP{-sܽ{799Z@0K~ RϘ M{G{ZM>=-_ %PZgF})\nQ NZ疭h}{>:(F}\oJ(suh}Z/S\{oLSY enr|.`֩ +~.6[PBxή`ܲhPXih{Lz:l}]cGͦ-ۢ.Qlx#s^fmi~S `~͌B4$?ejha5š™>k;ϧ~c~3#Mo5ox7ϚK`uS}3f߬\m<AjI4 ۑ2T4^oZm?h*i=Z[#[-3}Ͼh:::8;wϛ>BA8QgEцʥk-׺եuk;Ab -41{pv^6C f?(g\/ yN{kl8py 1|1xDysMΰ]>g9RIkf^w;ffޗ//i9;nd466ķ_yԵTTO˚3WJ7? {OLىrhW? co-|ì^!n=^f>d}̞дv!o1'',a#'eIݿUǣ]qkcCM=FZZJ_xsLcSSr<U9Sq 2fʧ;N0۲ȼ?=|Wd?/8Yng٠T]}9fmsIvssɝ2/mssde9Ü?@0Kahpca-w&#T }:`%lH~FkTUUkv2zKKK{|[ݢF3Q5OY٩^*9p,Y¾v|Utv߳*}%m09uU)kںmٰiyEPAS!B)}`[ f|vYrNL|WaV 0gG'S|(<Ѿ)iLZH t)Dž-*7 į<{>3 f*s͗;%ϔD[W̊vsyبf=|QR9"fz߷!xft^^s,~eV2CvL(y*=46sᴂ篿nيJ-HBybZE.\BUeFTW=xWY/=:YTŸpSmu1ؒqP]ǡң1*Ei|O31SIjZ Uiץ`7[_?[-)t,e'#ǻʰԢq[sǼl[`jCq-VP[[cԪݏ}f!]}C*-S8+ݔ]=hUo5 }qcZLV0/~ܹiF|^~l֧KmkZ>h^G]j9RBzlSW"2RWg</53nⴘ =^9VvV%^uAV^3:&<me1>D`j!dF0S Ma/Ǐ?MOwןn0S(<g#{E;v\bӶ/t߇=Þ?@0rY)laǞeL]zUI]:q3bRpk׮G?r~q4&+ۍM%+v>Uv g4I gϚw?>4ܼg1]S5vR5L-$} nrSe')-=f̩Ux&-n0SW떎1iiSNtw3<nwyOc``yEܹG?8+t{އ=`#1fWTן1fJB5ޟ]{dg.Guwj{4.JCk#HZuMip śP WK,sFPBٸSS3 m(ܰ%vR?bRBIpY:,4Y0khhJwZc4_]tQ& f< >^0 t gU # fa %][Cߕ 2U*7n:pvw46H\zOaC*ҥV &0xD1MZ󆏞`urNE]f՗kRΧP0㨛-~MgԊB;Y0vؖc)l?L0S<I?UT v˼S/'`yY<,Ѵd3yޣ1Sӣ⩽zͶqf l"զV3Unrԝ^6*tm‡ݜ:t7kKfM 󧬮]a[tW_0?bߵjE縨dl|mJ̤|0LB[~Lct~[UsB78U8`yY<_L̸p\k1/o3 FeO]c4X; 0kp0U!7 (䩲{eTq.D Wk*MT9%C_QXC==r@R˜TWVL`& u/9^.V.HUSκ0*f<+S BZ4_-ڛ63u?o+xA=C;c0l0 [>^e(<c*|>mτv~q*7u++5G3̺,y82[+a{-s$nlLU9(gTyL'JcmoagW{(4K5&WAEBUɻ`KnNP| !Jj}fPn4)<G"_ux&' *Gͧz+G`2UИ7}Vtj >”O6)U~XsY8}'9 0}&xnY4$M,yôu Vꮬ]gj.ֶiuyjZ[3ֶQZT];z_D=~hpEb\ڝZZ-3la'+uˇ]pyͰAi~Iwz~<~ԕ|f0fcPeZ֥5a29"`v/GEڬ2-Ou^<>4Mcw'CfRZgF})\nPhynZևNji;'wa,3Vg̎ M&}>Y@0KͲ 04i~}_BisMnfޱb9T\n2-m-o5_Z @0KSvStqV.!+Ir<Y745EfxN eWk{Pi,7]b1ް7o5 `@0#@0 `@0 ` 3f3f @0 `@0#@0 `@0 ` 3f3f @0C2%%%f޽ďŋSSSc.]ڕ+WL[[3Ôk^}U{,Yߦŋ P?"9rHyN:e{޽k~ms f `Ə}vY fR^^nZZZ(@ `ĉfo;=͓i`zj[_vfСf̙'$=z4`@f M}}}Ii͛i0۵k7nٰaCȾ;3y.L&Nh>3j(i&ؘ0ݾ}L6lܸ1ZUU݆{d]rYg<M:~N^VVf:::̊+lްa֭[CЍ7zUGmٳիWۣ,gݺuv<hFar/\t~nٲe1? 35S9}8$ fGf;w2Q7g쉢֭[I[.Ѽm۶@4hРoā 3)̝?:t|fѢEqY{{ F / Pr%[kM3m]QQar/sεBa?AM_n^{5sܹ)iq}h999f͚56hرü1AEe2rHmO[omK$f̘aVO>Ć[mJVK̂] :V *Çc =TN<V`d*Y R1h2 3m͘1c̝;wϚ5K+Z~>ӤL*Ǭ[T)S}z_Vp64pޕ2rymt`s3ԅZYY*PaTA@056i3Q+_}OT,Q0SZn~zPpB9?GAAm-sPh̜ ~w G<߿|GUG]z,ndcQף^Wk+ u\]ɂYϥ+ nTLlzgue fUADEk V~1UjYS 3cRKIV/USxN.$ f%6p5ug: ?d(>&ڞZ 3gNuh̚G0K̆ %kRk;)Tf\ԢnBRk fg~`0S0PW–#98+Dw f1gBu%x0Le8D-_* O|Not`gJO ܾݼy+f+ZMq^ONڜ>}z`˜zTSJ z2PZ򚛛+> ޱj*v܍* <S9k0`s`SԶqL4l \k@0#=`;TLfcǎ-E~% fnTQ.hйZZ'w7@֦x]0A6(9/ yMͧ;0S zZ>'MԥURnH=NwݪU x+S7njh}6x+`DQ@ GdrL}"^0S\פ4UɂQwB5VJA@Sk f O}eLM S!JOpB]7SKX;~NMG4Ͼ}lyL۪@J-KRAտ"L0Auuk_5`Rˋ&/U&{TAg<ܨu=L l .aוl]q ,=2DF& wKD7ct,iR=k@0{"H.-ޤ4|0$jKK%+~~4ɓ/fj"@0#goguzl:tw*O%;@0 `@0 `F0 f3f @0 `@0 ` 3M[6k׮u{9mmm'O#ǎ:[[[۷{v֭^T<fOA9M}C}sҪX:::}---fA˪PeMEY[ޝ;wLccc~za^=npc·=iU.B{y ̞P5cƏ5wǼy{ !RNd޽j{޾Ϝ1r'fe_1˖X'me_/3Iq-ߞXN{d=ec~]]UPy `4uTsL:9ceǣW3Ǝ6 :ha `鲥=vVt23bHwiY"Zo`[6/]^g27o޴-Kc'3{Y,7{Sʕ|૜jjjl Y3-^$asӖMv;}9Ŵ@j[ e} ղѶsМ! k.6CG P;Õ+v h?#of2i:z}]E\;Gץж3NM [n*ʳg͢_ٖZzII>smEQm:\z،o΁HY_3g{lZ- g+mw[Y2q:O˝kLN{竨}_m{x}] ? Yb99 <OC,cF/^ިې<Ye ˱ӦDC. ׮__)vVĩіmߺ`ׅI]elى2;RfEL.t/_-Yl/un-mjV%WKTF^T~*>ɳ]_--Fkg*xD*CU7"өSfqZJa̟ke/Zhv{P!Qײ*}VSۦe[at ; H _Evy+Y@Xk Sn\VVz6c "UImWEAS.(*(ܸqÆ7뮵ES=NTSCuګWm\T@I~}]^[vt~9O+,]wC<OD4匿nۆTs@0EX~QE.XTY\~NAIhU]\7.jSHEI.GT{IdK^7j-E-P ƪjVZitAmB.gϝ24H_'嚢;R~Z\ Pu-L;FHC-AɎE GZPEևsۖ{jj1SEoPOL-KWjaչ)Q: j=Q8:-m֩\cվL.2犨EL}W>xZ<y/j}w aeÞf1WRAê4t/9Pb~a2{Ek]utwB_pBAJcER])4 (IDATa9Ѯ+[]kƊU+̂|p \׹^:ӧ @R6sz}Uhv,Kgˏ*sgۖ$wi]W ORѯf~U~W$׵Uѝ>}Ly&;["і݆ӱtц˗mykjJT.2q+/mٺņBkqۤJQ\vM^jԪ .ܻ幖T)dS]:P1W2L>d:cSpsu_Ziw.S\[*)Gɶ!ay h_\Cn+UWt_.ׯ.Zy3V+U_5/~"UۯdT_k}hnnVWۏT9¨푊TQDh]7@Zqo׬ JX}^eẗRu5UU=hUG[^wkE\2u2)7mk[WE{YiLtmRˢ\] *(il=ɎSPsPn7_p:: fo;T߇l¤;obMc1>{G]TyJZmCÞf]*g⪋™º.uW.>q7h|k]_AT_QҠ^ [G,*I /jT)Xh܍?ܧ׃ u}q4.A zjt_LՒ(%;qQ]jqhyC\Ƶ)+ThNmMVnrq`1mҶj:eKZs\󻱕Zk s9NGըKI>d$ov);y;ƛb}w뇉Z\W]hmU2ZmCÞfQH^wKO,5~p|uZ|U hK9\>cܘ ABN:hLkU)_zME3>bMVr+}&YW*Z;p=ȬC-< Į~Ŵ~^}>j~.Wq|㠻Uz.@2U4G3O-ZjAPߪ╋W w]ti&y >ZEe*p\mO'_s0XU}#?TtAɾ.̶z_cYt n@%D;}EyιVt*cuUy?kYLJ*񁇰E?]4Ϋ{(ԯ]u!V<f]a_zjȃDԥҜ;%0$U>ѳזt^H5`W*9YmĪn`MO+W]X`HZt#o[T鸊~~V]4jع{Wx֥c D}Nq-%[ 5X1-U:vjQn.4"”[rqtZT& w)jISkTYtyC'_s0X)Sh>yT|=a<.XIDW)?ZQ@,Ww軣uk&9Pk.rZ!\+2['=ȯL zOnN9̍5eO],ޟѺiyںq1Nڇd<~+z㘊Njh[T)#l%+ -؂Lln{a&l֓*'8$E oRs [j Njt7YiZе씺7ժ\9H9<.VL@04>R] dnxlxO-&I+ANC<=7f]fݡ]B㠇j~6|o=)G=7f @0 `@0 `Ff3f3f @0 `@0 `5U:NJnL*C% dPpF0#Pew"``f33& f̘f`F0#@0c"```v>zfj̮+B/]3lo]33_lˤ4+?zyϚf2 f[x8" VVǗk6 7v} 3dKt~>NߟG^?zܾaL+}bZ.ږ&3t) `V\{|oSԿx}c6ijk3差p6.SQӜm;RS r9\d[7bYݝ۶T]+{"m `Z3q^r0կK0k8ڦI˯8̖-{нM:QB03mv(mT mhnj0+Hs3˻bf"̒1 3u= flG̾[6%O0,w5*ls&3 fԍk/7;n  `Wȣ#0EqgɞcF06AqxV&  f3fL3@0# 1`F0`D03  f3fL3@0##PeiRY@ƶTβT3f @0 `@0 ` 3f3f}Sd%EȂ/;3YLLF~iSL:3/:3YFGLLO111111111 L'go011111111=gLY'Trk,7^IENDB`
PNG  IHDRf,S pHYs  ~ IDATxysTׁqGɓyLSĕ<'.;e'3ލmlbb32 bX"@  ,&"$ywiN_rԭw9=>ܫ>}Idids&&&&&&&&~֙~ڙ id}!2"xd?E_R$,3_)G3ze0ot `F0 f3 `@0#f3`@0 f3 `F0 f3YOse6]b f^O̲V.2w b&ͯnn.5ÊV NTTm&%dW3PSXvY^n2-m-o5_Z @0 2SP{-sܽ{799Z@0K~ RϘ M{G{ZM>=-_ %PZgF})\nQ NZ疭h}{>:(F}\oJ(suh}Z/S\{oLSY enr|.`֩ +~.6[PBxή`ܲhPXih{Lz:l}]cGͦ-ۢ.Qlx#s^fmi~S `~͌B4$?ejha5š™>k;ϧ~c~3#Mo5ox7ϚK`uS}3f߬\m<AjI4 ۑ2T4^oZm?h*i=Z[#[-3}Ͼh:::8;wϛ>BA8QgEцʥk-׺եuk;Ab -41{pv^6C f?(g\/ yN{kl8py 1|1xDysMΰ]>g9RIkf^w;ffޗ//i9;nd466ķ_yԵTTO˚3WJ7? {OLىrhW? co-|ì^!n=^f>d}̞дv!o1'',a#'eIݿUǣ]qkcCM=FZZJ_xsLcSSr<U9Sq 2fʧ;N0۲ȼ?=|Wd?/8Yng٠T]}9fmsIvssɝ2/mssde9Ü?@0Kahpca-w&#T }:`%lH~FkTUUkv2zKKK{|[ݢF3Q5OY٩^*9p,Y¾v|Utv߳*}%m09uU)kںmٰiyEPAS!B)}`[ f|vYrNL|WaV 0gG'S|(<Ѿ)iLZH t)Dž-*7 į<{>3 f*s͗;%ϔD[W̊vsyبf=|QR9"fz߷!xft^^s,~eV2CvL(y*=46sᴂ篿nيJ-HBybZE.\BUeFTW=xWY/=:YTŸpSmu1ؒqP]ǡң1*Ei|O31SIjZ Uiץ`7[_?[-)t,e'#ǻʰԢq[sǼl[`jCq-VP[[cԪݏ}f!]}C*-S8+ݔ]=hUo5 }qcZLV0/~ܹiF|^~l֧KmkZ>h^G]j9RBzlSW"2RWg</53nⴘ =^9VvV%^uAV^3:&<me1>D`j!dF0S Ma/Ǐ?MOwןn0S(<g#{E;v\bӶ/t߇=Þ?@0rY)laǞeL]zUI]:q3bRpk׮G?r~q4&+ۍM%+v>Uv g4I gϚw?>4ܼg1]S5vR5L-$} nrSe')-=f̩Ux&-n0SW떎1iiSNtw3<nwyOc``yEܹG?8+t{އ=`#1fWTן1fJB5ޟ]{dg.Guwj{4.JCk#HZuMip śP WK,sFPBٸSS3 m(ܰ%vR?bRBIpY:,4Y0khhJwZc4_]tQ& f< >^0 t gU # fa %][Cߕ 2U*7n:pvw46H\zOaC*ҥV &0xD1MZ󆏞`urNE]f՗kRΧP0㨛-~MgԊB;Y0vؖc)l?L0S<I?UT v˼S/'`yY<,Ѵd3yޣ1Sӣ⩽zͶqf l"զV3Unrԝ^6*tm‡ݜ:t7kKfM 󧬮]a[tW_0?bߵjE縨dl|mJ̤|0LB[~Lct~[UsB78U8`yY<_L̸p\k1/o3 FeO]c4X; 0kp0U!7 (䩲{eTq.D Wk*MT9%C_QXC==r@R˜TWVL`& u/9^.V.HUSκ0*f<+S BZ4_-ڛ63u?o+xA=C;c0l0 [>^e(<c*|>mτv~q*7u++5G3̺,y82[+a{-s$nlLU9(gTyL'JcmoagW{(4K5&WAEBUɻ`KnNP| !Jj}fPn4)<G"_ux&' *Gͧz+G`2UИ7}Vtj >”O6)U~XsY8}'9 0}&xnY4$M,yôu Vꮬ]gj.ֶiuyjZ[3ֶQZT];z_D=~hpEb\ڝZZ-3la'+uˇ]pyͰAi~Iwz~<~ԕ|f0fcPeZ֥5a29"`v/GEڬ2-Ou^<>4Mcw'CfRZgF})\nPhynZևNji;'wa,3Vg̎ M&}>Y@0KͲ 04i~}_BisMnfޱb9T\n2-m-o5_Z @0KSvStqV.!+Ir<Y745EfxN eWk{Pi,7]b1ް7o5 `@0#@0 `@0 ` 3f3f @0 `@0#@0 `@0 ` 3f3f @0C2%%%f޽ďŋSSSc.]ڕ+WL[[3Ôk^}U{,Yߦŋ P?"9rHyN:e{޽k~ms f `Ə}vY fR^^nZZZ(@ `ĉfo;=͓i`zj[_vfСf̙'$=z4`@f M}}}Ii͛i0۵k7nٰaCȾ;3y.L&Nh>3j(i&ؘ0ݾ}L6lܸ1ZUU݆{d]rYg<M:~N^VVf:::̊+lްa֭[CЍ7zUGmٳիWۣ,gݺuv<hFar/\t~nٲe1? 35S9}8$ fGf;w2Q7g쉢֭[I[.Ѽm۶@4hРoā 3)̝?:t|fѢEqY{{ F / Pr%[kM3m]QQar/sεBa?AM_n^{5sܹ)iq}h999f͚56hرü1AEe2rHmO[omK$f̘aVO>Ć[mJVK̂] :V *Çc =TN<V`d*Y R1h2 3m͘1c̝;wϚ5K+Z~>ӤL*Ǭ[T)S}z_Vp64pޕ2rymt`s3ԅZYY*PaTA@056i3Q+_}OT,Q0SZn~zPpB9?GAAm-sPh̜ ~w G<߿|GUG]z,ndcQף^Wk+ u\]ɂYϥ+ nTLlzgue fUADEk V~1UjYS 3cRKIV/USxN.$ f%6p5ug: ?d(>&ڞZ 3gNuh̚G0K̆ %kRk;)Tf\ԢnBRk fg~`0S0PW–#98+Dw f1gBu%x0Le8D-_* O|Not`gJO ܾݼy+f+ZMq^ONڜ>}z`˜zTSJ z2PZ򚛛+> ޱj*v܍* <S9k0`s`SԶqL4l \k@0#=`;TLfcǎ-E~% fnTQ.hйZZ'w7@֦x]0A6(9/ yMͧ;0S zZ>'MԥURnH=NwݪU x+S7njh}6x+`DQ@ GdrL}"^0S\פ4UɂQwB5VJA@Sk f O}eLM S!JOpB]7SKX;~NMG4Ͼ}lyL۪@J-KRAտ"L0Auuk_5`Rˋ&/U&{TAg<ܨu=L l .aוl]q ,=2DF& wKD7ct,iR=k@0{"H.-ޤ4|0$jKK%+~~4ɓ/fj"@0#goguzl:tw*O%;@0 `@0 `F0 f3f @0 `@0 ` 3M[6k׮u{9mmm'O#ǎ:[[[۷{v֭^T<fOA9M}C}sҪX:::}---fA˪PeMEY[ޝ;wLccc~za^=npc·=iU.B{y ̞P5cƏ5wǼy{ !RNd޽j{޾Ϝ1r'fe_1˖X'me_/3Iq-ߞXN{d=ec~]]UPy `4uTsL:9ceǣW3Ǝ6 :ha `鲥=vVt23bHwiY"Zo`[6/]^g27o޴-Kc'3{Y,7{Sʕ|૜jjjl Y3-^$asӖMv;}9Ŵ@j[ e} ղѶsМ! k.6CG P;Õ+v h?#of2i:z}]E\;Gץж3NM [n*ʳg͢_ٖZzII>smEQm:\z،o΁HY_3g{lZ- g+mw[Y2q:O˝kLN{竨}_m{x}] ? Yb99 <OC,cF/^ިې<Ye ˱ӦDC. ׮__)vVĩіmߺ`ׅI]elى2;RfEL.t/_-Yl/un-mjV%WKTF^T~*>ɳ]_--Fkg*xD*CU7"өSfqZJa̟ke/Zhv{P!Qײ*}VSۦe[at ; H _Evy+Y@Xk Sn\VVz6c "UImWEAS.(*(ܸqÆ7뮵ES=NTSCuګWm\T@I~}]^[vt~9O+,]wC<OD4匿nۆTs@0EX~QE.XTY\~NAIhU]\7.jSHEI.GT{IdK^7j-E-P ƪjVZitAmB.gϝ24H_'嚢;R~Z\ Pu-L;FHC-AɎE GZPEևsۖ{jj1SEoPOL-KWjaչ)Q: j=Q8:-m֩\cվL.2犨EL}W>xZ<y/j}w aeÞf1WRAê4t/9Pb~a2{Ek]utwB_pBAJcER])4 (IDATa9Ѯ+[]kƊU+̂|p \׹^:ӧ @R6sz}Uhv,Kgˏ*sgۖ$wi]W ORѯf~U~W$׵Uѝ>}Ly&;["і݆ӱtц˗mykjJT.2q+/mٺņBkqۤJQ\vM^jԪ .ܻ幖T)dS]:P1W2L>d:cSpsu_Ziw.S\[*)Gɶ!ay h_\Cn+UWt_.ׯ.Zy3V+U_5/~"UۯdT_k}hnnVWۏT9¨푊TQDh]7@Zqo׬ JX}^eẗRu5UU=hUG[^wkE\2u2)7mk[WE{YiLtmRˢ\] *(il=ɎSPsPn7_p:: fo;T߇l¤;obMc1>{G]TyJZmCÞf]*g⪋™º.uW.>q7h|k]_AT_QҠ^ [G,*I /jT)Xh܍?ܧ׃ u}q4.A zjt_LՒ(%;qQ]jqhyC\Ƶ)+ThNmMVnrq`1mҶj:eKZs\󻱕Zk s9NGըKI>d$ov);y;ƛb}w뇉Z\W]hmU2ZmCÞfQH^wKO,5~p|uZ|U hK9\>cܘ ABN:hLkU)_zME3>bMVr+}&YW*Z;p=ȬC-< Į~Ŵ~^}>j~.Wq|㠻Uz.@2U4G3O-ZjAPߪ╋W w]ti&y >ZEe*p\mO'_s0XU}#?TtAɾ.̶z_cYt n@%D;}EyιVt*cuUy?kYLJ*񁇰E?]4Ϋ{(ԯ]u!V<f]a_zjȃDԥҜ;%0$U>ѳזt^H5`W*9YmĪn`MO+W]X`HZt#o[T鸊~~V]4jع{Wx֥c D}Nq-%[ 5X1-U:vjQn.4"”[rqtZT& w)jISkTYtyC'_s0X)Sh>yT|=a<.XIDW)?ZQ@,Ww軣uk&9Pk.rZ!\+2['=ȯL zOnN9̍5eO],ޟѺiyںq1Nڇd<~+z㘊Njh[T)#l%+ -؂Lln{a&l֓*'8$E oRs [j Njt7YiZе씺7ժ\9H9<.VL@04>R] dnxlxO-&I+ANC<=7f]fݡ]B㠇j~6|o=)G=7f @0 `@0 `Ff3f3f @0 `@0 `5U:NJnL*C% dPpF0#Pew"``f33& f̘f`F0#@0c"```v>zfj̮+B/]3lo]33_lˤ4+?zyϚf2 f[x8" VVǗk6 7v} 3dKt~>NߟG^?zܾaL+}bZ.ږ&3t) `V\{|oSԿx}c6ijk3差p6.SQӜm;RS r9\d[7bYݝ۶T]+{"m `Z3q^r0կK0k8ڦI˯8̖-{нM:QB03mv(mT mhnj0+Hs3˻bf"̒1 3u= flG̾[6%O0,w5*ls&3 fԍk/7;n  `Wȣ#0EqgɞcF06AqxV&  f3fL3@0# 1`F0`D03  f3fL3@0##PeiRY@ƶTβT3f @0 `@0 ` 3f3f}Sd%EȂ/;3YLLF~iSL:3/:3YFGLLO111111111 L'go011111111=gLY'Trk,7^IENDB`
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./resources/page/pagemeta/page_frontmatter.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package pagemeta import ( "strings" "time" "github.com/gohugoio/hugo/common/loggers" "github.com/gohugoio/hugo/helpers" "github.com/gohugoio/hugo/resources/resource" "github.com/gohugoio/hugo/config" "github.com/spf13/cast" ) // FrontMatterHandler maps front matter into Page fields and .Params. // Note that we currently have only extracted the date logic. type FrontMatterHandler struct { fmConfig frontmatterConfig dateHandler frontMatterFieldHandler lastModHandler frontMatterFieldHandler publishDateHandler frontMatterFieldHandler expiryDateHandler frontMatterFieldHandler // A map of all date keys configured, including any custom. allDateKeys map[string]bool logger loggers.Logger } // FrontMatterDescriptor describes how to handle front matter for a given Page. // It has pointers to values in the receiving page which gets updated. type FrontMatterDescriptor struct { // This the Page's front matter. Frontmatter map[string]interface{} // This is the Page's base filename (BaseFilename), e.g. page.md., or // if page is a leaf bundle, the bundle folder name (ContentBaseName). BaseFilename string // The content file's mod time. ModTime time.Time // May be set from the author date in Git. GitAuthorDate time.Time // The below are pointers to values on Page and will be modified. // This is the Page's params. Params map[string]interface{} // This is the Page's dates. Dates *resource.Dates // This is the Page's Slug etc. PageURLs *URLPath } var dateFieldAliases = map[string][]string{ fmDate: {}, fmLastmod: {"modified"}, fmPubDate: {"pubdate", "published"}, fmExpiryDate: {"unpublishdate"}, } // HandleDates updates all the dates given the current configuration and the // supplied front matter params. Note that this requires all lower-case keys // in the params map. func (f FrontMatterHandler) HandleDates(d *FrontMatterDescriptor) error { if d.Dates == nil { panic("missing dates") } if f.dateHandler == nil { panic("missing date handler") } if _, err := f.dateHandler(d); err != nil { return err } if _, err := f.lastModHandler(d); err != nil { return err } if _, err := f.publishDateHandler(d); err != nil { return err } if _, err := f.expiryDateHandler(d); err != nil { return err } return nil } // IsDateKey returns whether the given front matter key is considered a date by the current // configuration. func (f FrontMatterHandler) IsDateKey(key string) bool { return f.allDateKeys[key] } // A Zero date is a signal that the name can not be parsed. // This follows the format as outlined in Jekyll, https://jekyllrb.com/docs/posts/: // "Where YEAR is a four-digit number, MONTH and DAY are both two-digit numbers" func dateAndSlugFromBaseFilename(name string) (time.Time, string) { withoutExt, _ := helpers.FileAndExt(name) if len(withoutExt) < 10 { // This can not be a date. return time.Time{}, "" } // Note: Hugo currently have no custom timezone support. // We will have to revisit this when that is in place. d, err := time.Parse("2006-01-02", withoutExt[:10]) if err != nil { return time.Time{}, "" } // Be a little lenient with the format here. slug := strings.Trim(withoutExt[10:], " -_") return d, slug } type frontMatterFieldHandler func(d *FrontMatterDescriptor) (bool, error) func (f FrontMatterHandler) newChainedFrontMatterFieldHandler(handlers ...frontMatterFieldHandler) frontMatterFieldHandler { return func(d *FrontMatterDescriptor) (bool, error) { for _, h := range handlers { // First successful handler wins. success, err := h(d) if err != nil { f.logger.Errorln(err) } else if success { return true, nil } } return false, nil } } type frontmatterConfig struct { date []string lastmod []string publishDate []string expiryDate []string } const ( // These are all the date handler identifiers // All identifiers not starting with a ":" maps to a front matter parameter. fmDate = "date" fmPubDate = "publishdate" fmLastmod = "lastmod" fmExpiryDate = "expirydate" // Gets date from filename, e.g 218-02-22-mypage.md fmFilename = ":filename" // Gets date from file OS mod time. fmModTime = ":filemodtime" // Gets date from Git fmGitAuthorDate = ":git" ) // This is the config you get when doing nothing. func newDefaultFrontmatterConfig() frontmatterConfig { return frontmatterConfig{ date: []string{fmDate, fmPubDate, fmLastmod}, lastmod: []string{fmGitAuthorDate, fmLastmod, fmDate, fmPubDate}, publishDate: []string{fmPubDate, fmDate}, expiryDate: []string{fmExpiryDate}, } } func newFrontmatterConfig(cfg config.Provider) (frontmatterConfig, error) { c := newDefaultFrontmatterConfig() defaultConfig := c if cfg.IsSet("frontmatter") { fm := cfg.GetStringMap("frontmatter") for k, v := range fm { loki := strings.ToLower(k) switch loki { case fmDate: c.date = toLowerSlice(v) case fmPubDate: c.publishDate = toLowerSlice(v) case fmLastmod: c.lastmod = toLowerSlice(v) case fmExpiryDate: c.expiryDate = toLowerSlice(v) } } } expander := func(c, d []string) []string { out := expandDefaultValues(c, d) out = addDateFieldAliases(out) return out } c.date = expander(c.date, defaultConfig.date) c.publishDate = expander(c.publishDate, defaultConfig.publishDate) c.lastmod = expander(c.lastmod, defaultConfig.lastmod) c.expiryDate = expander(c.expiryDate, defaultConfig.expiryDate) return c, nil } func addDateFieldAliases(values []string) []string { var complete []string for _, v := range values { complete = append(complete, v) if aliases, found := dateFieldAliases[v]; found { complete = append(complete, aliases...) } } return helpers.UniqueStringsReuse(complete) } func expandDefaultValues(values []string, defaults []string) []string { var out []string for _, v := range values { if v == ":default" { out = append(out, defaults...) } else { out = append(out, v) } } return out } func toLowerSlice(in interface{}) []string { out := cast.ToStringSlice(in) for i := 0; i < len(out); i++ { out[i] = strings.ToLower(out[i]) } return out } // NewFrontmatterHandler creates a new FrontMatterHandler with the given logger and configuration. // If no logger is provided, one will be created. func NewFrontmatterHandler(logger loggers.Logger, cfg config.Provider) (FrontMatterHandler, error) { if logger == nil { logger = loggers.NewErrorLogger() } frontMatterConfig, err := newFrontmatterConfig(cfg) if err != nil { return FrontMatterHandler{}, err } allDateKeys := make(map[string]bool) addKeys := func(vals []string) { for _, k := range vals { if !strings.HasPrefix(k, ":") { allDateKeys[k] = true } } } addKeys(frontMatterConfig.date) addKeys(frontMatterConfig.expiryDate) addKeys(frontMatterConfig.lastmod) addKeys(frontMatterConfig.publishDate) f := FrontMatterHandler{logger: logger, fmConfig: frontMatterConfig, allDateKeys: allDateKeys} if err := f.createHandlers(); err != nil { return f, err } return f, nil } func (f *FrontMatterHandler) createHandlers() error { var err error if f.dateHandler, err = f.createDateHandler(f.fmConfig.date, func(d *FrontMatterDescriptor, t time.Time) { d.Dates.FDate = t setParamIfNotSet(fmDate, t, d) }); err != nil { return err } if f.lastModHandler, err = f.createDateHandler(f.fmConfig.lastmod, func(d *FrontMatterDescriptor, t time.Time) { setParamIfNotSet(fmLastmod, t, d) d.Dates.FLastmod = t }); err != nil { return err } if f.publishDateHandler, err = f.createDateHandler(f.fmConfig.publishDate, func(d *FrontMatterDescriptor, t time.Time) { setParamIfNotSet(fmPubDate, t, d) d.Dates.FPublishDate = t }); err != nil { return err } if f.expiryDateHandler, err = f.createDateHandler(f.fmConfig.expiryDate, func(d *FrontMatterDescriptor, t time.Time) { setParamIfNotSet(fmExpiryDate, t, d) d.Dates.FExpiryDate = t }); err != nil { return err } return nil } func setParamIfNotSet(key string, value interface{}, d *FrontMatterDescriptor) { if _, found := d.Params[key]; found { return } d.Params[key] = value } func (f FrontMatterHandler) createDateHandler(identifiers []string, setter func(d *FrontMatterDescriptor, t time.Time)) (frontMatterFieldHandler, error) { var h *frontmatterFieldHandlers var handlers []frontMatterFieldHandler for _, identifier := range identifiers { switch identifier { case fmFilename: handlers = append(handlers, h.newDateFilenameHandler(setter)) case fmModTime: handlers = append(handlers, h.newDateModTimeHandler(setter)) case fmGitAuthorDate: handlers = append(handlers, h.newDateGitAuthorDateHandler(setter)) default: handlers = append(handlers, h.newDateFieldHandler(identifier, setter)) } } return f.newChainedFrontMatterFieldHandler(handlers...), nil } type frontmatterFieldHandlers int func (f *frontmatterFieldHandlers) newDateFieldHandler(key string, setter func(d *FrontMatterDescriptor, t time.Time)) frontMatterFieldHandler { return func(d *FrontMatterDescriptor) (bool, error) { v, found := d.Frontmatter[key] if !found { return false, nil } date, err := cast.ToTimeE(v) if err != nil { return false, nil } // We map several date keys to one, so, for example, // "expirydate", "unpublishdate" will all set .ExpiryDate (first found). setter(d, date) // This is the params key as set in front matter. d.Params[key] = date return true, nil } } func (f *frontmatterFieldHandlers) newDateFilenameHandler(setter func(d *FrontMatterDescriptor, t time.Time)) frontMatterFieldHandler { return func(d *FrontMatterDescriptor) (bool, error) { date, slug := dateAndSlugFromBaseFilename(d.BaseFilename) if date.IsZero() { return false, nil } setter(d, date) if _, found := d.Frontmatter["slug"]; !found { // Use slug from filename d.PageURLs.Slug = slug } return true, nil } } func (f *frontmatterFieldHandlers) newDateModTimeHandler(setter func(d *FrontMatterDescriptor, t time.Time)) frontMatterFieldHandler { return func(d *FrontMatterDescriptor) (bool, error) { if d.ModTime.IsZero() { return false, nil } setter(d, d.ModTime) return true, nil } } func (f *frontmatterFieldHandlers) newDateGitAuthorDateHandler(setter func(d *FrontMatterDescriptor, t time.Time)) frontMatterFieldHandler { return func(d *FrontMatterDescriptor) (bool, error) { if d.GitAuthorDate.IsZero() { return false, nil } setter(d, d.GitAuthorDate) return true, nil } }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package pagemeta import ( "strings" "time" "github.com/gohugoio/hugo/common/loggers" "github.com/gohugoio/hugo/helpers" "github.com/gohugoio/hugo/resources/resource" "github.com/gohugoio/hugo/config" "github.com/spf13/cast" ) // FrontMatterHandler maps front matter into Page fields and .Params. // Note that we currently have only extracted the date logic. type FrontMatterHandler struct { fmConfig frontmatterConfig dateHandler frontMatterFieldHandler lastModHandler frontMatterFieldHandler publishDateHandler frontMatterFieldHandler expiryDateHandler frontMatterFieldHandler // A map of all date keys configured, including any custom. allDateKeys map[string]bool logger loggers.Logger } // FrontMatterDescriptor describes how to handle front matter for a given Page. // It has pointers to values in the receiving page which gets updated. type FrontMatterDescriptor struct { // This the Page's front matter. Frontmatter map[string]interface{} // This is the Page's base filename (BaseFilename), e.g. page.md., or // if page is a leaf bundle, the bundle folder name (ContentBaseName). BaseFilename string // The content file's mod time. ModTime time.Time // May be set from the author date in Git. GitAuthorDate time.Time // The below are pointers to values on Page and will be modified. // This is the Page's params. Params map[string]interface{} // This is the Page's dates. Dates *resource.Dates // This is the Page's Slug etc. PageURLs *URLPath } var dateFieldAliases = map[string][]string{ fmDate: {}, fmLastmod: {"modified"}, fmPubDate: {"pubdate", "published"}, fmExpiryDate: {"unpublishdate"}, } // HandleDates updates all the dates given the current configuration and the // supplied front matter params. Note that this requires all lower-case keys // in the params map. func (f FrontMatterHandler) HandleDates(d *FrontMatterDescriptor) error { if d.Dates == nil { panic("missing dates") } if f.dateHandler == nil { panic("missing date handler") } if _, err := f.dateHandler(d); err != nil { return err } if _, err := f.lastModHandler(d); err != nil { return err } if _, err := f.publishDateHandler(d); err != nil { return err } if _, err := f.expiryDateHandler(d); err != nil { return err } return nil } // IsDateKey returns whether the given front matter key is considered a date by the current // configuration. func (f FrontMatterHandler) IsDateKey(key string) bool { return f.allDateKeys[key] } // A Zero date is a signal that the name can not be parsed. // This follows the format as outlined in Jekyll, https://jekyllrb.com/docs/posts/: // "Where YEAR is a four-digit number, MONTH and DAY are both two-digit numbers" func dateAndSlugFromBaseFilename(name string) (time.Time, string) { withoutExt, _ := helpers.FileAndExt(name) if len(withoutExt) < 10 { // This can not be a date. return time.Time{}, "" } // Note: Hugo currently have no custom timezone support. // We will have to revisit this when that is in place. d, err := time.Parse("2006-01-02", withoutExt[:10]) if err != nil { return time.Time{}, "" } // Be a little lenient with the format here. slug := strings.Trim(withoutExt[10:], " -_") return d, slug } type frontMatterFieldHandler func(d *FrontMatterDescriptor) (bool, error) func (f FrontMatterHandler) newChainedFrontMatterFieldHandler(handlers ...frontMatterFieldHandler) frontMatterFieldHandler { return func(d *FrontMatterDescriptor) (bool, error) { for _, h := range handlers { // First successful handler wins. success, err := h(d) if err != nil { f.logger.Errorln(err) } else if success { return true, nil } } return false, nil } } type frontmatterConfig struct { date []string lastmod []string publishDate []string expiryDate []string } const ( // These are all the date handler identifiers // All identifiers not starting with a ":" maps to a front matter parameter. fmDate = "date" fmPubDate = "publishdate" fmLastmod = "lastmod" fmExpiryDate = "expirydate" // Gets date from filename, e.g 218-02-22-mypage.md fmFilename = ":filename" // Gets date from file OS mod time. fmModTime = ":filemodtime" // Gets date from Git fmGitAuthorDate = ":git" ) // This is the config you get when doing nothing. func newDefaultFrontmatterConfig() frontmatterConfig { return frontmatterConfig{ date: []string{fmDate, fmPubDate, fmLastmod}, lastmod: []string{fmGitAuthorDate, fmLastmod, fmDate, fmPubDate}, publishDate: []string{fmPubDate, fmDate}, expiryDate: []string{fmExpiryDate}, } } func newFrontmatterConfig(cfg config.Provider) (frontmatterConfig, error) { c := newDefaultFrontmatterConfig() defaultConfig := c if cfg.IsSet("frontmatter") { fm := cfg.GetStringMap("frontmatter") for k, v := range fm { loki := strings.ToLower(k) switch loki { case fmDate: c.date = toLowerSlice(v) case fmPubDate: c.publishDate = toLowerSlice(v) case fmLastmod: c.lastmod = toLowerSlice(v) case fmExpiryDate: c.expiryDate = toLowerSlice(v) } } } expander := func(c, d []string) []string { out := expandDefaultValues(c, d) out = addDateFieldAliases(out) return out } c.date = expander(c.date, defaultConfig.date) c.publishDate = expander(c.publishDate, defaultConfig.publishDate) c.lastmod = expander(c.lastmod, defaultConfig.lastmod) c.expiryDate = expander(c.expiryDate, defaultConfig.expiryDate) return c, nil } func addDateFieldAliases(values []string) []string { var complete []string for _, v := range values { complete = append(complete, v) if aliases, found := dateFieldAliases[v]; found { complete = append(complete, aliases...) } } return helpers.UniqueStringsReuse(complete) } func expandDefaultValues(values []string, defaults []string) []string { var out []string for _, v := range values { if v == ":default" { out = append(out, defaults...) } else { out = append(out, v) } } return out } func toLowerSlice(in interface{}) []string { out := cast.ToStringSlice(in) for i := 0; i < len(out); i++ { out[i] = strings.ToLower(out[i]) } return out } // NewFrontmatterHandler creates a new FrontMatterHandler with the given logger and configuration. // If no logger is provided, one will be created. func NewFrontmatterHandler(logger loggers.Logger, cfg config.Provider) (FrontMatterHandler, error) { if logger == nil { logger = loggers.NewErrorLogger() } frontMatterConfig, err := newFrontmatterConfig(cfg) if err != nil { return FrontMatterHandler{}, err } allDateKeys := make(map[string]bool) addKeys := func(vals []string) { for _, k := range vals { if !strings.HasPrefix(k, ":") { allDateKeys[k] = true } } } addKeys(frontMatterConfig.date) addKeys(frontMatterConfig.expiryDate) addKeys(frontMatterConfig.lastmod) addKeys(frontMatterConfig.publishDate) f := FrontMatterHandler{logger: logger, fmConfig: frontMatterConfig, allDateKeys: allDateKeys} if err := f.createHandlers(); err != nil { return f, err } return f, nil } func (f *FrontMatterHandler) createHandlers() error { var err error if f.dateHandler, err = f.createDateHandler(f.fmConfig.date, func(d *FrontMatterDescriptor, t time.Time) { d.Dates.FDate = t setParamIfNotSet(fmDate, t, d) }); err != nil { return err } if f.lastModHandler, err = f.createDateHandler(f.fmConfig.lastmod, func(d *FrontMatterDescriptor, t time.Time) { setParamIfNotSet(fmLastmod, t, d) d.Dates.FLastmod = t }); err != nil { return err } if f.publishDateHandler, err = f.createDateHandler(f.fmConfig.publishDate, func(d *FrontMatterDescriptor, t time.Time) { setParamIfNotSet(fmPubDate, t, d) d.Dates.FPublishDate = t }); err != nil { return err } if f.expiryDateHandler, err = f.createDateHandler(f.fmConfig.expiryDate, func(d *FrontMatterDescriptor, t time.Time) { setParamIfNotSet(fmExpiryDate, t, d) d.Dates.FExpiryDate = t }); err != nil { return err } return nil } func setParamIfNotSet(key string, value interface{}, d *FrontMatterDescriptor) { if _, found := d.Params[key]; found { return } d.Params[key] = value } func (f FrontMatterHandler) createDateHandler(identifiers []string, setter func(d *FrontMatterDescriptor, t time.Time)) (frontMatterFieldHandler, error) { var h *frontmatterFieldHandlers var handlers []frontMatterFieldHandler for _, identifier := range identifiers { switch identifier { case fmFilename: handlers = append(handlers, h.newDateFilenameHandler(setter)) case fmModTime: handlers = append(handlers, h.newDateModTimeHandler(setter)) case fmGitAuthorDate: handlers = append(handlers, h.newDateGitAuthorDateHandler(setter)) default: handlers = append(handlers, h.newDateFieldHandler(identifier, setter)) } } return f.newChainedFrontMatterFieldHandler(handlers...), nil } type frontmatterFieldHandlers int func (f *frontmatterFieldHandlers) newDateFieldHandler(key string, setter func(d *FrontMatterDescriptor, t time.Time)) frontMatterFieldHandler { return func(d *FrontMatterDescriptor) (bool, error) { v, found := d.Frontmatter[key] if !found { return false, nil } date, err := cast.ToTimeE(v) if err != nil { return false, nil } // We map several date keys to one, so, for example, // "expirydate", "unpublishdate" will all set .ExpiryDate (first found). setter(d, date) // This is the params key as set in front matter. d.Params[key] = date return true, nil } } func (f *frontmatterFieldHandlers) newDateFilenameHandler(setter func(d *FrontMatterDescriptor, t time.Time)) frontMatterFieldHandler { return func(d *FrontMatterDescriptor) (bool, error) { date, slug := dateAndSlugFromBaseFilename(d.BaseFilename) if date.IsZero() { return false, nil } setter(d, date) if _, found := d.Frontmatter["slug"]; !found { // Use slug from filename d.PageURLs.Slug = slug } return true, nil } } func (f *frontmatterFieldHandlers) newDateModTimeHandler(setter func(d *FrontMatterDescriptor, t time.Time)) frontMatterFieldHandler { return func(d *FrontMatterDescriptor) (bool, error) { if d.ModTime.IsZero() { return false, nil } setter(d, d.ModTime) return true, nil } } func (f *frontmatterFieldHandlers) newDateGitAuthorDateHandler(setter func(d *FrontMatterDescriptor, t time.Time)) frontMatterFieldHandler { return func(d *FrontMatterDescriptor) (bool, error) { if d.GitAuthorDate.IsZero() { return false, nil } setter(d, d.GitAuthorDate) return true, nil } }
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./docs/_vendor/github.com/gohugoio/gohugoioTheme/static/fonts/muli-latin-200.woff2
wOF2B(A.\`T  D 6$~ 2* #5̳΍ہ9YaBvd 8Wߓ1y63 ʞλ1L*Ti3쮦,DEQhqΊ|UaA5HtA}PTHlNhdiPH cE̍)~s`>'+RZX 4xIN^?zf+$(2u u@DA̭ Z"V٬X16؈)(}hX`bz'^"/ ;Fj&Ϝ՝P^2BVwCGP'^&` ?9H9@RiӢ^=eX(Yq.>0l];ԾmZX{ݛ}O>( WKǕ%E[J޲H# 6ILXz7M=j}ݶ}nA`rDžG_[cS|d^6hx[F_F%Aok,V72kKP29qYB_B! Hvt`f~+'%6`յ!B:;0e*0tޱL, 2t [^bϾ1wNu୷E>H_ټ줫,U~ay޴Sj^f&H׊tcy(VߝĴt {to ]lNX p,)UaFJ~ܬF_t!HNPƟ0iT+DYGcv|gQ =w`-+[޼6:yt %EV-BIo e$d! 1$3]QRBR-RyU$qޙVgF}8F%`v!wHٸF?V颜ʗBW.e }ߢju7w w]t?_Fa w͉WSyu6 }-fpqܢj;@#\Q/Y5( P$P>/#zhs <3i2X6)멠}fn #=Fvj7 Wa^6Qs{6Es,q؀2p!.y ǝtkpy'HrL$ԣYw O8 hBi Qz~n=*]Ab|6}ƅ7O@a$>Q{pH 7RM EdӐ E; 'w 7YT b غ`" #I"hmN.HB,e[{a)AE*=̍ણwvX%0-Pu> /s%ja4"&/P!Y PՠLUV~,_ $ޔ{*ޑd2VC1̸! )Dq329d, yXqA^3Z*j hɎ : U.jy^?Cr: uL9>]4bM- -ME?>ʍ\4:S͝(H$i0]B18f8!7ҫҎ8Vv@ HL2Hᬎ"XTL1RҊ)Ny8z*F/%T}S`4Cq6 <|"8dGK(R(yx-1%x.N4BR3+bQ*b_DP" UAukReZ}WqL܍$.QvI[`n2ԑhIw\)uA747 VtW\iT++0LtO9, (E@0^, ifT?_<n)j`d;<N}MxYze#/Qp:=܋*Uq,Z'PJ7=xN*B!|SI]6ÂDBT'S;TrXd6t^׼[3\@!ؤ k$bY4 a;|aQ1SNJf:,QE'f4SfWH8rt ?6S- \&&I*Y$8 *\ llr9<rUrHHrW]Ѩ${ْlRH#$^+0!6|Y:_l2}*.$W@fMuL=$J¥LP6]ƩPyqh%ÌCWT^la~ckrwwXeD^zkZ߻eٟIlFL  r^2F%yݽo^by~{ 0 sF9YmC9& G^y8[pؚNQq,и.aQ.VY%iMNb %6i.2Oll Z^it0!JCrw<7C `75oEۢ,/{Mk+k`ApqVgq*>ezh-Eh$YvstLsP¸MʛYAXU8öb.1T5 MBZ=R Ur5޾AlfWߣ s%ِ,t4Ӂ!F R$LlI+vw%e;߸.Ho"_]R$FeIAn6RA1cm Vl| k1b_H*_J)2-.fCL>W ) <wR& ]m[@@AgaFn fValt ("<5^9:+dQ9( !1=!w9<%% 8HQm\bPڽPZ${h|:ARN5P$C==`mv_g|Ku7cL8zE[- G!e]kӟ7 s5| ,b8&J PMR|kYa! 0{*`0ӽ-C K+tC+Ȼu9_ mb9n~7ꋫly1哑/=?wG !c AQ*kք_8<~=u!,! }P~|7{T=0u:w1XFm}⁝{执{ኊ˕g| `P0$dT4l\<'muώ gQç_Z4jѡ$]8^aw~LwK㹵/?n6ðM6`"2eV@"0Ppbc`#j"#& %af`dTJ' Bj!UiעUnu&ëqYW\u/7X~K BL(oToYR$ uQ|wORZm:`j&)j-O+KaH tքoHɉ@kBףXlv*[ah??[ҩu}0C#k'vX K u-\EKW9 =P弥j#s^R[^mPIWZS):a.1$yy%+2V*E $qq@)jQfw6j[z1ۓZ_'6s ;0aZ($+hƾAp" k]BDl0 ΁^۫qek:E£V@qpT]3f'sRw I]7#'I (m"}=,/k&†xMCC/1&9[ :P^$I!V::l5ROxoГ 5=P>/[zfФ=5-Rxf?;<k fKoy匐 |!bJLQjDMSaJ3T>@!zj (ۋl˗Y_ݰ)5 Jҡ(e@(3YejӯQɱW#-ViuɹF;$ K3,T(οN-I}7yk.*(9!Ne8t9%Z7/37ʜZ: G(Ms"=#6`;4S :!&0LN/qc@/ӫZO,_+@`FM|$wf "S'a) _{4'Tz-dzU$$YZaX  14 `dktW"9}k4DbjFn4x @8wO-PVį?y0j❝znؘIXZw'x^|Sy,JWD/2ʇ\TK2^gܖu1^$,!(i)e\81kY2&nw\a#~$\@{;@]Lo3dTn,:yFyb~)(Њ},~'`QV8BhZB=fFca/?X9v Ӿ8Q;U; ZB}4#0L -Fqwq0kx=P#v:vz;าDUar[Վ<G=J?'XbQ6DՉrj9-Bh Hg%:qmY{ _4oD lP PH|@=Orǐ U !Qoře K:9o1k۔VU&uxu,/lP9uo ,Xܴgn%,i]_]htFwG]#bJ(xMukj25עNjm84|uL:Py*' kg9;}6+!6(OiG4t6S0מ:y V2`fVMC z4vDtq\t&u(틓+u]@B`aX Ád6qaMEWǴ5:sMzdA &\Aټpܠ5]te e̤݆5^* ΢8G %LWwxz'%h EVI! qr'CRH>2(\rQ]$ZBog"T.JJ2-h5$] f5CLԉ~'fd2w0O"_kqM*/pRxAMonSd)I܏4}EĩV|LT}n.~?vHHެm4ȆI(@}ofP2EM xX,JƝT%'Q?D]ZӋkM})U ԾxL=3'1iR;8sUM1KD<sn" Y5BU*2o C"=`ϥ-Bk70ҏYLyT`Su@@ %T'X͓e4<O vH!2PK9-@i|mG&};|ȯUZ]Z1nRמc殟zxO1)8􊅝qvnBN)D* <D:-meYeԱIzԭ$ V 1OUTt IHdP: )T04uy1$'kZbcIvޖH |ɚBWG@[X~ xہKr婃|wơuBbMG8 }*@&#i˽x 홂&'Yja1[Va-$P "(STtQld4[T7M—,eDɊbqY+ԃhjWrVu=4¨YMIG/Sӆm`If<!&W~Mn):HO[ljD(Ϸ'-ZЛ++Mܶ|}n4>FeU Z1NEF_m[*)Vr,r h#YuKM9g(O}ehbZ dپ,E++`i 7{.ZbjU ,Al%BڨFC3h( (2J44u"ɔ(L6}e5o`5C<n3h?HR [ki;S8 콞|@<P˗KmٮǯƘ̦:|5eCR>@,nBML%P%6>3zF#[CAł"k~  Ӭ%yVeq?!z-z`\؏kAHō $ 6 -#wBF Os6rop%e*hz@Hִ>'++o-P9[2& I.|D^6X3vG*FbJ,{'p.ޡC}>Wlh)Pu~ޯH^o=gK/$!<ٻfBiesbB;,?1lSi- }:(;4D=zH?"ggmݰs>ac_B%Va4RUĜwb$l3dw<FBa<fym0.x%u`,kjdn܂&`gak}ï+"2OE!X .Сr&$B Cܡ! r X?~vH¿[G < z <9DyXw-77ۻzQ/"80[7 :W퓻̑r/Wb3?s<Pv{4o@ 4oi1X-s7|Ζ2?,/!,3p2o.+ 9(1NY7գ ?޼жmlztꡡeCK~pk[QA5컑Q&LiYFa'J]Z4km5 ejtMW.5&kڟass'n$ ?G#_/1 5h@lՀ!.m+rNA/#օ)AXÎ Ka*^/0~T.k^/0[/4ujoKT[Z9P\Ǩ2&]aQ8Y#";ɠ[3O=ji&n$0P_iѭp#&u;z|ZZۿeëOWu363k>) wRk_ƍֿi9TWWxY~` 'ܮ/tpMahko׍w=U`G&U)5^Yƛ4{}f/W= c,hq C,?Tk&~\FƉuV'e_֤!"%w6Q̵q(*~-MŞHk[o7,h06  F?ba@ ) q]0=?;kN]RW>v6p( <*z"Qѹ#?<,<$bL쎐D&0m~MokM7bT[5 ޺F }%fn0LT+& ͌&)l:k)D[c f5 ֤;>okԶZ"IV4<2"^igSj7؝!Lbp/f#=T"v'R[iq܍sڍFNgDIsßѧ)Ί`*FSH@Mdn?ծھ:kwe! ddD_^'ofGk_?ZC<VZîɅ.PFǽBVp di!h5jrCڊ\j!YӾ6r;j$@-)wd+jsi 3gbl!DJ%c7p?]j_'f-EVˉ2Y7F1,oOy 'H@ǾJt1 +?'A*T297'-Gcp ߙOipqblKt? li &feq&C+L.:!//c bVj_,,a#b0ڪ6Z]8v3V6#;^(=tH"QitmemUGZvcF$K6=*\赛%adkyH0jC2O`zZ'+K]Q{ >Uѵ}6$DVk usR4VyyRS_Kus[>"nm $S0dp$֪*o}=_Ǜ2t{` ļϷҞ"6 I3ٔ/rX)WG{րRMV Rb:ȑ-MJA:dte&[-&xv4"6UXEa?77W[fPD %Ie J2,_({0 s*ap_%:_a-638^k'8է;Iή=Xy tSըG7K+u='QvZaBBȷτæC~/x͠-+@XT&g^m9'^+&Ei ٘_wid6eDHaKhDYD"Eҗ^q2ޱ}݇sI]/ LІ ח$8CjԪ J?xOy$3DB Fd˧Dޚ]h^Ay.RM9.+K<o1WnUjv/ܵ~XX&[66M;&%PwS*] @2 qf%v fdN+陽g/)WeD?^zh2WڢY!²IV:lOI5<F3uFGj+2%rqTj"(J?]mr&s5ZpT}e^T̔z~+ *jTPScC^255UJLfW|}9!O 6%2 xň%BIɇ0/5d} )F pȥq* E`asSs&f"% k8$ZLV+t|>!D;Q`l.[+),irF' \ӤA v>ZH$8<G&:q0}k6b?ܗï#FVkQ0Nk ؒ cQJ>jiUu=N{uuY6@7N;5<O/$Iz@s~vN;;L7mYWb67QC~HO{ "25$Z1FZ$FSt%4*F4?4*PqG!TQԪBߺ8I; Y Q)3{d߷PY8GƪǴscQ?YWOѝq\KLe"խO,HVR*W"/T(0$6B^V%2ʊĢdRbHJ,K$3m  IJ{ "(_IpR5$pb3",@qؓc%Lx쏬TREE$ef7aƒqu3>pBfH.1GlFD@&dz`j}C!7<Vu]ӊW,؁'O/U~7,jjР!=3irzvT)!jx`cO #H>piQ/2mu'57[ x 9xYWTk].Wѕ?pxS_6qƢtK>~axb=@';%)m7QhO,FFu"6׸\+Ӛ4l=Ђi%@U~4869Hpe:nz_vL$+;++mO6)r7Lִ6ĞJbNNԴW6A Zeh8-ؖoCLnRY7x{f:1a'Z5̵cc^ Oq4oUxDy 5F90qyGMݠO,sKKXqf۟oLjGn"@ĉѯONvP|uldyp"{Z ]/BA#?ܹt準:]dr.YQH_>L[% RT;sZ} _6pe>&N*BuUgMoxsFfwC'NPi"ۦ`ttl48IM.qpMn{boggVKGPn45ebɴqaR&KHDmKC*H*jaȌj!|Dpw`QZ&iCl? MK6Ɛ,ԒZF&:,N>ߛ_,|N|fZ_@(dBYˆqT6HqdzKfE1Tv1Nm$e&5ڄ}ɑ* P_׭x}(Bn"}/Z,g܃;n^ tFh RA ɗ!~U!ǽ Ȏi 2G?>H[j R )"hFHR+rDj'|Л,! V8<-w(pH(Z+PrgեK%t c4_Bj 8yӉm  >\y *WrF=%anH4n[qR[lϠ04EXFd9<5%?+L" /9E=|}9Xɹ[eE3;N٢lT6ɭRƛE(7%)KP6MRVRƛU(Mr4ƛ٩lQ6MHO#WMO_ZRTeQ;uCM]K5eRY%eR7^e-,+ErP"RY-TVY)WK]7^J`[=9^'Xl 9eIRu4l//////Q f= GL^k%mi-Kx:&r\)W r5OM洼|]+D-'͗ 0Vd;K KQ.ஏnxh8';,#X;N*/X*QVLJ< /H7eH,ug<΅0F8k@SOɉVc%Frq;:B/AB@7Mx0Ga<yxi!&~4Q>G^U M 2+E9 j),#282 #J\1wDũk@i2Q'vÎ_Iek$BO[?< ;)gyuÆ QTQL b=T@l/"0Tԃ]_u-!C9ST0qA=§5y jJtj]tcD,-چ,=baU!Ra|&kdbpDQ'Eu?irЫU%1(/ y2ȅj̢HrQ$x5_=# 3Hy7#hlkD:r4^cp`]dكbK6..\zu_qQ}䕊 YEGda'>[ܲp+p Dll9o15 ^/U3ġޒ<B(TPmUS8=I#xsz,[qQ/Vn, `5؆BԠ\+9pP譗<$5("vg58UE p.֍w:ڭVudK#/6qv?.FfȓȮ~0Apaצ`ގŐ!缴>݉/[yjUkAeE+C2l/w#Ahy,|IYYm.!%.93';ttc+W0"#uH%IkkSeسy7"j?; Ҽ3BRDD8h$%fDyhy4Q$Xrzj И𠴤1M5I(]h[Ia_P&fWqAPF7LEDrh$Մ vs怙~辆f}y$qVVZX[,؀dO}Md!@,}yO>M mhbTw۪p"r$ZW}2 @_l&o6q5 {˽E<qq@n; Qm5J*p ϩzN6yګ]u)+TlVZ5{Ga?<% ?u:Ƀ@_YgIoq !S>7c5[+ּk@YrQ̓2 &NC+*yD*_Jb `D[;4Ib"vؤND1.8\uRj i#vJԎ$K̒5@]#*ޛta/<jkQWDxh} [It ,zjV{+5RL&zC~%2S[F*E'Iwېh.hF=46y=B8=DHc%v]䫦Ȅd)P&;16Q!]K󮛟շ>)>5Rژ<! شȆRzk4VPV:>!IjHಎE*4]I' iɷ^&x3QZ2 -x^!T 9p \r {]| ӵ US_LHBp.\Tt#!X#YN#uz}x @‡\$[ SR m=e|I@em 4ͦ-(fQ[*->:ĕGJ:܈ʢ%u]gqML&xx<SΧd̡ۡJkkB 8p2,7.4_zgcx&zoߑ\O,4|ZcO(5!q,T- O5sG2E!#kx_e]%\͍SωX|PSuA=o~S:&oo-31q|+g]y&J:O huAz,3[8l'¬ۋ݆p3lfhٝI}8og(ώ64}d87B <K"@?O_5{S˜aeνLm:tw>GRf;Y"'P>%vPI!qJ+:  [lFRv.<FP(3M-R;&4ݏĩވof2u ?w /e'` )'4=՜%`WcZ$3\$FWY%L j:3_4MmMX&۸}V:B¾ 3KK31IS |*dE^U<\sHv3Cf8$_h sA܋vݔmR"аM2Yx6 ^2ZԒ&RM_c3#Ct.gaKoF`۞%<2S%M3ç,[WE=rQdC#XCAYFSֽ`x:y{ WerwtwYǡd{s$1\EN%y7@ z;# ͤ!%>93"qeeS |͑.4vd6DdۿC ˫=L-d Ju|jQQtHiQ^71(yIa0:iw([pRЧPM)4Va;?}V%%Ҋe0x1 vR3kJ)'(2 )X;`0ZgIvv9N%_>OFH=":;` )G?e~ab+ TA%NGT:\e9΄!?"2 ,$4Jd8>E䚡GT|Z|j[i_%}a2Ǘ!ύ1H`<}^h?ko;489 Es`"[-9]XA@!&%QYOia>s=<Sj)uԺ( 2:zmi*|@}U >Lh}OX§3_YGg}]D{<PBE8KdiȎlsPQ^\Vc%-2jCV_f5k,8%xجY)f- Qz*g`Ƥ$R֖TE]]#K &#ۂ_{ }绮C4 ,7|Ug5D"KpVlcaweRP @;(|)ɌׇCdCK&y\)g4ALXgs83U36q^ NNc}Θ'rsfHgxSPf*ڦSM5@<ܺ9S\GwU(I)I\iҪ)N82)ک e W"Ǩĉ**Y4 Wů,e8LĀ] # cBL1˻ȍ*Wȉ\4 TC,@Oa^. CBxNd若+g=9cۘ_gWw``@|hp-읨=p n^f{#5o K"nz wnj6?2nI$ж/_jF'|n R:ԋZhçW^TcMzWA|(r&\ҴFEޫP{SwsacEҚb|^rBBρPp! Ɠx a14W.8 J}5N!! !.gx+t s#<tĄ{uP! Hs]18mQ})v@X2}siF\>}ZS]`忀\Ȃɐ R%cFцjGef6vt)">n&k>OQAf3ȆG58jX TXW?.L[Ġ LZAWkiJtkѭUj5APP@0РEfu*iRծF3@`͚ j/I[.ݪ5!Eg#lVMۮUFI F4$=92'7MNLJ%T I/?"!'TEx )WT ݭ=5Lwɰ ;Ti>$` ,<nhUbnvFo^{&6;q[ˆE:M&TшBKGv&#sYbm=l޳spF)^L7;GE^r&dɖ6a,DdC.E(J12eɖ#W(T>i59_)^@V,ID$9WzbN`:|7ے@= l*AN|_HhX8xD$dT4x恹ya& VvuAX{sUTKS7)YZHO]&47jԬ'}.?k%Vsp[mdԑ AcMFw gd" [dNd<6;4Fa3r?Q/coKĤ ?*oQBpvd' ? HdL~A4!4pUZ9Jr0{C0\P߁lB%z'&]Ŗ q28,6O`׊!,p +iwj)K@9{7,5g}OF'g6]æ
wOF2B(A.\`T  D 6$~ 2* #5̳΍ہ9YaBvd 8Wߓ1y63 ʞλ1L*Ti3쮦,DEQhqΊ|UaA5HtA}PTHlNhdiPH cE̍)~s`>'+RZX 4xIN^?zf+$(2u u@DA̭ Z"V٬X16؈)(}hX`bz'^"/ ;Fj&Ϝ՝P^2BVwCGP'^&` ?9H9@RiӢ^=eX(Yq.>0l];ԾmZX{ݛ}O>( WKǕ%E[J޲H# 6ILXz7M=j}ݶ}nA`rDžG_[cS|d^6hx[F_F%Aok,V72kKP29qYB_B! Hvt`f~+'%6`յ!B:;0e*0tޱL, 2t [^bϾ1wNu୷E>H_ټ줫,U~ay޴Sj^f&H׊tcy(VߝĴt {to ]lNX p,)UaFJ~ܬF_t!HNPƟ0iT+DYGcv|gQ =w`-+[޼6:yt %EV-BIo e$d! 1$3]QRBR-RyU$qޙVgF}8F%`v!wHٸF?V颜ʗBW.e }ߢju7w w]t?_Fa w͉WSyu6 }-fpqܢj;@#\Q/Y5( P$P>/#zhs <3i2X6)멠}fn #=Fvj7 Wa^6Qs{6Es,q؀2p!.y ǝtkpy'HrL$ԣYw O8 hBi Qz~n=*]Ab|6}ƅ7O@a$>Q{pH 7RM EdӐ E; 'w 7YT b غ`" #I"hmN.HB,e[{a)AE*=̍ણwvX%0-Pu> /s%ja4"&/P!Y PՠLUV~,_ $ޔ{*ޑd2VC1̸! )Dq329d, yXqA^3Z*j hɎ : U.jy^?Cr: uL9>]4bM- -ME?>ʍ\4:S͝(H$i0]B18f8!7ҫҎ8Vv@ HL2Hᬎ"XTL1RҊ)Ny8z*F/%T}S`4Cq6 <|"8dGK(R(yx-1%x.N4BR3+bQ*b_DP" UAukReZ}WqL܍$.QvI[`n2ԑhIw\)uA747 VtW\iT++0LtO9, (E@0^, ifT?_<n)j`d;<N}MxYze#/Qp:=܋*Uq,Z'PJ7=xN*B!|SI]6ÂDBT'S;TrXd6t^׼[3\@!ؤ k$bY4 a;|aQ1SNJf:,QE'f4SfWH8rt ?6S- \&&I*Y$8 *\ llr9<rUrHHrW]Ѩ${ْlRH#$^+0!6|Y:_l2}*.$W@fMuL=$J¥LP6]ƩPyqh%ÌCWT^la~ckrwwXeD^zkZ߻eٟIlFL  r^2F%yݽo^by~{ 0 sF9YmC9& G^y8[pؚNQq,и.aQ.VY%iMNb %6i.2Oll Z^it0!JCrw<7C `75oEۢ,/{Mk+k`ApqVgq*>ezh-Eh$YvstLsP¸MʛYAXU8öb.1T5 MBZ=R Ur5޾AlfWߣ s%ِ,t4Ӂ!F R$LlI+vw%e;߸.Ho"_]R$FeIAn6RA1cm Vl| k1b_H*_J)2-.fCL>W ) <wR& ]m[@@AgaFn fValt ("<5^9:+dQ9( !1=!w9<%% 8HQm\bPڽPZ${h|:ARN5P$C==`mv_g|Ku7cL8zE[- G!e]kӟ7 s5| ,b8&J PMR|kYa! 0{*`0ӽ-C K+tC+Ȼu9_ mb9n~7ꋫly1哑/=?wG !c AQ*kք_8<~=u!,! }P~|7{T=0u:w1XFm}⁝{执{ኊ˕g| `P0$dT4l\<'muώ gQç_Z4jѡ$]8^aw~LwK㹵/?n6ðM6`"2eV@"0Ppbc`#j"#& %af`dTJ' Bj!UiעUnu&ëqYW\u/7X~K BL(oToYR$ uQ|wORZm:`j&)j-O+KaH tքoHɉ@kBףXlv*[ah??[ҩu}0C#k'vX K u-\EKW9 =P弥j#s^R[^mPIWZS):a.1$yy%+2V*E $qq@)jQfw6j[z1ۓZ_'6s ;0aZ($+hƾAp" k]BDl0 ΁^۫qek:E£V@qpT]3f'sRw I]7#'I (m"}=,/k&†xMCC/1&9[ :P^$I!V::l5ROxoГ 5=P>/[zfФ=5-Rxf?;<k fKoy匐 |!bJLQjDMSaJ3T>@!zj (ۋl˗Y_ݰ)5 Jҡ(e@(3YejӯQɱW#-ViuɹF;$ K3,T(οN-I}7yk.*(9!Ne8t9%Z7/37ʜZ: G(Ms"=#6`;4S :!&0LN/qc@/ӫZO,_+@`FM|$wf "S'a) _{4'Tz-dzU$$YZaX  14 `dktW"9}k4DbjFn4x @8wO-PVį?y0j❝znؘIXZw'x^|Sy,JWD/2ʇ\TK2^gܖu1^$,!(i)e\81kY2&nw\a#~$\@{;@]Lo3dTn,:yFyb~)(Њ},~'`QV8BhZB=fFca/?X9v Ӿ8Q;U; ZB}4#0L -Fqwq0kx=P#v:vz;าDUar[Վ<G=J?'XbQ6DՉrj9-Bh Hg%:qmY{ _4oD lP PH|@=Orǐ U !Qoře K:9o1k۔VU&uxu,/lP9uo ,Xܴgn%,i]_]htFwG]#bJ(xMukj25עNjm84|uL:Py*' kg9;}6+!6(OiG4t6S0מ:y V2`fVMC z4vDtq\t&u(틓+u]@B`aX Ád6qaMEWǴ5:sMzdA &\Aټpܠ5]te e̤݆5^* ΢8G %LWwxz'%h EVI! qr'CRH>2(\rQ]$ZBog"T.JJ2-h5$] f5CLԉ~'fd2w0O"_kqM*/pRxAMonSd)I܏4}EĩV|LT}n.~?vHHެm4ȆI(@}ofP2EM xX,JƝT%'Q?D]ZӋkM})U ԾxL=3'1iR;8sUM1KD<sn" Y5BU*2o C"=`ϥ-Bk70ҏYLyT`Su@@ %T'X͓e4<O vH!2PK9-@i|mG&};|ȯUZ]Z1nRמc殟zxO1)8􊅝qvnBN)D* <D:-meYeԱIzԭ$ V 1OUTt IHdP: )T04uy1$'kZbcIvޖH |ɚBWG@[X~ xہKr婃|wơuBbMG8 }*@&#i˽x 홂&'Yja1[Va-$P "(STtQld4[T7M—,eDɊbqY+ԃhjWrVu=4¨YMIG/Sӆm`If<!&W~Mn):HO[ljD(Ϸ'-ZЛ++Mܶ|}n4>FeU Z1NEF_m[*)Vr,r h#YuKM9g(O}ehbZ dپ,E++`i 7{.ZbjU ,Al%BڨFC3h( (2J44u"ɔ(L6}e5o`5C<n3h?HR [ki;S8 콞|@<P˗KmٮǯƘ̦:|5eCR>@,nBML%P%6>3zF#[CAł"k~  Ӭ%yVeq?!z-z`\؏kAHō $ 6 -#wBF Os6rop%e*hz@Hִ>'++o-P9[2& I.|D^6X3vG*FbJ,{'p.ޡC}>Wlh)Pu~ޯH^o=gK/$!<ٻfBiesbB;,?1lSi- }:(;4D=zH?"ggmݰs>ac_B%Va4RUĜwb$l3dw<FBa<fym0.x%u`,kjdn܂&`gak}ï+"2OE!X .Сr&$B Cܡ! r X?~vH¿[G < z <9DyXw-77ۻzQ/"80[7 :W퓻̑r/Wb3?s<Pv{4o@ 4oi1X-s7|Ζ2?,/!,3p2o.+ 9(1NY7գ ?޼жmlztꡡeCK~pk[QA5컑Q&LiYFa'J]Z4km5 ejtMW.5&kڟass'n$ ?G#_/1 5h@lՀ!.m+rNA/#օ)AXÎ Ka*^/0~T.k^/0[/4ujoKT[Z9P\Ǩ2&]aQ8Y#";ɠ[3O=ji&n$0P_iѭp#&u;z|ZZۿeëOWu363k>) wRk_ƍֿi9TWWxY~` 'ܮ/tpMahko׍w=U`G&U)5^Yƛ4{}f/W= c,hq C,?Tk&~\FƉuV'e_֤!"%w6Q̵q(*~-MŞHk[o7,h06  F?ba@ ) q]0=?;kN]RW>v6p( <*z"Qѹ#?<,<$bL쎐D&0m~MokM7bT[5 ޺F }%fn0LT+& ͌&)l:k)D[c f5 ֤;>okԶZ"IV4<2"^igSj7؝!Lbp/f#=T"v'R[iq܍sڍFNgDIsßѧ)Ί`*FSH@Mdn?ծھ:kwe! ddD_^'ofGk_?ZC<VZîɅ.PFǽBVp di!h5jrCڊ\j!YӾ6r;j$@-)wd+jsi 3gbl!DJ%c7p?]j_'f-EVˉ2Y7F1,oOy 'H@ǾJt1 +?'A*T297'-Gcp ߙOipqblKt? li &feq&C+L.:!//c bVj_,,a#b0ڪ6Z]8v3V6#;^(=tH"QitmemUGZvcF$K6=*\赛%adkyH0jC2O`zZ'+K]Q{ >Uѵ}6$DVk usR4VyyRS_Kus[>"nm $S0dp$֪*o}=_Ǜ2t{` ļϷҞ"6 I3ٔ/rX)WG{րRMV Rb:ȑ-MJA:dte&[-&xv4"6UXEa?77W[fPD %Ie J2,_({0 s*ap_%:_a-638^k'8է;Iή=Xy tSըG7K+u='QvZaBBȷτæC~/x͠-+@XT&g^m9'^+&Ei ٘_wid6eDHaKhDYD"Eҗ^q2ޱ}݇sI]/ LІ ח$8CjԪ J?xOy$3DB Fd˧Dޚ]h^Ay.RM9.+K<o1WnUjv/ܵ~XX&[66M;&%PwS*] @2 qf%v fdN+陽g/)WeD?^zh2WڢY!²IV:lOI5<F3uFGj+2%rqTj"(J?]mr&s5ZpT}e^T̔z~+ *jTPScC^255UJLfW|}9!O 6%2 xň%BIɇ0/5d} )F pȥq* E`asSs&f"% k8$ZLV+t|>!D;Q`l.[+),irF' \ӤA v>ZH$8<G&:q0}k6b?ܗï#FVkQ0Nk ؒ cQJ>jiUu=N{uuY6@7N;5<O/$Iz@s~vN;;L7mYWb67QC~HO{ "25$Z1FZ$FSt%4*F4?4*PqG!TQԪBߺ8I; Y Q)3{d߷PY8GƪǴscQ?YWOѝq\KLe"խO,HVR*W"/T(0$6B^V%2ʊĢdRbHJ,K$3m  IJ{ "(_IpR5$pb3",@qؓc%Lx쏬TREE$ef7aƒqu3>pBfH.1GlFD@&dz`j}C!7<Vu]ӊW,؁'O/U~7,jjР!=3irzvT)!jx`cO #H>piQ/2mu'57[ x 9xYWTk].Wѕ?pxS_6qƢtK>~axb=@';%)m7QhO,FFu"6׸\+Ӛ4l=Ђi%@U~4869Hpe:nz_vL$+;++mO6)r7Lִ6ĞJbNNԴW6A Zeh8-ؖoCLnRY7x{f:1a'Z5̵cc^ Oq4oUxDy 5F90qyGMݠO,sKKXqf۟oLjGn"@ĉѯONvP|uldyp"{Z ]/BA#?ܹt準:]dr.YQH_>L[% RT;sZ} _6pe>&N*BuUgMoxsFfwC'NPi"ۦ`ttl48IM.qpMn{boggVKGPn45ebɴqaR&KHDmKC*H*jaȌj!|Dpw`QZ&iCl? MK6Ɛ,ԒZF&:,N>ߛ_,|N|fZ_@(dBYˆqT6HqdzKfE1Tv1Nm$e&5ڄ}ɑ* P_׭x}(Bn"}/Z,g܃;n^ tFh RA ɗ!~U!ǽ Ȏi 2G?>H[j R )"hFHR+rDj'|Л,! V8<-w(pH(Z+PrgեK%t c4_Bj 8yӉm  >\y *WrF=%anH4n[qR[lϠ04EXFd9<5%?+L" /9E=|}9Xɹ[eE3;N٢lT6ɭRƛE(7%)KP6MRVRƛU(Mr4ƛ٩lQ6MHO#WMO_ZRTeQ;uCM]K5eRY%eR7^e-,+ErP"RY-TVY)WK]7^J`[=9^'Xl 9eIRu4l//////Q f= GL^k%mi-Kx:&r\)W r5OM洼|]+D-'͗ 0Vd;K KQ.ஏnxh8';,#X;N*/X*QVLJ< /H7eH,ug<΅0F8k@SOɉVc%Frq;:B/AB@7Mx0Ga<yxi!&~4Q>G^U M 2+E9 j),#282 #J\1wDũk@i2Q'vÎ_Iek$BO[?< ;)gyuÆ QTQL b=T@l/"0Tԃ]_u-!C9ST0qA=§5y jJtj]tcD,-چ,=baU!Ra|&kdbpDQ'Eu?irЫU%1(/ y2ȅj̢HrQ$x5_=# 3Hy7#hlkD:r4^cp`]dكbK6..\zu_qQ}䕊 YEGda'>[ܲp+p Dll9o15 ^/U3ġޒ<B(TPmUS8=I#xsz,[qQ/Vn, `5؆BԠ\+9pP譗<$5("vg58UE p.֍w:ڭVudK#/6qv?.FfȓȮ~0Apaצ`ގŐ!缴>݉/[yjUkAeE+C2l/w#Ahy,|IYYm.!%.93';ttc+W0"#uH%IkkSeسy7"j?; Ҽ3BRDD8h$%fDyhy4Q$Xrzj И𠴤1M5I(]h[Ia_P&fWqAPF7LEDrh$Մ vs怙~辆f}y$qVVZX[,؀dO}Md!@,}yO>M mhbTw۪p"r$ZW}2 @_l&o6q5 {˽E<qq@n; Qm5J*p ϩzN6yګ]u)+TlVZ5{Ga?<% ?u:Ƀ@_YgIoq !S>7c5[+ּk@YrQ̓2 &NC+*yD*_Jb `D[;4Ib"vؤND1.8\uRj i#vJԎ$K̒5@]#*ޛta/<jkQWDxh} [It ,zjV{+5RL&zC~%2S[F*E'Iwېh.hF=46y=B8=DHc%v]䫦Ȅd)P&;16Q!]K󮛟շ>)>5Rژ<! شȆRzk4VPV:>!IjHಎE*4]I' iɷ^&x3QZ2 -x^!T 9p \r {]| ӵ US_LHBp.\Tt#!X#YN#uz}x @‡\$[ SR m=e|I@em 4ͦ-(fQ[*->:ĕGJ:܈ʢ%u]gqML&xx<SΧd̡ۡJkkB 8p2,7.4_zgcx&zoߑ\O,4|ZcO(5!q,T- O5sG2E!#kx_e]%\͍SωX|PSuA=o~S:&oo-31q|+g]y&J:O huAz,3[8l'¬ۋ݆p3lfhٝI}8og(ώ64}d87B <K"@?O_5{S˜aeνLm:tw>GRf;Y"'P>%vPI!qJ+:  [lFRv.<FP(3M-R;&4ݏĩވof2u ?w /e'` )'4=՜%`WcZ$3\$FWY%L j:3_4MmMX&۸}V:B¾ 3KK31IS |*dE^U<\sHv3Cf8$_h sA܋vݔmR"аM2Yx6 ^2ZԒ&RM_c3#Ct.gaKoF`۞%<2S%M3ç,[WE=rQdC#XCAYFSֽ`x:y{ WerwtwYǡd{s$1\EN%y7@ z;# ͤ!%>93"qeeS |͑.4vd6DdۿC ˫=L-d Ju|jQQtHiQ^71(yIa0:iw([pRЧPM)4Va;?}V%%Ҋe0x1 vR3kJ)'(2 )X;`0ZgIvv9N%_>OFH=":;` )G?e~ab+ TA%NGT:\e9΄!?"2 ,$4Jd8>E䚡GT|Z|j[i_%}a2Ǘ!ύ1H`<}^h?ko;489 Es`"[-9]XA@!&%QYOia>s=<Sj)uԺ( 2:zmi*|@}U >Lh}OX§3_YGg}]D{<PBE8KdiȎlsPQ^\Vc%-2jCV_f5k,8%xجY)f- Qz*g`Ƥ$R֖TE]]#K &#ۂ_{ }绮C4 ,7|Ug5D"KpVlcaweRP @;(|)ɌׇCdCK&y\)g4ALXgs83U36q^ NNc}Θ'rsfHgxSPf*ڦSM5@<ܺ9S\GwU(I)I\iҪ)N82)ک e W"Ǩĉ**Y4 Wů,e8LĀ] # cBL1˻ȍ*Wȉ\4 TC,@Oa^. CBxNd若+g=9cۘ_gWw``@|hp-읨=p n^f{#5o K"nz wnj6?2nI$ж/_jF'|n R:ԋZhçW^TcMzWA|(r&\ҴFEޫP{SwsacEҚb|^rBBρPp! Ɠx a14W.8 J}5N!! !.gx+t s#<tĄ{uP! Hs]18mQ})v@X2}siF\>}ZS]`忀\Ȃɐ R%cFцjGef6vt)">n&k>OQAf3ȆG58jX TXW?.L[Ġ LZAWkiJtkѭUj5APP@0РEfu*iRծF3@`͚ j/I[.ݪ5!Eg#lVMۮUFI F4$=92'7MNLJ%T I/?"!'TEx )WT ݭ=5Lwɰ ;Ti>$` ,<nhUbnvFo^{&6;q[ˆE:M&TшBKGv&#sYbm=l޳spF)^L7;GE^r&dɖ6a,DdC.E(J12eɖ#W(T>i59_)^@V,ID$9WzbN`:|7ے@= l*AN|_HhX8xD$dT4x恹ya& VvuAX{sUTKS7)YZHO]&47jԬ'}.?k%Vsp[mdԑ AcMFw gd" [dNd<6;4Fa3r?Q/coKĤ ?*oQBpvd' ? HdL~A4!4pUZ9Jr0{C0\P߁lB%z'&]Ŗ q28,6O`׊!,p +iwj)K@9{7,5g}OF'g6]æ
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./docs/content/en/news/0.9-relnotes/index.md
--- date: 2013-11-16T04:52:32Z description: "Hugo 0.9 is the most significant update to Hugo ever! It contains contributions from dozens of contributors and represents hundreds of features, fixes and improvements." title: "Hugo 0.9" categories: ["Releases"] --- This is the most significant update to Hugo ever! It contains contributions from dozens of contributors and represents hundreds of features, fixes and improvements. # Major New Features - New command based interface similar to git (`hugo server -s ./`) - Amber template support - Full Windows support - Better index support including ordering by content weight - Add params to site config, available in `.Site.Params` from templates - Support for html & xml content (with front matter support) - Support for top level pages (in addition to homepage) # Notable Fixes and Additions - Friendlier json support - Aliases (redirects) - Support for summary content divider (`<!--more-->`) - HTML & shortcodes supported in summary (when using divider) - Complete overhaul of the documentation site - Added "Minutes to Read" functionality - Support for a custom 404 page - Cleanup of how content organization is handled - Loads of unit and performance tests - Integration with Travis CI - Static directory now watched and copied on any addition or modification - Support for relative permalinks - Fixed watching being triggered multiple times for the same event - Watch now ignores temp files (as created by Vim) - Configurable number of posts on homepage - Front matter supports multiple types (int, string, date, float) - Indexes can now use a default template - Addition of truncated bool to content to determine if should show 'more' link - Support for `linkTitles` - Better handling of most errors with directions on how to resolve - Support for more date / time formats - Support for Go 1.2 - Loads more... see commit log for full list.
--- date: 2013-11-16T04:52:32Z description: "Hugo 0.9 is the most significant update to Hugo ever! It contains contributions from dozens of contributors and represents hundreds of features, fixes and improvements." title: "Hugo 0.9" categories: ["Releases"] --- This is the most significant update to Hugo ever! It contains contributions from dozens of contributors and represents hundreds of features, fixes and improvements. # Major New Features - New command based interface similar to git (`hugo server -s ./`) - Amber template support - Full Windows support - Better index support including ordering by content weight - Add params to site config, available in `.Site.Params` from templates - Support for html & xml content (with front matter support) - Support for top level pages (in addition to homepage) # Notable Fixes and Additions - Friendlier json support - Aliases (redirects) - Support for summary content divider (`<!--more-->`) - HTML & shortcodes supported in summary (when using divider) - Complete overhaul of the documentation site - Added "Minutes to Read" functionality - Support for a custom 404 page - Cleanup of how content organization is handled - Loads of unit and performance tests - Integration with Travis CI - Static directory now watched and copied on any addition or modification - Support for relative permalinks - Fixed watching being triggered multiple times for the same event - Watch now ignores temp files (as created by Vim) - Configurable number of posts on homepage - Front matter supports multiple types (int, string, date, float) - Indexes can now use a default template - Addition of truncated bool to content to determine if should show 'more' link - Support for `linkTitles` - Better handling of most errors with directions on how to resolve - Support for more date / time formats - Support for Go 1.2 - Loads more... see commit log for full list.
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./docs/content/en/news/lets-celebrate-hugos-5th-birthday/featured.png
PNG  IHDRGnKiTXtXML:com.adobe.xmp<?xpacket begin="" id="W5M0MpCehiHzreSzNTczkc9d"?> <x:xmpmeta xmlns:x="adobe:ns:meta/" x:xmptk="Adobe XMP Core 5.6-c140 79.160451, 2017/05/06-01:08:21 "> <rdf:RDF xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"> <rdf:Description rdf:about=""/> </rdf:RDF> </x:xmpmeta> <?xpacket end="r"?>-CDgAMA asRGBPLTEjmeiaՃw|eHVwfĸҢnYRJӔ#xnH2~Tf=+]??ټzqkcm 56جVqh~uum@' ܴ?*߄,{p('6يB:\<2-,&!Ѳy6|ndtj5/IvdUAc߂xOO>7% 7v#a}ܝCLFmMo /3i^IDe$^WhRc1SY},2UO{%?C[< x}D.ײpe^vC\v<CA`uK]?Ľ>`g6eoEK hsSEaN`лyq]xdϔBtstKNOQ9@VhFHCg7rpu?UYtY`Sz$&Mle¢׹`^bѺYlጌYEE˯Ȃwpj4\Y\{QKSgo fCl̬qkdßHd\0wIO>uEt`}i{֚ߪ9PeM2ȏцl/4WE|ۆQ9mڝb\[Ɍxa8y7'a٠ާ tRNS+Ó^nm IDATxmki.8)]x@HFDDH2N9MM3c4',tHXY i/;]Àa8 g=1*x1kV1Fݪ+Kos9UmKru_u__+V/<}ԩz:u_~VXe8}Z'!nG+VUOҡ^'O1bŊո"w4Yb5>@:y=jX}}qZzCVX\,VXN$cYX bŊ@"u Ybr@RŤ,VXJN$#YXJ^,VXTWX\\!Jx=XJ 1nݹ?._~xέEXR;x`]<o9n X^݂`^?S3bŊUkZwI1c;+VƆWܝ#Y Xb5o5p!+VFW.Ɓ+e=XX-^݊ WsF<w!+VR*|0f3X?_IY̏ŊKz7]?h$Kd5+V-= "Z$kVX WŸ l m Ybp1G ꞣ-<_`;+V/U,B<ű+Vū n[!fXb\C88^!X)dŊՠѯ+pcM!+V)}q0ʆX^5X܊;w~8"MCb=dwVX%Qn a 59b*yugx”jX?Ί˥`.&Wndbbj! 9w =FXb, ^ms7bb*/O>uɓ"h8`膇FXbEG){w+Z~vZbb*0LQ%XsaI.2/+V|8 Xc<pYbe*Du;w+ PN5BPbu< SX"@t+6'Of;+VnjT TzCuknxB*30ybbz+V8\q8x(A*c[X1it!Xtܐ+VG SzGp Ys b-ZX@ #<N"5v6<ܟ2bjB˴"<"Vs0h{oC<:DV "au܉*֩ X>V}y:)ÂyUժR:B 1^rrYȊ1#Vtj5ARxXr-STsD 2*GO8N2ŊU$B 1JeSHR߲'aV `"X9ᝡXX%FļFpJ@L (RKdP0b25^y8wƘ+VNLTSF)S~2!Z.Źx^L72bj:?ᾏ7[xͦH# v!ƴXPJSaJU$K4{zg^b16 U^uXX %syZoaN"!aA,b k X кA!kK`;txVF Z> UTEl|i1xB$@'%#P%Hp~TtX})B^'[hbD)(*`I <Īn5 aԩ<7(bŊU*VJw5n먮d-*iꠊkY#KzZVIbZݲaEcBCuG Z;DYXiYRN<yt6z2ZWxVb57ꪻ=լƳ+'iP/hF𫍻Xs ܿ@(|K fbŝ:߈Vw"%>5uE2&:JDoZ,VǛ[F2l%zGTB !y0x.&XEj{3ηg unYOrSd0XaCRc >σyBZҁx+V![2NB+VzG1U^DKia'|Dž9j0hAgŊ?\n0+VXQ//b%XXVL!aWb`MY 1]QEÄ,xUD67djp*]+5%X-ayic)eRZ~6Gaݹw>5ҝa-$ X:u*>P@HbXK7sbbd`AaI+:Ɔ0RVNъ XoKuzp7gmkЭZBc-&gb*jD CU%]V.WE$#J|8`acEXk)*QBc_qWrBd7b=\tnN*+Z~:bu:%dӧϰ>m=~@(G(8zs)Pp˄ i FXDsȘZCVǥ,>κf~D ^'`&XSAfdAM Y73T>}33>c+Z; I@.:`7 `2`gsX}הf)*f1(W^:C)YOhEīk)DzBF X&*Eܔf4K*F+:^uuWM>lEѰmpVu%a0ϒNTh#WOtrWUY X7A!u/Rh)IG#8lhUիxE 뉝crU^&"K9FXGXhpHzC64dud՝P`[5IX25 X'`H f:FxЮ[_XXDú{>ڞ0WZ%EgLg5aE~ڱ*!H}J rH;3d5IE_U>\WlJVL(\KmFBHd9ؐu&(;ڙX["ְqWGX eĀwwY",VQO3v0ˆ٦cŝ"5ɜ | #,ݞ%"gq,ρUK+^lB!%.9=eRM5(eb OeCks#Q`k(gCSdY Y'd(݃W+(Bڸ{bʹ1*Y%+>^ͬT'PU\*7F0%}B k(wV/</V^EPgU¢{‡%@2\ u~܀iNj2XX?  kFòS;SqY Xe!~Q2VĤ X@8KI>!!e?Z2b Z` XpV5%(~GXJnh|.;JKc#CVTn{\܉q-uҽ B,7Ft'aݩf|'3d,VU9 >D~>˰rԫ9(c#(K0QB :bN+K K }eʨn 3[Ə gCZ\2̺݊b!a =ݦАƳD dB}'`|0VxptT\>*E/fJ߭8а^ΰYd0U0bt l dnA Zk:tw.Iʖ9dCV"Xl ᓙȞp`5),FXxJT(.qK3tb˦֤01,VY"X ڱ« tp3xcxXzҍEs 3}3 C,b5!AO,;$TnݽbMajWUaUe d,eNUPY~g X+e9)L)9:!;,VcWn-bt'iR,V6rm #,A17ti +R.7U 6bVS;rPt4%0J%91|Txqpo5Vk(22X 脃`UAa;Vw_ql2V.ʱ t ,H:kR0d,VZ˗\ a tQCe>`-9)YJ=<__ ng8ΕڰчD2ݯ_F X%/p377`% I,IVY XNR_|[4='q>78 S Xs/0+*`eMd!Qk}g R{XOHUa7mBPp /u ү{/,cD7;SF1XW%BH\93H=t4ЉXNweq]{˃5y+d!QjA{uUY+9v $`Qu[e_,57wޝ;:P]X}%2)ī0`|+6 ~J8`-l,]`9tcBu/ b*KI- YyxWɀjg@X "a}iic,D[mEJ-/ݠBYLb5*#X3f l,zNKqi<B:[0iIwl˸"Y?1CVM ZaRWAL Э("֧(̰~~P\pzT\4ˋ-4 ŸM+(I/A  pꠀ5[d13tXZ8ڸ *1E@"QESm?bmB9!\(@Pe|ATk}Tu5N=}}E`'pmlY,Z6>jvso!:Oì>īW':U&eC7UBFq%īN T݉|}|rm_0hva]H`&xB}䠈?fq`N7XԔ!1ay xڡ;qH5`kliwYĭd!MjC©![X(/(gZS慜$>vjQbk 焍Oݮ.߱ =lv/ܹwaPcEt+ Y2q`}!dA%eS:mYkWcWkCDɃq DŽ,޻SK7Vݑ^NҀ! Y% %E{oFcv<=] k aKPZar-sT<{w<IO,j= UB Wj[A2PXk8?X'?DŽr2%,b6,p,pmDѰu9x w#e^uZfuK|)pHWTE1b ݼ^djaIr*5;t[߱=yU| 0,`,WV( *{X ^)a$xxyYshAIZo^Y2_jHO+=l|MM(vBQw,PR&[h@ C|x%YIu);\JCljX>6ȀeM?`qaU\ ~CDۂB+-"_ek;ߦ6kC B eIj@]k<`ٔvXYXK^ X2Y2d] bȕ+kaWc;GQy%XsdHVw]*aߒB\vEJR̖]Y#YW%Iq+OXM>LZ ␀r79Ă,KiUp /bS3lq`;X^>tVdU,?rÿc}"LGxH(/ud>^ İガ s8NuOkfNt +apʍ/8XIIߊ, jpo }gjK8dr{XݠsJcks@"Y͉<%66nX@ª\1KԫH{E*(3y1,/d녬+Y XRqX_߻Bx7l2b`,h֛9+q!lFXPDl0=~Ohx.9ݹ?%E$[` *mރZ[38't b5:E}[ikx K\H85@R48\(E_"ji,VʷBcFZc_Z;D'wiAy)>KJ4و|B!䎞^v{B,dW%ޠ?kπ@aLwajtiC.VIſ9De1U|ݤqˎX;;ܹɑGveLwAibjZd0[sGX~/bMʹΌ^y</Q׈~k'&`qj}-CE$+|M_|_*.d*+uŸc5mПFzXKmlp@( u8w, ;dX9S w,V:efPpbl#66tO73p`[tŰ{!Y%FX+!ƺ!U'q&uy](s%<OlQJWܰxl9w %+_gYy` \Ky?1S!\&b|r:X4w"eRt7"{D4wnL1iFX 2 &b|pJ&ח*Y,n !^, çB(r'd1q]*ݢCuO'4l!>% j8wH"_}#N r E~ 9ѓ03ؕ7`}"a闟%n2߀6*a/+ɪr>M ?[O8ٵ\`=DD0`kn V4W"_3zŖ 7v-:°鿾saUS, Ubɼ Y-<`tk0zBpKlm$CBu}ְ5KR^eW`\?T\ $Y~w;qŘVv9ĘSqlhҳBpKx}!jpE% iJjUUVKVG@刡VYW;8aSXXNBЍ;~Z|)#rjIhKʆ:)yU+&iik~L{?F`UamNc_C342LXZ(8+(k*Y% |Y%ހBQ^swD7 &YRǻ[ A> )X$C@+ `!B Aj5,)V&HJk^&tJ:cj9y1"uuntQu D> ^%2`ٚx+Et8rh$nk$IQi(TemmIZKPSHH0>i~B6 /"+m;{tmueXg̮-kZ,i4;'op8GfQSK[P3(T>$0"p;E CyTﯞy:9==iv`KBBJ^yy +&Y<k a;X@XO|fg݈@<kgL IDATSI_f/>G4)_۰>l% }g͒qj#YDz4d*j;EQ;*QyX7'e}-oNSJ+RWYr7N-.5e~#&S(@}`xZ)^1X(o\"9~Q>ouZoN aZ>%jTƟ]MH],p$ %>яD7^݈]X$c[і0Zظ; ϩsR0fmexE0ksEiG9]Wt ߳ od%𐰶WVŸln8)gvfA,c.cak q`/fՕY՚ BLz. :`ma%2ñp3hIz EP` .aXK$$eBrc3x1kzP|V rW/\he0o޿Hœ% YGKJ 8c>]L=j +r&,GWF; +p\!KsW!mU!z_a<,-Yp䫔>mM#ogs>[}@)X m8 ="0T6c:wWʯά}FHєxX˒ >{e 0b]zI#YE,ɯ-dBQ4INIi0f"Y[w}0!֩L!⛌|nW`m uJq «KDzIYo߾ā *k&RDŽJo#HX;3!kW_H n^Y*L`t-jms3>^MOov^XU!~}v5כKkﴐ YG@JUXnĺ ٷ-yˆWZ W&At+C`5E]j{]!QqX>FPkH՛7Wg#N &RȚx* b8!kCy`S峛s}xa-i6΁Vht09X6*w›VZv2 q,1Ǐr~&R&O|UMg֎ d}=sůx'KX1-a+8А+QOش!֦'!FB,P`W~*:tt]0(WZ~uUW[0SG"Kn2^)!("V`\PӓτtbʶITDzeכ*~:0Z~ܢH<26*|pW71 WD~2 9ς܉ʯ6qk[^A90ZLz?Br&H !3s5 v[vb h1`}}lj*xRʐx"NB@B͍W/g2 2鑑۫L,|N4 ҫǝkI%I9gFkx9X@q%kqn?^Lscx} LȚ<>ʕ 9ߺjdc5ɔkP)!98$߆(Bi W<, X)|5 ^I§cY<%\*1%$q [Oba~(xB>)M!&XgϢ,XXT,og'3}ƃ$LG,p5-VlL`i>Gꍵ:!)ڶK u rWѲG)d1=Aq}l [v1k^vI]~a+5uks0 UE΄5.Mcy<,zxp<+Yp?Q!Z7*$q•`2'AVHC f7 X^7wգ`%C'dadfm<gyv| *`c'8F\O Mt]k3b/`=  8gfL#!*9al/ O>(ի>zAptߨL]B_=ps>7#XVK#Tݖpzn8ÆMjK\jҮBq'O?zɓb&8ra}|=~~EvE̪67Up?!*JtLWoGR(ŪF;W46,`UVqs.&H :ԣ JbT^XoQ~Tذp>&YͪԺ4bl kS=U:|_xWsE<םDbeeGn@,ԈReLj!>w,lps1yVzsIꮿ;7dΐșyWBjT.Nd0~TG*a qk{vk F H%d1$^n$ItU?2~9 4 2,I-Qب'&vw+c :=Qꮍ|wfoȠ!w; vVTTц[Edtя;'1 7L^nrcpnحX .Їiz%|,UƍXfo8^Rq,()8Z5';x)G>,GQp>+ )P<^&$֬RzB55^>N_XC _SEП[8}}]'@t{/%>,J=jAHZCLuyGIOq/Pup,u;,d,)/sRMDnH`I,i`#ܞ)sB>`i,a!CدZ:Uzq+ R{`WulX],,}5]~99hiKh"֊nk  9|?f% 2CVVJͥ34Ԁdo'Xq25oSX<,r Kӫ!qj{oO{:PLbQ#beR[ :2oW'TwaX",Hc,u'p˔7m .`7QG95X;C:Acv琰 *Q% XLw+ mz>Q:Vݷ:LW`z T'aUdLco8,#+nDOH#5knh3 nK!W$3Br^ KX6ʼnEѧ  yVz,Pu}?j$WPWJxco`k:ƫRv~RR\5KeXM!Ub"a<L7nqvS l g_Fch4:tƻSO o~O(EA ս`pe"Da?ghGH1Fk ] ߼=` &W|^-XëV ;?&q/g𺫉/N`Չ{`3jHG8`mk+QkA"֥@__6,rK /ך[,^͔WE_ow  tk<ICGŜ`q׮ߘ].{,a>M^ub:zw%a_'Xɳ5,3W-_j t2cOVBspz3|Vr5'xuɯ'K}o?L\Y1_<`6gk,]wΧcUo~W+&*2l|:nL XRNtJHXay:z2boJXJHq/;XZl r׿Jд[c RTMH /~_+ZJ3Of圙 U- UX+0%= m<IQ9J r]TE_S(7|KBE'/~t+'PwXǫÏMR{9^x<y⸝ `X,a5 c k>&Z W 4Y[2 r)K*4,$G앎8yR\* KЯ ╖-z G׉bi Q$x4w K qam&ðt9CLI޼%BET9Ch'kx1/I(854`:IXуlWްB4| ^1ɯ>s ߼_uIǫ7ULX/' {OTXcūtsy^>Z3Sݱ~k feKDhz܀:_ƢJNj1@^U=N kTxN},K*T8[~p%&Wj"Vs<W-3VQ3^῿¯I4$ ZH."xeX+r v.M 6X:_9,ÿL1+X6ڴ4Ur6'aȰ0Q_K>kXz;Bi3ύ> FWhpINR7hj]S)b^J"bY,]Xsf7G24%.Xk5\V 4ễ!8 |)JR,]d^N3VIA$NI$9sv9Q*t1g0rG)*B%p/b&!1ekDb/&$|;$פjstHXew5]B.d\qZ}Mbķ|MA7YJNMk xUS)U8m/~,d?^G=Ab&` ؤ-?:t g jUwCe ^e(qڞWkq FW5ŘfC-2W: ϼNV*9G<2~<aa!ʅ`"4 bo/={v-~ɉgLK<|-kM3bB^$# Kց }IqE n> I綪oMB@/\z ;Woߺ |-G2BxәʷY /":4kW,̛ê'؏z΅jq7Ӂ|>arApʕ^]Bں|<ղ )^ᑝ Q-ɴp<gAi Kwۗˆy6{P܏`חLzԄ42oD뼰%c_3nbw&(ɉw|U)g?L~5>5(q5$u^+EǠ!Uհ[xp(k8 =ǒIC,OXAr(0pZkq`'Q0*aTQ|̿*וٯĪ*(3kxeXN`imT;kXH|LN퀵 `Ŋt@̷D)Q\Aze~h_iʱ- ?1PLU9 HC0 :trÂ|6$=%H<Npj-sps&-8Ca =?h%)fmJqPɡKE;΀ԝ%,ӌ XۛswtjU_-$ɪrKHX"Ý$Cg~K;1.HnlЄ瓍wK`qkۏ-fo߿~SJ[Tۿ!V%F:G/,Mp5$X|ueP?sѫ:O<l9!`Y ksv=,q:|:j8r z ddRB2'K:D$olx?Xb!/ s85L/ nMp…7($g,o{.NmB3Jpn LH[(a.m^X/\nqw.7`=DRi>A K^f<2vSS}LX#S<Rt:!R}'X܏#HBRq93Ա4wòVs65lDW?l^={_ʌ.'uݟw+89N1JTGoh 4lXzFyjr4!q5cv z꒰=#'((d2 k!LB RXCU=/A6Oq Yiau09zlO)ViEZBە< `M?§Jo2.~_ TbXqt6!K>"ĝN8z X-4awŰEn>Y~hσLBg]xUP!{^u ;g3Jh!'J}[lSӗŻCo)%S(m>,`miLTX)E\=1lӫAQ,d3tbk̙mv_"`l GbQ=EK,W'esۏP$X>@qd-C1Wqڎ "^d b%@:C4 3pH@e04|Bٖ7 93BjG8PwN;>W^/ЏS"e)7br/c5$gVJaZBR'w"E2[::hku%5lrv-6#-W:bjcB7%k^bh4B(x$9El \aoA,ò%NO](6^|#$ B0zb+|uH*3&`pbJE9&ERV&!+Mumy nWiЛ1\Cuƭ; ;^MuXk,0BN3JP0RV-aL`wISjMߞfqG@ +H{]# `C W<3km $mc_Y$a" *l#,i*S7+^P,- k1웃HT5vxʌX9ٱ3k>T2>|,9 ,5 l}N"X7}*`wlzz_2OgE(V 4C;T 4`þS}%]B];[G iAD_f芋`!# 9>a{d>A/2S㱘+:̊˖260L/^jH[ÈwVJSu_ĠXn r[cv[YOc^Mu?HVW]{ "%ٱ"҉)ei->KPBNkd8}ƵG^g;]oI# ?׵im' ,ګ=Y("ڷKYfvhO [^!%m ?,NQ:'ܞu_ޮȔ#@T<v/Xm; d+8^{1Rf Z!37D140GՎnO]#~˙5 hI6U|d<`q4tؕ2Q<>OL {B21򚺤 ᆆx#& +#'dᅭxm_ "=t{mϞΰ 8lXvRdU~]nDK: B d,dzb"}$*eJm R˼괃Xmq94`E2&X Sl u(S`֠XSQAQ<wB Z2od X{ Yb)%al IDAT*K dW,zz@fXܧUׯkFw.k4X 0_1+16^!TEHe r,rd9,)_= zB|bTc9pqа {k n/HS1e|mz ,k^\,*`A$I)a}Xk֛I=K3 X XQ~ #,a|vgdul2CUaB-9_X?,Ȓ YIr`q0ˀE\|:'cjz,s§`hkp(#e^U#)Xo裔5:RX7 T q9qC;^o8R1ۀ皕v7 [ \z/+ndNw{7} ;SWeuE͸1eFs; *VobjrW8jtW +~ysSi cS,bimA6c6K.ru>X/՘i@7/$C112"ƙl;sJjew|;gӢX>"{!yewh̜ V^6tzl_8D?ᔙfqZ)V[.e PTG%%W̸R4 6) N`zhErp.RPl+Zp):fu s2ɶ 7Kz= ˀe%mP o rV˺pRB}XӁ" (%@Z_Bpeu:b0>nۋY5CwG)3q"#i&L`MЗTJY1A|Q\2K+yXw DE ᢒI'9DdTI.T7gZd ]ws ]xw j*82,651q%9/)am ՝2eyTj*@ a2 R;8fv f7KkY>+ XMʨx|FBCCl>3sx)%!RaRz<p 6fS,]J!J9! ɏg] *2ߩk഼Ĭ&v 83jrq~0a, lc, 5.A ȚI֠k{:D9#{]*`4E)YV5oMA?u`*1<mTxw1!yCzil5ue,AQĤ'#^oYpb3^m QUt3bfãg::ʼR8kle#ۖ%h0-'yJ ~{)Zu@4r%m ?f=^Ƹ#vZx&٧I/}cOd&^n4Q_1KiTD}< x7h*No0~\ KF+ V2O }BA! :M4#ޜ6DMꩠ;~ qE5w mk-xzYH2{={JJO#itc^xzD>cAY|K_0|BSȐLm+1BDK@[N 7XsȼPw Z]=e&12*</<i[pl +ƽ6gwA#HR곩vPG3! h4h•mRB|s9JYZUKZӛCo Hd Xi`: !B}/w{Y>Gհ6B+ƙ9rl<Oo!˚@fgq̈́񊈏ɉ`c!j4dm}gm<ϺevO~wOL)˰{E}eٖ AJJt,A 𳈆Fj<Nǫ?ئ,T B;ۀ$р Zhbkfw#פ :ٶ1kDbhT}~ɇ<99 M=~`ՓcAtjEg@K"es*SW]"w̰_#sRwH;FHy=,llT2 XQ.}zGc>•R2wAL/"Uv{sk,]Mm!' .OeOnnYd}KB ѥ_g[tΌȚ{2H?HL$ wI,Wr&L&i94{"|\w XԢ= أ /ĬT;C7^dtF)EtĺIGƻi8W}5l9/۠%8G#wvW!(^c+`UV#8ff qd1J>26p5"[iIfsX愫miNf >b-E]\>2#pod}gG2w:Tf:J.^]~Bkc:B7)<qx;G-+n[/:۠+bEh h<A" @sL.>=Uaק#b[{&::U'XZR~h5'ۀE 9s+~(tÕ*쳣 Epr!l,B z ^oa_NQpo܎Ѧ X5`C(vVTPIfypD\bkqaoyb5u$d3ZԸ** +,4(6l΁Zʏy˿L:q նukPs/Z6!Q޸У566"6h_ %љ k{{̲-1 % ;juӁ;m4,Xg#\xI<~2^h,?ÂA!]kZ^vvHOfZ̟h\~2`{D_h̦e*mOoUMu`p=+Z >bG#vFvհ'78"ǨFZEW=]|] xI٥LW(H5+)_`6$WƘ⇡+RmA 2GtkxYrdaOV:1td,#{& X)M{zu7b>zYFa '6_3}f!&D3kyܘ€/+rzCVo,,{=QXZ*t XV?m+0v8'_z5ƻE-a\\${~]cǫBձ ˫g7f {~겍Y,k{;eq5%,Ѵx XPx@C~AjVtޯ/$i~*9Efqhmuev#!40=˝틭tT([-c+?st2Q:9Z.lזUQtPWN̂&C rFVN ƽv G EANoV=VkJ2*\پ"|| dQYQhV_GM'k >.yxW?s>ܮf 8Qհ`RK%j v i,6xp]Q~5*c}9jX5'6ʷ>8a9߫Yi֠"DS_gNL u1&z\&KP>Px+Z'f)q3FQOՏ6n_5~ۅ?ߛ}Fv{coI8??~;UYbZ?{nH P@^u-QJ-H j%\UnmT4T;3r<<s#Q,Ţ#w)j{i4+_mNHK`:a.a! n+ﯮ.,V/q"C⑰uE! 8貕6V?XGqEhhFnV{}_t'ֽʇfPc"a3tO#ᑳӛ#XZ lH/ݩ}Ӗ+':.\o)KGhN$X`~H]#Q|D4foCҀ]X*f'޷+[em\Tb{[%L56ޥB7f9r`j/%NtMBSfD9 ^昗 Fkrfm |5z+xPK*^:^"#ּQGfދ2x\XV̋&czSj><6C3[ܻ~8È?f5v?V!6 TjGl M%C0faDg{H_TI]>@NaALDdY/$sTwH7ڈ4݊]Brcԑq6zsz9KfVm dH8lXx-g{-:^e3,ouP#̌t  f-_s@v[(g4Tkzd j:F2]HWvj(c4 C1#|hhɉlX+ItL\9;wTMNk}\9(P g_R"ޏWr`$tWvF;Bg/ ZòCjI#^j3l Yu<a4 3PKɐ,ڥ+UzbhvjnXHBqF Ev`G6qAr?EˏSCY(y5d7ذ n%Fg%ܽm[i^}P:\B7d9? ޤ#cxhpstƢX,CTs~:,TFƳ)a1SB^H9+S[>g*W Qq+eU5QW6< :T >#lWsP]HCme`ֈ M +fXý_'ȏ22&+ |?p }>y X:dMs|!^owʁe,:`s05*g ٝp|H^N4& Lm, Wg|ÿIb{9=q*sT/#kTQ1\V\cѹ*YR>Y `<L >% X̾)x KrXY0 X*Y},E6G>0BgMl̷j%C_owe-m+'Y4y]~&ztEyݑ]ji]hm{g!*7ڔ]n^ vdqcsuPrNP kt|T=g.u\_gSJõ0d?q}XgG'WkAk+\~bl 7 X! ͚#kqpu\}gE^~3,iAUU+IX`+٩k2wK<[5.W7E7&(){$~{c l@T췻ݩ"prr 6s~1>Lj rsB­Mg/ޤ-!{ A 8?NT5P"o.?2M!65$^zӝ>7~Vl]XMESsj3ѷ.$_sRn0IJ gU[/ &$UGRb7 s\>pĚBnL;`iTe+^B.(@jBmC81R^P y(n,d`"_L5?p弈$W=ڤ!Vd'D;DbV@X"q6'RC8%Gġh/M3W+\/.l\dEȚ CAV=(ȝOk?z ˘ }wdq7/. WyzTʄs Ͽ%m?Ĭs +_m HgCVs̬IЛZ> ]z gc Bk:_{Drk,sGO;o/4d%fU/w0Ĭez' 5lȮ莟d@A+mĞ۵!>y$,3@fX-蓬!L *ξ*H,4l  Xg91kcySKxr( XsR0`%;p]~^6ʜ9Dn"%T(BR^8O8M `p !MM >N&ֽΫЇ݂Of~wD ,ɋV5V}3TAr0ĺf!Wk9t& hMQHCCﮭt']8>{>yʻ)1lӭNB?(ʼ8`$HewU~BOSzg-XL]kh;uD&c%==uXu7Ͽ |\ [.[-ѭh5Cb~J4fIpkFרFDE2{MgD%Iݢ")_qxEqr0^s؅',ck<^U3cl\Rj>G a]+cXPr)3? !ZXPQ٪Zf^)<9B/2)8gۨ{Q),8wDAKIM}S]˜h0khXap-[ u݃V! L /b*{#5k0MNfjJoS8iw Og!ͅݐMXHU0DH* #\Dk5;VycXdבFPsty/ZwR)7,Nuaq$a"]k:ioUU@|/Ť 3c3e XM>DaW_BBM7HK>ѫGk2ۧG`%_CH^ +?js2zl|4 Xu@>Шc_I \Iu*ZcC)'!,&uO[WC=B^o a~g zEW/D/ GDHST+SלI?3AOڡ]1zeYA5K->yO?O?EphS yG'Ɍ8Y'#? ؖVXsWUC,C.Ֆ+vm v}x9EZn _J$VN%>WeR/"Y!5~;o N5Kȧ!OϏXj.J7'،rvqmn-uv7bNc;X,6+Vp@-B*ZSnbRMp ZB w) V<{ݡO;SV1\nƚN?Bm IDATU=.'PoϏ dyNRTŽZ۫Z1`?x'Lur|QFrzY,[-XEp`J" xM\=dɊ] Zz# ~9lh "#M?/]` 7X QEO aVТ_w?`OVP N̰21,ae1OԪq㖰p1J:᐀ҩ'fA }<$ͳ^+7l9nWHdMj O(pe_>XN!7{6x1XNhQv_vfۜiQwXЧC×z <uASfAq7Y!'`QUZZ]wLҟaIi6[ `a+>僛6>B-i"xo)xW6 q޻5m"X_fÂ]'c`ElazI^+Vtki*e CDjᴆkEp Dwe2+XWlnwp;FgIާ[7څ7~~O/o!l %(9nX/ˍҪQ{Rt6޻Ƚ dxY07uy+ nM QRSPdG_:Nw.3HwYBŕ-j𨻏J.UzGrd^ɒP)d૤k5|eKG,Axo࿾}<fIOeĂeL[vm~Qf銝Hu_p\X}dEH\(zo'o `żȇ*in}ht  ^[='Jv)hH ,8`7gx CMn|9i,X<Ct= v Xh DnoU( bE$( KêE*daC]Htp(@sO>[sDk&V;_ɚNED@~_"nWƈ85cq7}G-wneɔ|ne~g# [DݗﻯOxc= cҡ+P\pGcAƮ00_–;ZQk: G}?E[oX'q]I3֩Rܫ  U^6~FxHJm (m @[B]D8FX#ʴ*aG^G`uJŹϕhg`[uzg{esljrDMPb} lwB??~m!%(8Y+ ER&PN86KGRrl I!xcS- y^+՛"1 p*oX(|M̀f9YEs.GvY+U;Jb L 4 | ߿$2Km;k{^zoz'\V,d9T/SD9 _Uͅu^Ed#XuN^{@`U\9+)OH?=nKR;BV` [8*1" V /q3?Ύ~twj{s!(9U{>Xn ԺLZl!j[h-*`I:(.Oi ߝmX9D Wͻ)Z7!E}=%|BUv 2 XOh 4Jd,qwaC6HmN{v< O-U:EDxOlj3*Eh )Vr\B{@9Ϻh{H!r# K1 D?8 ':193GHq7۸냴MgˊζcՏb nۭgIbˏ[DUCtK ori"XXVaH6/wmX ;U#(^KX¸^̟C'?V t%~ssYo2w:GSz>Gn!naykIB!$UPU\ʶc?nR$6_ysA"ePLZcy[V@D.jS#}9 ֆә'D`t]jQĊe*P.*w?4[ݐsv*o[Dxy{O#O&EoPF= U~(j-oN!~sF,CV1'Ho\(68?ԉ`VtzED`bUWKFSy+ܺaݰ%d[bB`+C ┢ ]W-; qG_m ]xgM Q{5nӷQ awϦD؜tm:rÊy@XtXpOYqwQF/8z"#W6Gϻ$'XE8{?5ŋaZ΢ O5ӵ:BʓoY/e 59 -Y6|T$eZhs[mծYu\Wȃ)UxO{bJ<ۈ$ƓpÕ`V A®!8XRRFYTN wZՋhBrI} Boceh]ªJ>_yo-o0WBd4{9f)RZ{~۝2`qʣ'-[jow ֻHEnF{ <]&^9`qpLHA TLakv1^xa׹6Aωۘ?mzފ`}- XxNXޜY4Mu76c+, =CEHt7=Q&gkcm}j1m)G,<#OoLn`p5pFĽ~[&0a@ܑ'@;lDŽNlA BT e養U"E@p7uX#w+g\Yfuw\.cD-{І3w{+ )GT[3¦s a#; i("1F}'o*e:^]RoZ}1Bu&\k/a!'B  *2Ru_6(Oo+Ի?T>Jϋ+D[Rm*b~ĎPЈ%a*/oӉv滟6e9Vqno:ZF|,@ _T:$ &s.gO4Kl뮜n]c" "_,Wq$PyvbˏeoMI60f6,tXCĔeh"aE*~#[XŹFxݿȴA>Kj٭X->uN XuǖEm$4j[ vيMV%ȵ lGR\bmup`m×~;p<cVa"V,\F$,EhXF?d׉+ٲ6>2}A{ 0+Q>{קTm^+E'*!+ҎnAIWf{K"v߽}ͭrRӂbL@  dլjN ?XbyRz([MzVH[ 24X۰)`voau}NͻR)u, :pEt>: A3zxيĀekZɱ,h^x5^"V,fԾXUk]LJOvw߽{ (EUӖ!>AB>ZZۊHVc\FҠ.cS` :AQthty!cO\X.5G!KG ξRdJo;S赮9p:9e#͔(V?ǎwPs/V*=<egc8uA *mGNk`a]̙$0,NLduqZnRҒ#Bnb ]*.uYײ#_UVRD`GۃM&5=AmI~}C g!9$GM3<>~Bp@\M| Dc/pL>*DQ&D0n0KxK_~ЗC9Z)Hh&)k’3?!*EҰ6X=4denbI̜F#+< Xg}ISFoD%ʗA4SoJ .zi/`O.#4U#FVRio>)aaϨf.Ċr!\qEh$J6 M\pG w1:]:5zu`QST;; N:?b]Ä#0N*FU8[QB3OK'2x{7` <4 M鑋Y?eVMv;yB}tU=si~V'/@XqvPtfN+2f ӝPYB={=ҠV3^X_`X0v8 v6e͕`s3Oo:!zy}<ܬ>C }9 6N!Y劤;䓤jN¹?_PTPFVV$t3+atK`_J(7<͗2uefaLQ,]lPOrx nu*2Oe;{H632ثmbpJR}A٦oh+P V["~V^ uFO%LbBCukPIJ$o$Q^jeBX+9}2ZX#YPZvRPX%#PSd)aqH-p O?cy92pAs++I <sHw7$,>Xq@GE<9x ГRYzFN5Wn;̗ Vu |;QEezٴÉyX{L4L_Cb9L/en^ ^Y;}bϨӈ!A3" bRfU4GPi/tJG%%f1^eX|k؇Ҁ| ;tB9@ɚjϥ1C:T>쓯Ke5i<Z]Q=|AX=DiGtOw~@6>DunDBqCk%aeFsևf ْcQ `KtSDt `GUʍ?{O4BD t64s"?Yce/Xm s<t^ 4cV7X.\аM3ړ:o2~/i%j{Fsq)+*ZϥgX?~(K>qWk貆r_0cKOVzI2zD!F%'5n6};!kŘ?e@w6,ȡ'cK@ƚ ĄBXpiM7hM f?xwO;Ƚ&#YrS`+r:ulHg::UEgn\C"XE eͅ+ꋚF$W["AH F_xWh/}xiOfя/ ]S$ OڈB@wFٱt4s}\;nDyҌ:[|EH`ڬs ߻CfzŬ~V^:[` ;{򈅊33#Z(J/f8_ 'tek^tj Z;az2U(1QM QaȰLG* 7ǎ X9 -׉%9nlqf;|:Z, ֙NB"襁bU^k*?uWz [XN0x)+&yE = hpW<9C 2OuPKBlFRܽcvIQM͘b ˣ<wRaL?z;oioPrfrty0{ *0*~.wldY)aL@Cqi1A8~&9\w: 7XVRa^=iBٍh޽Y;EL E'EYo=n3]P L92 ְ([33κ/ءoʬ ߴ(RŸO94J@ۧkɫ 5C|G%aWxy-;`U'^O'u>P2<?@Ūr7S\݅afjPLe#?n!$Xlqrv"+ˈ.@K>oۻ4^yij w#&$CEI6ҫ ϐP$x};^1)[iTRBo'8,EC9EiJ}wVVՑ֠4m~[aO YbCLWPi\UΆ@b_|2*ch*E3V=C3 B>ڛy934o=*L/hP) z(G4AOP?%^NSеW|A[OUCqrݰODP,+^pSZ ZV,J/2'R&K3FUҲ"Viu'3  qR"l|Vs#މunQ, pQ+t|m ( p;RTl!_AEHSPw"%<of-DrbeSnzU oZ/Қߓu[9X^8gF.6u1$AtH%3 [4h+ҳc]9rPNtU9nh/5܋G?m'R3j#`3ChHe(`YBkzKhKˊ( y8;9{U`y6 (4LX}+c, z7nHmǂⳚC9uze2/] ЩBVkRocC9:;+|jۥ!"> gt *+`=*Uk=zN9>]z`Ҋ^e@{W#@gx"`\`kk,86Y' B^Oc y9{S-4A+Q,m5 gH\w1wwR,H+n 9v]Wz Eal*.1U/;,gm |^~ /CG4 BX*~ ¶r!d, |)7A>:ơVFPg}EP=|+(M8sڅ *}f́?@Ic _x!CJ ̞x~l['Bf4v,"nJtrl- 6B pn#YZ-X>j| ̥rͣ߃ : KX)X%;1q([tX&@6KJU]yK[UVl{Q7I\DXr;V!<Sq5[wW )x*Ւ儹T*E36ڲ5<V͈q IDAT F];\vӎo8w^N/E9b7'?"W2-З 0n6X|鴾~tiZ%rnu^Oh~!:#0tLP{U<;>8<b..="(z(owZ`Z.[e٘,6W`ᦽk%H@9xI[ DL~Ŗڱdq`h#imU}A,g4sV4gh ֝3`Ңxd x.<EBo] [aY.x|Q'̊=Keh6oð\IB1Y%N0oʷO"+Lf2 ?zh`h('&%`L8r7Vwފϙ\ĺ0y"h܋Kmr/p4+etxL֗yXF}n'sVv_B}<˹lYGC 4B52:}'}$٦ !r4VaF r45h&yeFAy;*sEs,1h5rX5 -с%dSO$t2w߻sopmYҜ<+ <zBfا_X}_ 0@)©wO_.eRYuy ųr/E_jzFow钚d=+Xb` ]mwGˉi ;.t@T0G埁>~:ZЁ~yvAQCȢK2B䕽݉+ӣDKS B9F_}?&Up>~* u?s)JNy r#p%#H(h}tA>L6r(Vu@\UA5W^#4!\KEX6j<%,]^&q`ΜX5,?h󲬷 v>~)rQ),A̳dCBx(8l!jpn8hEe;f:tJkI-'hu:(yEUqc:2먝cӜ"YJER,"St{cDwU\ą" :gQ Ae"нZ*chfoxΕqcʷ' ђO\t}>sKX}x[D[MW5X%XR(\aȺ*nsZinryw$9 w4xTۜ4qޯ4т k帊OY+0;&:Ybp鈅_{κ;:h ]QT+bɹ%fȏc<GNcװda+˜ dfv!\;#h_{zY#?z6; p`к\qe:yWkOd4?V{ŮީJwjD<VRȘ{-P/ܻWY/KϙuyB+`8JS]xl]^E%'P,mwNXƇrto˔{h Cu3*wʚ}r<Z#ecZ'^=hy˰t HVoMprRg@w,^<J7IAXԂ\rQ24aziRg,;A7"GOug``8ٝ@KU.Le6x֋lYp)-+90K<JÙKj׏₰R<n}f 8{3TG)X}gx^UYօ^}㬧A _xy¯> FfHiƳAB]IH''_VPQ0]d:=[RO=~i5աXʩ:Z& j{KVto9%`Z,8qI. Xђ2L BXA8gm^W :O:_Afx Z{EUX=+5 ZvcW1%XPw/b {%~[?-WXVR:[1=a +Qz2P.}ѝ;2U\# `qrW«--` /`oqX^BVWWaE󳏟}cCdiAX<Z S+HrʐIv^1=!F%HUY)_5ųU˕$-|2բxWhΐTaw <zPɳAK [^( 0oطw XOTϮҒZM*oUN唹O{-^e;E6uJ(3fXd`QۍI~҇ӸJ",֓N<& =(^clT}e+ZZ )`=K`gD|N5Ͳ\.d?EjɃإ"O0`:tě _gwb㩋Uuߣ5ZiST2 ;-/:V]؈l s {v,qrz98Ou/X0`=yTg+Z].{5NVerpE{ F3:\ VFN0ϛYgZVޏ|.3)3Փ_eCXRd自iT/ky`>{V X-5dS&t jb˺*ZjXV!(5trFiiCnT 2Wڲ[cUms;dq{Ǥ6Ȅsb,t_>k$Ī!5pTw>Gm.?3m-^D IX eAO0 ~0cάݾ[]J!|2Jf۳F,-]'/_$#.ŚG99WY㰄sc/,\zv;`'_zbe%e WgڮLU =ķF˕F^:MAuڀoLͣl< V2iہF5w' "PƲETG`ְ / j Mk s"_γ",zån%`GZKH`Xy_}O*,:jV<(GF*G}|tU~޳QŃ 驝YMmR< iыrW ew5E`d*JϬϱ]]<R7/ OJ1:ll;1-^(|bb6׹hX^IBtt6LBkX.ZIpl9sZ穏r V \Np_Old찥E,k0xjlJNCr-T)x,njwaODJV% 50c+_~L!sf@+o K(İȈZ tY Rh5(b]o[a.uAKB46\]Va[<ZxeaP7PE)C+tfi%a6Zr s\<؏#GͺMn,-+lPy6] -f{ )*\{JS3]o뤻Kq8-c͜Z 2}.$26j8Լea}\PZ <R=Ղr%,t+yEØ6bN(&v<wp몐Z6|uOҀtgaի'[vg~&^?aq]ǭ4IUQ3 3_g9 TZr;`,"caĊUcAC @G\ 4I6Bf^&gri~ܞ1#RRځ%Txڒ{.a|w  ׬\❛,Hꓨ\㊋{O$pG\SZZطa<LuT\vWach޽LYHm{ b Wt(JODŽ<}}~ ZӉ@Y%c~ȊB,peeG,<F,h0b~W/cM#jU•w1i%-5:<%8YI,!5̅<V7#XQ}eyRox %S Q6T<!իzY!_wy=IJbp+-''o^Baq3H SlU&A[q*++%wn=ƍo X;cIV/{{ g^I]^tvS3̼M#2&G#>].DCTb䵟E.wK=P(|$L_q%!MҰu~W>v.;1#vESh5P;`n֕oYE" KY`N)UݟM rǗ;-Fc'T 0%zQ0rL!~7~3`T^Ql)Z bJ#RЊx~ly:Lβ#{W PORgXG,-R!3wK´S"b[cV!msE7[-Diէ8\3hq;p}*eKBԭ]DӋh/qkB*?U E$d~EX bESc<@r[Xz@>qtK.P[%3A3Nό02LX\t}J3QXq x"\*8&[T]X#VگYN^>mJm ]ub\vI5^%S?Toe&SL.JJpL4<ɭ23TMZyOb^[>9=@anNj#]pXP!+]:Y7Paݿx |H;\uvq ̻2mfV_(IiFnjf|39do Hq2{Hk^Pej@EyERtʄQnA,"Mxb҄el4qy->ú}C+|VH,AM UffkgC)[`3KW-m'kfVؗFoGvYib"OEXTc VF]Xj_2HELXMKJv&r+RkwN3BJI3ei`=֜ +K s`pUֽe΃WA#dGqpr9/ԜW`+X.+wMU~OU!3BE$Uac-DbiLGe-j`M NzRJUz,;;G-'VZ嚛u98D+=,9[UiGwBƪJ4Gy{UbGUU*B0J)]ե#N_%&ప)gMQ] -ف,` v^ S4!E4^_\\?v18cKm*Wh C_r źXP$K]vAE:&ꄢ{.u~H!%U}13x /UwdPtZIl~IjOlls{(S![,h-r o ln7# kC4I"U5b lQRRS\@閑g ~XUWY T>z jj YY`-9#W"Ct(6OSfaݖ@<13O$nnɐuⴭ(Ӻx=u1(Jx2Wds'U 6Is,z_ ԉ JzueUV!Xoim1sI[y6hiˆR5pᚃ0L5\xP;[\Ck7ƹUJhbۃ ˂cd/'0FtAZܳ-uUtcDٞ,rH0TܓzR)^-6Oh`571jU\[Z7$Q+HM_N$"a,‚./_a729PW2>hxʄek, > pCmf9:˫\< -Dm]dܼEj77x|j{H60=EJ-ޗb'"{Jv ba5V,Upގ/0,/[?~U;AZ&Sr}Ths[sX4mk|9(cW@b*)Yәp<Hp87IU "X#c9EWe/SĊV=fW^v*oUutܡb}8Y*Kcz5&m oՏ,/'thf[f9i t* 8ZP˭%o3ktfp@B"ް&"Jl.iw G]F,Ʉr#XBƴ_y֕]m' }&簖ORdF[%*z5M5S}mRXF,Y 4$$*>,C HloFa/M | |1_Pdu*$m l@ĹKBX]miԩX|1r2חw|XvKk&wi@pj_F# b +ڜ U"+ LY=>lF`M5$HFDiYˎʓ1wYU 2wvZڍ 3A^*{=ք]a <,ZuBY t`g>eْ)*orr~2ZM6Ϥ9̷ճO( Hb,WEƩEH0`9x@/XRrQs^]]mh:`.&%c9 Eb{dXE`]kmߒ(%ۚFjlət`͵cp5p0_5 0f-РY=[#2T3j@G\1Q=A_8Fկ9y.)5_26[xGwX 1R7{hiy)uV~pE[Y iۼpj1D.mU^Q XCCL'D,"TbڀCZo ?޲6*itw nwbMR2&Q} +g<G0q,gw4;:']@[N[ǝy?QƯiw`3cPq~qqҖ>UefBEmfhZ$H6<7 MBHX/|3%_/,'Kж+P+P*.cyZ*]2B1.ܔda;hx\yfKLjۑf75<G&iJΈh|]+F_Zx">1A@z]r݂jpԙW>* d97louY$tb(LPY'fUePHЁXFH"? gg+D? X̷DEYX:;@6U7P&Vupu|ޠ/:ke#6!:1FLoT$0`舐!yUOI6E/2 IDAT JøT[V,xYOj۞m^i5vzV8Iz¦Q^,3Ar̥3vGAYqh`| V%Z(L`:9xdBdDbc8_QྋwSeyW'&P'EVRoyWJ `jי 8Ld3{`19 mXO3hYT?g`T7ONM#=PN]}X9H֯p[vM wqE0W[E.>E۝cIQN@f\SM{;.Bmz0` ,$"'zXSS;>`,~*jb}mEV-YL wqEC >s:Ab C) 8# kx2,D!ûMp1{&n^g5#&U(D nP;9 !*wdyns#^&3SE؆HCGkƩ! ⇛:NAa*V;%I"U z>joC>cfZؤpWpn')dN TeY9uaUkЫ4&d=~Pzru+EǶ g`$M]}Z|ԄPQX{or9j.WjBeU+{.}V,"w ASV2 I59g*jJ:IeF$K&S6["t (gǻ}L_$,x$~/r Ak8lNM!0>8b[", ^I[dV?'T.`rp -@,Eb <t㕑ԍ7q[ԌU.W>YO@U~Ʉdn&Y~V 8z'rPE۳n k) ^Kݔ#s2Hpq5^1gn1dKj>\ҖIua*!K ^m%]U2kjt2r-pQrPyppE9.f ^)[i68X1ʒ-ׁ+²ڱmݧLzm[[n2[0_So2b z𑽟5=pʻx T}#i,bE.q@iwj^ÖU:Eg- XWܭ~?s5TW2+xQ8Ugsy^8re!i?Z(S76o6ĕ pt d*Pو[WnRP !bd&X Y1S`)8s pD:G*Փ&ͪ@mpgť} 0^}`;S7=L:w<Q5WXp= $̯ =m[]uXM"WG@ͼ Gj‡˴[w%`,.*.\LRI %<ICJvi̺` r;} {6LZ68ւR&d˴ﺑ pLiq#_&Yhl8*?73®Y+n8XPb˨╴bbz;N /&|- ;2Vɤl | Xk 4b&CF"pm(I!EBm Rjc\*B.AhFCnjd֤nt!O%pAhXxw ͡˒]Ėx'^MExۏiK^ѼjgPVE݅ }aUB2xlaN26b{OH)ȿC:[{{"+`]8ewnΧCp:YKJ4p &}\WgM6C0傀GkH;h4P$ۧX }w'H9gW  nc>_0?ZFDk/?t͒{t[}W>g?aR >zӄ$oΖLf16b75kBqLX)(QZlI9xvo_gd(Y7\K/\5Y.U.|@+L` [dΤR"hWuf^Z׭ " O|fi~T`8pBIQX:D91l/.G/_>iKP2lu|Nݨ걜 [ -GW<d[^ݙ{`%XAv@S X~>Ԡ˼48\;u5;iG@6w,jcsXUXE5ԃsR0أ'=uC +dʿl0rmy%JQ/!$@aymo:]c oFqspq=sKt2*SîV C,9UY XIcx\SfFs)EM\7(A-Lpd WtaJ8ܵuO͐xę/ ߴ4ͫB6]Vb<Jև-MhͩܒpONjecĄukP-j%"%aՎH)fV%bzBp)%#wtIo?`j!,ؠ~sVmu6!$¬-iƪ&(eCzI²R쾈UEmQϷ}ʩ^*BᤝỲ=d<{ Jha:pR7tW~ZOww {Ԡ@,;6[ieqBz;0@%rtwِ!W~-XCϰʬﱨs4om^* 䒻}.f &5D'b,+R$]ǫΒLˉ$%Aű-vKjJe/íXF4.L'=kFɴ٭;x;~F^;q('XĭwrFU˰<$jU \t׫/\'E7XP$ajPXdV?,7#,a B!.(v,yY&mTVytY2aMLLdAX} `Q&nohtw[ b]N6655u-)LJ#D~W|knUOm_~L bB13 &@ↄH&30aBlLzmR}*Q,P !qcAP $, bE U]+X1D/=~W; (΂{uR9fHa!i~$E"if3nKZ_/g ` / 0 * };*~*p_ oǂ5v܎  ?`WHQ."W_\?P]v+44CLRʊ*K%IX=r. k$BIҔ̤tgizzD⤨H'}XuLi`tr1 %D _2Gox5°r_ilݺ˵ާ_ "{ԚhC<݁vCɎ"uwtE}AO0u8HmrEKa@R^!o9L;_- nhHX[VMQ-{,ɴ!̬-4I!3}[CBjB $,3z;ƨ+l+Hj&v1;1%6m=5ƔV+k^?]cnawc L-AªSXbXK`=7K8ws!;KsJ?,91#^a_WxE 8^$}G=[:vD߫mǠ4 #ML̥˧`:q-9.zv[ap>KTƆKY?QS kb 8ݵDd;ot:=Hր7S.̏t6px43$a3.WWo+QO* ['=܅19 :Zg.]vO^0 wGcp8J@:#U E5]~n;WӰD[s C`6# ; 0aJg?iX ~hy$\^ Gom +ڑl;7hpBmnvcpx!qDþLRϟzθq( 2U)WBf)?%J3$ d$N sBјF.tZT,Sg6A7ķuWRiYBL}9K=vALXQƙ,;wk{kQ~`, TaaM<(m/Në3_F? _u?݌p@ٌ#w#"^t%rpـ\$IqOB:=BUΊi&hi{XIswK8'$,Coޞ+rB[w=LMJs8K2<+pzkX|V^(f!k׮Aʏ'?,FX`f<886vWxZe "2BHH$`cʌu[دenHaD^ޞ0F;jk+ 3b,X+5&`ώHV+V._v s FBRfZOr7[#W1f l5QMej ,ULAU`ƚX,I)"!y}cĚ;W0 +ޚpbcQT^I =+;9~דQDG+ *aϜ>}ꏟc?~|=t#8wƍ@x#,sp, Y7*\J%b)%*0ΕC++XXϳߚ"(V Wn(X#,"T1 ܣ8dQR7ܵҘXj:,Uc]0tknاDws/ > "ҹ&(xPbY^ 2](F ZJ%4·@R`E7vlxU=}}ep* \ dW^ ;G'(A%d5 ݹAAS8s v;: ;Nl뜄@R7!9xbࠗEF"րƪ震D8\6IX,ٰ2q)MD8 Xae|E*ayrp9=7 嗳Z#lݞؒXorPk\C&>92vpl q^y*:^ɋW!_O~|aihr*#v湈~D`dcPLUX#'˨cUVR2Y7m(,EBCAI49i*VV`㕁2D;D<L'IºV2A NdfNx'H2@;2xp쉡u_zqlb?t8A7=Y;2vNXRE%,)[\ &<Ůŝ \\dNO9ebWjA'<JxbxYA@nl2H9в$h`3.@ +h?1vN= "BJFUR&;/s#$ y#2Jk*%b²:KGx$ UZ-wi9Ca$"}\XL2X53u򢆻҇p5:,F XXb*gqzcX|s:zx5*!ї~TWCz'*dNЭU7'X"E]XΡ*BU1$$waP`R!?B5@nB5^Y.pU֨m$\sE,ֵQ,\='(|dٌpEnaGY~ۥ:a+ b9s1;X;8J(m`@%]Xv[[a+|YaX4֛ĸrpjsazzzm!S8ei+J<+$k KvƦc'z?5/~9V|&woRcI]@:70A50'Yʋ/%k_Bt##Lh(fZ2}|o,@ egUgΖ_yOa* hj0f ȼ3̊y[ˆ_/ 񍥍&T32؄ X]2*&xFcGdSu#02xD`~s*C*iW?!̵/_&X ,&9@,t_Jz,,g4<\xbqw>&l2„HBb6K%.iĬyt6 hZZZ: +#W**7ʷzi"$zB5KHI"99L86)>ӗ_|ˬQE*ɰ*Vr\c⿊E]i`u4,Ѣ]ẗaj`)rԜtyN2n[XYjhL$7BDy0m?UC ƥ2ъ^zefn*cOܐ18s 뗯!ޑ$ CRY8а8v#bλꆣa(儽x.-S WƖLQ-ĤS څDc*glLR^m +-fO\s}{E=Bpm~PЗK+~!FS Ne Ra$kM"<ӗ]C0x\;O Bql# HV.:5,a,`HDp?Sz9rqM bYssi`ɐm!a@k99~cp<B~<$U| k',Ї]t)yI1ꥭ^BXXyN Vd5#IxP#Qq`q~'|~~<$$;X18F!XM7?jFBuVKt*{Z+Ű̑Qz1'7Y{G־o CU'H<PH/<Wv_&`f"P4w,`^&ηrs\ՓY8=7t+륥^OuV(d k*ݗ_>q,tQh( T18Xc |DG F *N#o/ěS)\WkaypȐgOAnTO!Pl M%éZ}21)@dRz|DgjS{L"( B=Amz 2W~{?č eyˆK4&`SkWCE~/}&[vWJXoקZn_ddrV{a{&ò,Aj'j의ǧd6<?pOOOƷ#q,\qͣ;TM+!XmY XǗr)^#Z(Q!'dXIGa/fqhp ukNtO'* Xx2ͥ턂Q Zlx::;;?]|{|I0;{\ IDATԲ採t .M?0¥xdja| Di@t jĊ$2rs{:"!RJ2u ̈́oSpu6|M@aFXNuBg++ >b=E, ?786葂%EUyD:z|@#D2=U'vo:unGYـAے6M^fdlʼn'd`$4O' t6'heɧ6d=Vc>sj{R5N`XuӍu wNIp}IKh4 !USYdo=F,T"QT&FWccb]͐2>"u,ncZWD' |p,,[$ =ӛ*<B`I !_'*MD7 6:Jx\xѓ\t[Hqr<gf_j \&zD sn{☞tUߡ1Ni8^102Hu,؛y.6 Y~zws)-gWY:JfT+g0,-tb|`;k8B$4@uAMñwDvSYSv{w4E_U&$%DSd,a /ÜXj0cT7uIsp%Bqr*]N.qs`i"ű!YtQsqQZgtoK`0<v2l2?_4F?jxD9Jȉ5AϦ8 N<>nЙw.kqgyz W c,Ix)XjCeSVL^cZE*;mC"GGk8ύ%_Ygko2`Yoc@)Z' ,xV]ܚv<^}K<^ȜAw&GxWFt!ɀ) <%Xulb7_>pLQ+*]칱<A|:XN먮l c {5U 1 Z"t#3 MM ; 0)gU #%k3~WaB"`ynݾ}{GOpd,N"FMpXA:_jzi%PMAs󋫫#)wEȻ$8`9Wc_ݠuHۨ$ L1L,jf665BDN>p `zpv$3ޮ?|F5bM5+h5xtm`_:_ ܮR.uvZ?Vi<z%!S`nu&3!pR]=K,18DcU$ѠHq,\=g.U7,;CifsZNT`JЯ+׾ _]x }Oڽ6y3Qoy6ޞ2ʡkO'M k SٮL्0Tz%>̮mt6(R˴$,eHJxEX*aR.2mnsM,$,` S=LϟsHQߦk䐾zDN2|Wd{ZSɊWdwNt49o"j= >;zW̚%. ~p`.ë ab=; f)+n'ěQMX7.tSyŠ"2uTOudNG[n7[m 0p8, XK4D GǀPd_<\7$D! XVp^h.,3 X@ <ks>u+.6cOO)n-%iKZ cP^ϻ %f'Geњ?qc70cQa夎>dDswo8A.gid6C#ΠU] TC<2X ^{Bd0zw"md,W(^'h9#uw N/C/2C:t[&Q "Yk !E~poY8)p6_@lIJ9EOL 9<^2U ;6oHuWi|祓J43@,aفaM%nnx.²\}Xo@`o kH@Y*2orJqlb؞X0(gï5zrS߹tׄgss֋D,X^BwKqVʚ!Pڶ.ajS ^ /L,,3FT`%RU 5oΑӳݝx M0fͰ༳ I0^ 5k!GH>uĭ˺^{믽1AL,ޕ/Nj9{x;H8g}3S`gkB^A)p"r(QiY_-^k{Eݳ$\Tr!꺹`w9}BPn\čBA =M:<nHgwggg[owNf᝖:WU'u+f U}´nM0ýx^DxPN̰zDmjMC8͵ * foVYhC:L}P5!*2yXĢ~yA;1rP2"_"s8ol 8:g5xN#XNCj8 BL7N7^Z[ lA$n<1MÄ|P feL(fq".I qqm=mI745ḁ"rĢgY}Vo9N]tO]bK]gT6)@/32=X+8/ zK-  ?;8v$3'./$SpϬf`$ ᴭ8xY>w88}WmݧOf` ˢ"a ](⛪)2ٌPfZ,;b˪YHDO&"&`7ZMrBcMad?B{o 'dCWH߹J a|6dk "CafC4KP5˰V>g b3ZdЃ}dȖJp![~Qʝk B" T*րn(rpw˺;;L~QK\)ixUHbMYMEʋnṊl9k͖b:!#V Q6?Ba]+jZ9(L8ׯ_2(ؾ=*re _98/]IE7P%mR'$4nltoSCzY&+/sDrfB̲'*lPu7--"dw?BNi,B1@,v<X4 &"QmGgtFgp iC^$xՀF1gw'8,`=%+tJc@#G=7~w9Y64ppb'vj>TȤE, AꙐQOF,9Wp/igXCWz Y\Ѐn[npݝ|^/ @> ,MtA TV6P"NѥɚAH:BL'ȍZ^R'@/}ewvmCWMmMMK+nT?po  ں}Q xzN^}waoZBUؗɅr("U%̉0Jy[#4Iv$jR,#B!R#H@<q[uWʲ5p2t>MнK]_!˶ԪWNƧO@`"10-N)?Z\Эb?͙%456)į7ueoaܿ{?z{{Qz:+,S[;NЩkjis@ŴZ =tsf>V P؛JXIkP.-ҵmSz/uq`vmNf ۉIFQ)Bs}-7(;i D_]<a3S)JL13XKY\ yC'07 렗Ͱ+@]i9V1n0"`}X ڙx38MʩS WdxzbNЛ&Dh4.5PLR!Xϰ*Y3_~:5k b ":Jƒ\ryy.3̰n;g3<SL@XaՔ,q;\=ΜxD`h^L|;8nh=,!ƈWs#P'}aݕX+ަ^eẍ_pof'z!"l ]:ty0?o|C _s6 2n >Ɋ&-Bo(%QF1Fڱ L(_8+SoG! oqΝ>{WW:Ňe-j* $5p3#bS [ =>ƫC+2J輇 (ƶ\~umb?P,\wnߞm&IE^)I!@$BՒCjOe b7!ĊS܉R>'#XTp0ԮDʆ9WfP+Z]~NxaX?s;} *@?WZŰ¼ͶWv|JY«'Kl  g<7/WDlmtkQ֨  \0;O9[B׏62 f %Մɴ쪝-+[OFqSHlL}uЌN2Jm&nI`,*Z튲ۄs0g@Ϟ@ᖶ1,XJ;YFlw'\~UvGhs3nAiqbW gas~ZX،$"*GF{b>5c: \PV[[4mw3cM`/UTeejBgx:Gx-lQ[yC*B Gr,<L7s/Vc._CB@Uq6U|rӆ({?љdå7(w8X<gK3I:k݄ʋlnh!A/H?Ul7qm&e7ׇD,PMzx-1D|EĮnmmݾ }v,zVD3կ~3XY>gΖNA23 we 3zIfnZtV` O\9*J$>T`O[V;::ےD**P!kW0~b 1`sfTU@D kXPh{S kCBE[}*#q? o l*B83V!֭st q,Ia̯Vc7 ?!v b t6Ӿ87Ȝ.Jz@SZQ́8Vhh~%*]hqݐ 5Id; ؉U=MhIԼ9{t/uq-&.7 bu݁lXަDPknO׳Hb oG5P6Bdk&"q%\u}8 ՛q6R{Do^b @;:GxϢ???Пʚ 숐*/sgͬ^: ,LjD'a+e% +-P͏:5k6VRsX>H"7V9mG /}?g;/DgKr4Aw؇앯xx'iR/ݛ'ӡ?!8Aڔ* a؂uHA@,NďTa$>{)| G}6 VM]z^D-^F;_ .8;{3W`Sf ?+z#r`86 bI{v 4@Rc X*/h;R<{@VeoRh\zRmsy֮EnxDjt2 \<đڴ 1{A< w;}s_a+9zK/v@CQ D[JĈ Q>/?XUPŰẌ́4?b8y)x6nv݁s߿gC&~?f 81B3^ 5 Fj/gd:܀Ԉ$We4*{sr$dºPqƐd=le|YMl1Q\ Ҹ8]U¨:*˱u.*G&z2_";f.OfPKP! B) Wd8,$gr*U1}d ##ypk-xW+ӌ dhi#~U>;'&RF*>]9d v~7> "G29| -F1!+lLGћQtdnozݖγTʮrUw'_㲫~zEV%./F\q~7x`mK㮸H]9ߘJ[} ,Br͚"&{nDʑѤV ֙,OhV8O׻Q{'`MhvJI+U;:N(t?9'Xٹ:ir<Z_T A 1SPZx,T#`SZ\U#9\=uyg\Gk\u/>Ͽ%hiE<pu|zz||t8kqf\P"f!{bJ+9*LZ?нFen9֪+/?ode&MM̑c&jD"=mX.9¢8mm_JEݪrL>_7NZgikC XٰzZ;mu$Y?ZYu'zWz 5+Z\[{Sd"mlIޖMC7= y>,+zŀ%'{ T1ESfH~[0S~ggeqޛZYOwdN޸"V<ᵒ>N 7TGhȷomB% :4pġ? 9C=H}7 ǜw)%,(r.1K_VUEާHȆOEN֊`AITRbuФB)bc$2SWt8?\?"y0RB_Ub/O_*r_XP)O<o\";˞#NXUR]m.z*tyd&4IXZQ^!JWV^/o矿gdNS J+H/* Or!t WFFug>5\pdj^DX}q"9 PO`=u5eFvzy6tP<aKPwQ|/W?D~Zd `db0ztr u8qPy8Ԋ[oQeLQ; P,FJX/F8Yt_Q)^}-uR}I8Ei<Ri~ YY MtLZ̖8!?yD\SB5avM IDATVy`Vt= zUg?hmg}j% O§B_"l>%`a&A5U|'tSro$AFXwi\`.X>!4H>8~B1_? e~Ok=a:#3RYȫ!VE,jjcqc*S"Vw7^7j5!}uG^+ۍ<LO?ts矝jLxɣ%↻(׉aX10AԼ**j&q#E,<E䞜e8h-tsU\<JA"u(oeS%QN {;A5W ,)N{,llVUiBV Xe myy} "n-M(;QX@tp7IHtۚM:r(eΠV[ ~%`<ڡMm8G?GW _!{ zd^!X1Ay_r(isiS*1=@&;>7O,_QHMݜNBxr8Ipz*m_3'αy{֡ X)HLe( 'Im+0jʲj>np'V X\O<J1'y`jɃ Vhg[~UV!@VM_|񅛽CyW#Zg%<-gԂD@ ܥ -'dhhgrd!'״Tݭja3 +P4bocIp|:T~aޥTZ (|gL6e~scyƃoЪ{`Ԍ 5m̛ < ԛ%z&zCm0 E~>E4psKzGgHn#/$bYmh X Q qZYF,h!*,ZR5!N]]XX %|/I܅t` R 0}&,cdUWL #}s ޖ2h\N` W=|R=j4{iۄA4@a naiKE@[Оw8R<t/VZ^a@ uvdQ8%,Y:9\0e%K׬)^p/akմ$bFp;}\qxNH^13;ϦBٔêC2Өk ra,FXFbFS^M67VZ9߯A-a2-Rde5%lx M?Ǘna3`B,l嫢.Ub`ýBL; oRmSy5mqfi*2K}6bnTgfBi/d۹ əW%tyܐ5_o5Qf>Gƪ Xf"9+Gmk0T5`\tBg2x)ks9 ցȥ>^ZZlG+ʤ(0ZUY__*O[G3Bs8<GUX]XE''w*+OZN|b NbhjҲW-yaW,qu0W $dv<LV9!5߻ ,?anLi- u _7g7c;MO$B=r9,N60j W-h7*C_*B_KĒ'z=>FG;q`wpm^5n<3i*!"I:e.w{`[e4,,]`xM kbK\ J`=iB3JrNsΖz ǎpwNMXUHQ3#ۄը_Ú7,ӄ0RVqtU vO&@eJh%AS#mTtW6uGƗRkr fdlG֋BuSa:]v @`T0SX>֗e4"u$,\_ɀK}HjG\c  2` +/9aM,eX4l5qPyL8PuDVVeTX:ѳQ5zR5 44;7IrQ,I!%VF 'Z7a)*sXÓM|sy~e TL?JpRF:DX Xm[A0)D7ps.6cXRܩ:CELv,]^8ʫ٢Z܋|*!UՋr3| VSNUs -%%lC X2{6/mO#FJw4?z|>[uu ^ %0pjá#` Y;cX2M"Z.fkԯ /@u6+)?ׇN.W u9``l(*g,%xhUW\հZSOcUWy`gVXDXu)xkkafHn&{RAcR2Ty5׮Օ)R 3XV^Si6]Xe k> |l48镾 tT@ L×%llg,s|F`VU7-=.U`q&;;ǝ-uPAs?# Q9J,u- r,㶦6jNuIV6cggooqv{o;ѲO5&v[C`=}: =VpV=zrRA^ z\hVJ˜a{}Z ljV>^EG5YZKHes kGML6)5{5Т+f68pE+LiBvbedz8}x5 n][rLH{eb#TEK{>K.٩F\I@ Al 1I,jb8긓h+`0WXc'nٴAh'] Mq儸K"ح_4ksXzk{_l %뻅6j5:O]麺c"7GbI|S.ޟS<L`5VhTߟLM1ɚ_٣TĢV};|cI,"V"gQ)C,ܪsl-*W G[]R0kD76.VijH9/oE[VS?Z, 5=I^Ѧm5[Zا0d[4ÿ$FBj+XzꝚ7%ͯoZXm |E"mqE%*-c94`M3gx/,| iµ[pg.‘ܻ#b?gM X!KBת,biNn}*B Jz4u%Ic. R)X<*TN7zWUjj0 N0P a*ơbdU6o;i+a.SD/qr)`V¢a[3kTɘtjkPK)|N5P%xCc/q`N&DRA"JxN#0G}i,b0H,|Sx88 Ku냲 TY)aRuO1G /]녔 @`{KphV@225O]H«xuxj+M+}e%\5Q%Cx ڡ-dPm@&[&$zK(B} zuXflJ!`B"L zã^rE21@rId6PSȠ@XO er=; ^aBߑǁOOkwV0A1!X~􅾢O J (uڑT95!8R>ש;} +6TGyI 9bp}Lo LZhuvef?7Ie@Iڬ t`3Q&xQoo2~tS9W֌騽vnceD`F-*ѻN3<&ݼU]o-ÒrO%;M }ٽ8vLwܔ4_N_5=n,+ʾ|!Fƛ IFX07dT9t%̊M&XIkx~x⠺tu񱄫۴j< I^R9 elNHD2SW!t5bQKQ o]dKf"Z5,u:OEJ괅XjV~~77>|?/X>*J,6XLr)DfM7{Ξ1Z*:?pkזPDH,`a~-fKs%*pɤhv* ^Eok=St4{7W/\ zyޛ-9cnUI=./ X)70a'KZXԛVpg)ԭYMDX!1k_çrZc#11a:*FO$'G჏F@FQ?~Vj V#孂,l#|v酗W/%caka?V(LFIOòר&6CcS fazj?m^,Ld›2('qm X/ f ␒/YԐPvtbAҖ^A;nK!i~#pڨz%ШPpX=<Uu fdXT9DXW#9@@~ y~Q{hme`faYuDSW4$ rc$A❙ijC:y0֎&`#ݔ! lb*X7&`mmM93k{L'&!W Uw,ipbr´opM(.Lv8H%bTt\9X.PRۀ zm҉ubg3 <LJmR%lXLKr!ԣ㪻֒4!o̹aʜsإJOF>~Zwy.=ШkK޸㶠[_ЬZL0C4FFFbV!z]kG$|E:_~lrr3#12?}~v`tj\loL:9R%Q>9گܾpA . _x?9"Ńu*` V1R%^H08¬G[bjE Dk75+oDrEG;눯Sux YtXъR|ADVubER $h`4K9%Nw&h$kE`wWyjE)aX5u <%b?Ls`;XN6ª6~ Cˉ+t^L՜,T/2 R3;˸SB6 圛e;Y,XWA`ɛ Yt^ `nRT3eOAٽEyN&}fm7, 7tԉYǖ9O.> B~k֛$7) hF vXX#a-X5h b|)|Z9?_YY h,䡬7b@X<ݗ'H爅 [ $eXٖ@ X۵TrT\0{" R. ۗALh? >6b,JQ@d25 7[<Kft~kkk~Ta͘&,`4,-h4/G ,vwGֻ$vRK(OObcb+NHR][DoruG_G\E",D:C9#$;+X/G2 ]s9r|$jMO&ur7D,{SɀB{ n}Rpu Zi!G lP\ÙqPbLc0^67aIB*mS+06RGGmԬM1'`ӒaɻYY涩[+Dž 칳~F%w`+-B]z: 20 E Yd7sЏ !,<P<«PHy<lydaъ;hDa+quBzpe emlҹǧA9YU&1pni"–U-,t&i^ZLm)  dCḜQ lyaMⵆ ٩:<[;@ ][F̈ *TeYeKb.Ybсw O33I"WքY%Lݼ㽅);+Hɥ@Ӵ23RGX鹹y20t3 v 8؁a ]"|wj6»>PogLz^5I#`ISU%t)Q2Y5)qoB쬝vn,.ǵECYpo# JjŶ4Ƈ;_s3VW^x )L+3Gh?.9wf9ۼ+W`2+^ Yk.W _^U2X" U=ԟB?`Ьj-0GuXiҩ͌|jH4Ik</\_m҃4uS!WDѫa%l4@P:,A}7[ɭi֍ ~$<$r"@ EmMli+;+[R@8N{t5,Ky3σ 7"E,&5a] ϧ\Z &/SFW &Yς`~vzFׯB\p H2DvZJBÇ*Ԭ } `\Vlb RNXհ4^Aڷ\Մ5^eH}RBs|ՒT4ab),ktduoJ\oQy3-6bh6PĆ< ~tkqccm/A;; %#{i<bѝQ̓X~;ҹsK9.y$E7lJ! /XY_Q Xy9Y@7人־OiYCkXiOy|0glW<FMG;S'^NXؒ;.dv6ǽǽǧO?9q\Nx`m3ְyث(\`yZ:_ukY@"w+y)A7JuBTizu(!SոeyQp4'EZk!㗆 u 7Pd{L)8Z`EwRWYu*IU^`3!0n";<<9&z],8PHҍk@L/Z?{iAlWeM+L f DV7 VOo^47<,;UiMS^f]<ʖ)^w'ȕ XŗΪY&oL%( *3rѐZI=|j el1͗珦Z7(eKʢ+.[^4?a'dܕW`IppD!w /x}94r}'6;Xu}%%rnNHVsN\lϵ3O9?I?{}?4`=bVGmO"n6 k3ΌW2?ܞ,[ IDATWiDV*K0e|`:edVS5g`AN^1,(vw`!E^\_v6Sx|oI*[mB洯)u /١>"XNUqynБ`j)*h>'&·ߢIua:͚}A 3rf;E ѝf/Ƅճ[] ,mІLSpuZ}<(@3-gGKe0rF5zuM 'U|E%>/28*ן:DOXCUkQ'9_),G6u r ߝO.OLxuuXVUJ{^-QӅ[}6DylF!jDWO&^*5W.Wf ?hbq\ђjwߑ[∙XL: H2(mIƞoo9!f)QJ1_y9_DUx[]Q\^|ӁRN~&`ݪQ˯^Fx>UJp-z  J.u^z56jfJ[Dz.( Yn唯yo9zm2=X"3#mqkV6pll[{lwq ]3_Xj8aM?'٭?Ɣr/xH: t%J~'?~^ZjnY?ci]#|( B]\wK?Xhʧ1vРl!@|Qu(&^ -'qpqwKNrtFlW 4O+9-s9ᙀ֧, YRթt0幻o"ʒy_̊X5hsˑsuUt?[1ĜQSk@>o4*{/fqVjI8]0E>l+NM9X"!ekE,W]O߿u=ȏKa}1*"@y,t޽#{'ʃݯ 3 ?U`s jmFJ90h){##cDV`rC-Z*mx[c'u_L%!Ex'*`9/,[ 6p&bw2#+z-)h[K 6IE*5@. /]]Ow+kt3H1 #zٝgͣk],=6;Jlg0Sjk '~rct1l,j+;N}in}v H+B,X4bUDX\?!lRJȿ,:NfMLa(we.  #h3Ò6q.rڀ@8s$@a*Z4#@B(purAz3Aa s6`+w'Ș!K&^鑕򤪞vt)7 +F_/}D^$vG_NXFAWUy5ڒuɁCy/wB2;sFgSpe45+;nꨄ`akes:w~ $g4#D?JfK϶kjG3BʓLvЁHA"UbECnQiZȉ E(Y <  he,߶"%Rw i9c~e+^ʭ+ŀUJБiU{1z4zi8e'5t/u^[ccůYNV:wKKS;F++-鍾.i#s8jWǂh^yX{Sqe֞Xps[{ p/?*-yaY~%X|]B+ F+LJ?yav^zͨ#$auo&kCthw6'b4YR%,1`f~F=4zfB4aH7`,+0#A,f ֨sWrXu 8VuFa7˔s=UW 6`G+jϬfY^*¹=FVduo<n%IZ>jdёf8-Ww +R!kjtv>uSExuo-,/,L/"/{"b8@AWM {sB!tMLL@궛Xw<w4Ft`uqA|hrzF5kfPiC+1-mHbz O|kUF.ܲz|WUpu1H"/uN]i\P`Oceu ,A*_4ӄFNw]? {dyjOhZ؝bkG)URwleXȚڬ ey` ܿ5=nݺuaY9+*kPW4;WZP=&QLdS5wN+t$2X!=q7,p-9MG7&9֜&WMmZi(L\ 1Q X4 U0|W=",S]TJ>N|~nTL8Ew=Jzjěz Z&&qzeCY'`feb`rg/VE^",:~z<$un9h]陃UWE1ƒ+wޛ}Ȯ7bC#d/G{֏|:FBr +X [Ppĉ{䵣C͝ԢE1^& PjHt5G7IVqrc9QL겨3 wꪥ̴h\\tZ,wipgvT;_M`zE?)І)!y-Z{Nt<W-X9 VLT>`=¢ȚSC.R{2H@V:JiqiK"$3x'g.nL+F߽3M+dH&=A:5¨ []&kj$6/j#bx<"2iì^Ӈԧ$W0W3{QN!RYM Sg@4#T!pq߉^sr!z5V վWdgdpi!:1؉jbV3V;s6fa)5KGvlm$lF8H1/bfpqwNNwJ|.G3T:(|_s?)BnBB.hWwi }`RI" \MSs V+xU#(n/,ܾ.cIoojj W0+ea8'a:]G6sǮ*v0(2zam˖2||.M{Dym7> աW.ӝBn>0yԮ<O}IC XY{2l0(aX0eB+HbwiM sll8Wì^`}^gԇ';KuXP`X!h HGT1t]k!mAgC ieg"dQ WE8,||rr+51E4'<;ilajGMR?a5,PE:"Zb֥q!V1X$`}MNԓ(eDz''W)< hсN@nQ| vt#EcY8gm@*ntLdT fUZe%B+µ`S0dgq8SםGdc0M._}j^9j!7DLa ɂٛ4$QUӗ66Kfe,nԞtlP-rE2\05 ZNǃjlVyViYC4{"`q>OxUn H%(wB(/V-l {ݼU+InΉ:ndt?Z Ž)` ̝[H,?r$iZaQ4WY5tK :NjI,^Z"1FbřdxfdݼohVg_Ibf-l )fPUnHE>HU~'lY ^3%2RUp֍7Դqz 9"'mab)7)W&FZ)xDN#sgXL } Ѩ7X$/Y_G9 =-4XXƩdJDctq XFX)(A %$f;tr|'&;"8zil|H[e^}8Al('&X\ء,&mY76J,裍񀭑W)Cwe+W^2\pu0W"ֱOq(9Bb"Jf*Su1ü ƾU@"]WNPZuv^zb5%Ԅa#e"0$xZX^% X} PWbWfu?CFs X(KFri^22KgdB2wh%u/-74p5 իmI?oLNN;\'vڤ|\u5~" 5R /腎oO:Ez>Fa<py% U Yp fKX_(g~FQ$k6{Ԋv^mF r$* <p|m}ON WGN9^7 ;{y r+{ QhsUݏ8+tuC )L&-5TNݙ.̴j +)*+F';KK7{"~x9Ÿ0P_˺ +V+?νW?b+T,IN'PVYƩV~dֿgHFdJQFTKeZ (WꪻWX3(LF4qv;ޖ4_+p`WHYNΥKDعwLgܰFŢxw@.ck΢ut4U(zx @h5RtP-^=pNd&G+fy*IC)Hݍqyd XRqAE:oJ\qF:''"X();cJtV~Y_gΔνMh}8PAЦPWK ?%Ҽ Fh'XZ\ّxcն<}V pE7z/^ \@\ Mè+W  Xt-\0U~~ԡ*~Sqϻ^jXk(x|V-I> f* ئy=[?K 3?G-V4W<hi+F!_F}%YC# akP;8cR$8L qRVNr<R;؋'o |[%h"Y:kRHզ7ɻ,s#K)onBZU,PT0o7QNsUzt^F=p{ʧgfX5Ua|KJ⎴be,.HP*5L6W`Uz5k}]b90 5\}rLpE~|8)`u_atB=62l~)JY?|?A.ڑrW2-69J5 N^#QZ%H6o0QqL@3 ,6ysX$Uc=m~=)TnmʖZo'^6,hc M{+ƽQ3l0K':@!d<NԶ:*Ke>A,Ѣn)f2[BqE.h W lh%)b\ h!$@ռﷄ- ǔP J<\<_0Tyz+dUx{o >Y}zXmXyh&Lx.c_vv>|4*xЧƙ Ӯ]ƮDpڳr |v m+ɴ[drTk XtRjML&͔<kX$d Ȇֽ$ֻo9Ѳeԁ):.\SRh($U5}3$XL"`Ȣڬrׂ_JayGrEADvЁ+0խ H0A"iJ<ޔ}0_* p~!j^=ktLٱ^*GA;vq4^l*qx7%NlX r&l`5d͉v]rF(#QꨅQ#ÓY.d!\Xv<3xYB,d-HoK텼Ҫx +3%r3w#VIRf;S&}&'lc*VjZ^#`<>IJPh$Ʀ+`%*P:Gk"+z T0 RU{nmU %UM3C+W Z ^4z_sMsrNǤlHV hm6T 唬!z/{ ݲ17ju ǫt,&VGx0f%lvH=c=ӯF]]_?}t_Vz}x`e~uQb\D2., YR{|ceeIИ>;Z;zFgjwTX<kii|G V/֭Ϯ1x%2$ ) m͆ UURPM`9  Vh&k`-t(*%0<h<er$@{K'slCxlLA-;^qsR6}j6`eFXcխ~0L~͔6sS+Yώná.϶a57)YǏ'7k"RQ[;sMd*h7Xwe'mqYVi`5f8ACGR`d2;: 7ƱN㈮ȽHlگ ,`\AjXcKL7 ,Dw,Xrk*/[qGSPK >HmvJ{ I/8܆j~1'})MRfXna00 z ~ZKJR֦[2kWiQTA[Vi0!"4/9ـ" VYIH2P޷8XԮpւKq6tgQJ^=)3IlmBI^XkWZDkV!ח#d`/'z3+XIR Ew{|gc]3Lh}=< ’X,&єV?,YWאXa!s%гz_l6t ܍" :='xBh|aD ´gjlTM2IFr5ZY떥6a\p ;nA${ܫ4O+q5}0u,*/OV I#Vy6)\PUy5j%mJן*IpzNv7@Ԝs ~Q 9/;G1Y=⸵31pT5 ǔYJՄRl[fn]lA'QIEEE YeYBfb;U/`#8GKX.uBQufޥ1`u5TpeWm.w<(5xt("?fdE{<+4X?j@E`6 [X̋\[:*,lJۄSBə^Ҙ\X:VGV`(?G$,a(HR!,8\}2U`ѱΈJ IDATs?4 ZXuVxiYyEGp8\u}K2V֬3b]05dyvO RlU|׽Y#BP53#:BkG]ٻ! *ϨMo#iN<a5ۅ5 cE6*ޫTmYZ{oq1z^)Fԉ^XdQ]Ys[Vԝ&8ų!0k{3qzXQajjUΆ,ET+kC,,b%uh .\aD0 ͭT#KWk9| iuoߺs3tg ĒʽY,y9{gua0aX?Ac/c"@NhdѳXpkhmW, ,6?{J{lQֵfxKF= e+?p7J+# +6a" 0#HjInH^f0'}W[$5ZR΀UCUtRbYXME-LlhSo^^Q?QEX E`]`t;օ\.gJJC )˴a>; Ol$;.9+6.p`XT0\=ӵ "ܺrz?4p|6 2DqBuz0*#B3꾤!V. g=]jfhkbd`)#,Z@lU;+Zy׫8wm_QaͶf]\b8hBڋUJ_Y^nqд>6P:E^-9G/>/2!d)bl<v_N=:U ʽS+\/(QU֭+/B,a$Yt7֎ X$ qʞV` Ѹ5:::OXAtlKX;Ɯ.VS,MCxJW7hpp,? }v JsCBO;Wr2֎!zU!M9O.n"HUppkM7~:8 B8FqJ졳jRō+ZUsnh.V*zLhERUF%\)eWe\iY,HH.IUYtt^T+*:&1!SAu^^B9hWbib"d`j^Tel6:)i CSO+QDT&G#,g旆!EHJH"+#o#9aYw{+Ӣ9O@ݠ>];kOS/m݃$=:ѥ]ٽ5NHifF2TJwj+7w5>9 !rz(BZi} V9e)y Qr)!z+/K#A1 I,edGu- 5yxUֲ*iܹ4dArssTM0 %6FX$Ʋl涠=,$Hpeߘ9YT"eXt32>96CIk| hQQ&pbo?W} o97Yّ֡LXrsQ.`YK }Ȭ?/FL74xIq()όUUu>io]OTITTy",8Hr&Ci֩v 96Z'X+' oYXtH; ~jCmXUؒf ,MYlkׯn)t5,>tIT_íUXU,IxKܙRv8ae Y]]w6C ?d;Ǧ-'-ʢ:ѲkVצH|LKRI.~r޷Ttn}ͩa5Zk;w`W##N[rB,kvneU{ѿJ _t'^UZ?_^y]-GXѼ|֣^]Z >jcp[qaW sʜ$/;y0lZ.bz'oĂgj?_ۢt|`Tac46V< Xݗa_h20`܁%O*d^ )FWZJB&utK.<b/5vWDPa QIDfTUjX-2. i5㟧I:8r aU0#ڔ V߰?*kL?5r,Sq3%BJ<"ƄNN}-BG#YN1Ƭ&RԼj:\> }U:)!nwZ*H1:IEN \] hNs3cݜ='Uȋ~~"5V|~^W0jQ߸뱱gsSٓ?888V6%ƊzzkSF]KA*R̠Ewޢ I}y +UGff&|۔Ts9 /~zNڳ4^9) goyz_1r}VX;al+eI֟",G<.C&R<O\/`7–:%T{' pxU]U uB4LEiŜH,I;U͡KeSy=ͻitIash;Ee?2Wc`}drj ܵ9nCDL4A-`y)Jye4*or+ILepY kk83t\8;(P&3̆b)1,6?Fݿma5[QpL&LJ3KVN["~;dT`Kk!!zGY8icp? ̓9d0B~ax3o@J2Ml p.c_҄*]I7A4_bF*<NWWU,¨+s0Ӝv >l s5̹[>yaDD Xm4_47n D5\\YU֭߾ӯ?ÇYF_\`KBa,cS)abgB/Qaj)81`^|AgK$v%+;zUhL"}o|^U;"zO kfr'KR-ñ^! ,0#B^y|~$@xu~']f#-=Ёwz! ˧<B+E9R /3 .ݜ0`1iU8Q㎻05`1M dXXuCP*#n6_ ,5oذn4pySF%֩OʄɕY`Ke.hkq6кȥZ;,I a ] ~+T\kq40tVXL04}>W5f ոl% }7}@2^7 O'a#DH "VX?v@=K" =|y%ү?Ofv %/m]{U6C(JhwJMX5J>A.CJ Zy! WIasfR̜0`1՝4}}d8: &0$X%ԬokJ|r =,HNuXrv7! zIe"o z":e_ӯ3xڭ :{W~KԝVҊ\ff=lE B*BGk!|olf#20e+T ,W4Z km;0x9PBR=$-V>_ vj`xE XYGb9]qw_o)q .t$CxOʼnUpQ 5|04d[V"jSAZbOz5I w蕕ę9v( OD0`Qi< jȉ?0"AOMZ} Qσ.,d_Qf9)G&_g^ae`b5/L6Qs +CVEID d 14uv6 F+FmwR|7,Z p圓+6y>L~=34D+>0K^qox||[ =0;s=a['²HL)n#:*rKҺc7f40rLЊ fO'4Ua5P[65X-fB+J&ZA b] W.0\5C74XiX 5SΉjSگ[x</\_[R )AUStO_4Y,WΔ- ţ\X%[a/:1,QXZȂLH\b:Qu-Fུ2Y'Hۅfb XT /rAvIo6E@CK!?*L+j`iְd>7ʛU5,v 5dw??Y'ZJI\/ˎN8g;''EuQ$U[R2(V6SêLIzWV,g.d/`=R^<;*sllwe~q9֮ԕz!-57E"=7?dgg' g?%)GG8eK5{d,;>_(*M0 ƽ da1QV@ 0"5:.K k)|9XQݒ3,,a9Eh.J=K*^1<Y/懷|H w )iE-iХKH;Q<Wmi0D?+UGB"x9,h$\YZllK,QWdqa_,Wg3 hlj^]a)DɟOo8J7$! {FQ]vwp,rrW[0-]'*R1T5MMb=MHXm03dU>'F36SVщԺԚpo`E,e- Ã5<vGB [h-ORນLqfUYhhd X⧯zI-ÛRzPbRL*WY?0d9|_uX˛j,wNɷ<J. NsFuw+:I!ەeWmŹt[s%%x]-B5'f<X!9 X˲h*ME9a:źJJJ**ZwunCQ!) ѸgadCYu+J_u59I86orRJ!W;0rpuRnbp_ XQ]!N܋BwkfֲF&YY˒Ԥ!lRB4"QVj ȢΣ"<-^QE>xxm'Z+DłR>'6Ih e~`mwB3n7_K%P^!IY\he`=al'W4w n (eJe`5aIyyEEP}}}*u|6PQ2-Ѓ~ r[Br̫z$z2Y|x1`ur?~ݟ ;~8%)GS8̅W++a Y8ўІã#)3 HEXv@ %^ ОO2BtIevsih%{@o}>޾}L {P'=e/៍hf Bi_:IB0+rHcH39%J*>SDϻrXk |6ǜi=SsDpmn X:V.甕uU׹RzNye咤#HϜ믒d=FtJα9a)Uf$`C]ǖ0`u_&o}w{jm/ps_}HY13;;/g`i6K,vSv88 AȊr!SR6ҒVV]"gd7sęϩ^x%!-KȼoaPݥE㜐5(5SRB-z)zExs%Dh0+tx6h<$Qq{@}嬀 W~NXUE_lzFX:wTtp*OR/;A2J&lyY_KgVPw.M}/Uc tZ%<sαIv꾜KE$ߑˣVT|Y/-?]a:9w4<.KeX*d0$t+(5?<""ƀ9`+?. nCVYȎ+~S 6񞀑}T~Xlqʖ?ËNv:fBږY!k8T( : eaV`mp}h.JS&mOzc%uBֺ@0^b,YOXr4&`.#UsUsեK~5WmF!~Wxn4_|A?/)%(0NAm ]ܩaM5AV#CVܶ:+ +uLWJհT2`aU,ҡ-k`Sؑ57ܼ ?ikyJdJp8(}%=G|ikW* H4e4= & ҹTZR(՟qEw=`a^e m#>j3ov~+lELEixN3\<\gGX⟼f$Ģ95aNYI|q2 )ݘݹXkzi=%![/՘.>Xn\Q֡K}jjԬt9j/;m)@[p  XT` e?^̓cGZ"p +NPwfn7o2+dXB}\FNt2hT:=𺴢\gBRB P+]":8=]*> Ԫ"}GI`a^؇PU™ Z]ǡ U/;1V{4 R]PL-<;R򦞿o^t")ȫMM]1 Ch@i9QX׌ݏPE[ K-W*+uuzY#,uzpKkEVp-.n4JX+;SS+* xp齩D&5TT4.tEEEYI:fWZjB42W_5qb}VhEDڇt̮l`=߾SQdsBa e uQAl&)1p.p$[;zկG;ZK3f3f*GմT<,(\h -_go7+NW ;.yæ s$IY"%^w.Y Wc gx]5yV;*E|-5 _+uAc-ummlx- %3J04?KpC}&_եdUAi!ѝ(NPvh-kbtKz $l+)+px` ;?;Vy;,ȴ\_CነlO<5TUlxGuGI)@ p 46,tTVմ@[-NW4cVY0'nv\pڏO4O|p;҃j#`a՚;-[ IDAT}y"l3Lky5y m;SMU5˗sO ~{W,c,M X^5%֣ ,*!mymS;^-A+񎐪yiN8g)yXX S%S4X'䮚N-߼ X +,us0蒟K'f8EW7,݂dg(-Mu $j}PRbU;?J2 ,3`!j>FZ03KC36c {UyjPq0G|a ֽ{:d,K+^xI`.YUU-5fMiYF Z?p]p 5S XOs^yN)# Kw֟߿F Xؼbw5*{Vk X8`IJĔykUU&}oބ>_8~oR'`%&G<w+N-'$Ѩb}h¸iLǰg,BE*&CFfkڝPcZ]FDM5a_[p(]Ii&A$m^mD슒?T'3#w>}?o6@7W!{](ReK7_Aͯ ZfF0y73t&lm5_Yna{pjA2m 4pYfԨzVvv,\:SI0/&+NF9̲#뤯KÖ#ՀϑX&gW5l%q KG|Ԅzܑabu?x6.'v`j:dBFݹ{ icBQEE,²yI2u&#$Q!ﱙ2>43HҒ4S gX A*7G0<^zVB*9,m})p2vai;OxvMGJFDpQW_?~(Gp^}G^ǟ/舘SHSp{x":?UX7p6%oro ^im6pv"RWuh lLHőb)f"+ BȒvO~X?y?'F,T("<ܳhu /\MBK)a[eAF ).M |5h0u |Q~ )NΩ[߁qLx`< ID,c50h2I; HO8Sޒc&B){"K"^M>,zs.tLcZ<>,H,0jك~Cet48/?7|f1ԋ=%֘?󫯾=OϋVC!l`E|#wUfqC\<v ĩ+_FN+ax/.%NKŒbBO̸h`Ad=hw}ATɊO~殆i j8v߀M gWxO{$`?UU9" WH54Z\`E"eWXvGCm>6{Q hZ)b 2EǟZHK~&l&Ħ ֬*vW YTF/}xlKZZ@oSϐ?]PD4+vXTy ^3êmo7ƞ,~&@RPZծή Zx?V i5\+|杍 .?RUW1HZ]jdeT"&[qMd+yhl#8sLX}9+&QuYU9-! TӥMF!ݽyn!`aaW r=%( Wة ;v8,I+O  <kp2.b.U婁 LPO,b& F}y:^~ F_۳GksyK8*4^y5ҍEE(1b*QπVb O% ZOa@v%NIpqa$-IYݺ5ʼj$m)vV3` ,sx͠m ^GMhdfz]MYu#G 7ݴIJvw#\`{Ywr/’Վ0X5`\J WtAzYs]w` c$!(%%&HSf"㭉ٵ%u%?ޅѱW^0֫2 '5p"4U?57:j.p>/W΢ծ Ȯ (p3W#eٯ=L <G[LL!}5' bq)/J矚P`q0IJ_mph?RX;v:s `S8(wjW)eS8ihB9,Sߝރ[3,`MkiIUA4h7Tm4+2sx{*;r> YvOI *ܣ*j"M_3b90tYRhiᚨ=&R1!ka:QUď/g!e?5 u8ZU0R=N%|fu{_9J7rNwUH|H1*؊\R"%Ϋ*=;yl'8LR‚:zvYa*?m#⋿/Hiڱn̍XaCK3WX0~1?5V* ,UzwnfKiC;FcWI XPW$ Q'49XS U"J wobjP;=((Dv+\# //kK ȜXSS?GVF%L K?N*g OWGj'vPFŕޘIqHbm%4& }VH.ͥ{'i,f=\+ei?#p3fr7,W۱DH[ m䞷|o/:HNĂ.@c_6o t -CdP8`!q0<0jxawO*-q9 p|&x%Eb<8jJ<uYp#^!j޺/xߺxVk>_{WZ=ƞL,GYR\z_aݮ8CyTLkϿ&h*YEe;QijGN0# 9bH^ӼԜ.Q+/5oJPXFR<ڹ\yu82a!H[pVNʿ7?rc/_Lµ]v9rf#Ă9(nfaX;S6ǻE+s5@ ?YszF9Kq5/.xB&r8;{{oak@8--,w}Tuϵ5W\ygCUknW; D`?nU&v4K8:w^5Ӫ.39ܹ5)}N>>RWgD hU>7Lo|^3os!WY_֯s3l` ^'  7Ma*k}Q|.)*`GBW^Zg4l$@C(҃sT"'pu W%bۗ&7<1~Ql_ļ uыq-Nк}K EN+squb35%Al8h5[S^]jq|KV-guJX[dZZ4Jw!* tE|frT>*:@cd8Fe襣?)U] WȄ$3+oے&ij`Qb}#>&ŠOeӡ#;rF06d.<u&l?w/\ϲpR^ 4Ez XeXh=* 2&#,@L,ANpod <!~<5 A^x4"o#{jv6V 'aY<%dN7;l:yQ& z  Kˀb֢Im15Ė] Dhbh-_{SOTkL +Ld*@[Y+hˡR~Nåڸ* |<S UX2CHf 9s ڰInl0.\ hrcVM}7ߠ0PA?muRvj:S q}0.|'PШz-ܰt<7(~ ~z?&C[tX<` 4aYdü6瞞L"'.2mf3 P+9u<R ,lw8 X/tLhgNa;D<(CZd5|J2q +Q ̐n\Ny IHɭUk$Z[Ș+V)r|!*kM5% T<YWX6tlZB Qc_e$ JLR @wX#Tc#A6_T8esaD0Г=żba%.zsH dY@\ͥ RUlme=^'xtoͲdR|kv&i ::_I ,D?X|Xŕ:ƓŹI+ >kE#6wG+Et/*qLDN,?1j]qy r~5Zfی’nl~,Glkr .չC), o~YhmA nܒc'x﷩@ȑMl57O.$oo 1_;t;O! qURXՕ≘&pӄƁ79ŝP&75x+7\8 ZR>`"/j6 ZsV2IvUjNmG:K`>h4<by݇ fG !Wq#u+ۦuyU!4Mtw?|㭭Y ~XF7G:ؖEd&PC;`ڄ\`zKRXR{~2UDa]y˗z+@ PZEE>%1b:KfT05 p,ڷ(`-kiwVXzrV5Dq[Zl1G't[Вej+X&E}Z!v0dj Lq$w1aE2i`֜X6~!5; *F5BEZc𪏦 o`6& ;!HG?R` D{ 橣NzDSt}X;O\݋"B"ԣTpaWiB1d *gy|Qk+2OطYn f_l^!<a.Uu,Vłb4S'H!#v!TAa!H,_nMa;+*Ggw㫠a#^a/|Û5/J*qr[ ^u `Վ?q7PNl'ĂmcgrBcܸC+EW rZs<', U2Ӛ.)f:p?ާ.~]=xEO`( s UjMM2aHى5M܌ 7X_tmRо}i.Q=`5r^J]LR!_"'*[` *ZO`՚K$ۘ4-3-H&ٿ Z(Խ?6fxAD,hi!yU^T)T?"ޜzlp5"u,Ǹp}pXm,AzU\n 3Yy`{#H5s1ap0XץX"K4%z`\G xZYQ}R "Y1_{(,FAE .{ǝ%/o_ӳ%G4UNY4|._JOcYgG:k`m( @E(eRs.Ä;V&Qz x &$5/RU}`WwT;roMv7Xb夲?8 0_˫y.SX*Ȑoz bR^5D/LO*IH#c≂ $ aIJ)to$x]Yxޢ"O.,__X%:190}ĕ#.42Yi,gXoKY\Eˆ4RyW#m'N Ӵ{dg@>RSO2pPO~.P_Oݚ ZoɍC$VK*XT9/rc[bH(fb VEB[Uk3`R7vNuNЙ{WI4Yv*p D}ŦOsJjaS kද◖rWEA.V?WUW(ŰlXj;Kgs9)4'*IL(Fr ji4u0B᪪OW2`cJ6̫ysWw,7Ԟ-ǎ催a  Oiǽv+^;:ؘ'yM}:CAp_9^YGމ XA.0dE̿uLDY BBfZRpi ]=pf B." /&˳Dvĕ5ĕU). [ͯÇ r]ONbŒ+tϱ9Mf# ,P,;ξ"^[r7P-[䀬A |\$ؽUOV$/8KS'+|êxIޢ|( r'ۍSS0 Wxqd#x&U`$MD˴(rt5bõ1%Gn7zP3oiAir JG%U,G_\\(D{W9m+v2 !UFc\\NUu8Yi j}yΈs]^AT6\6$yxt@h*,`n|?fdCYOY)'L'0[]`yH^f'ӞГcWR@uz&WwNk<3%o X <0.Y7[ZjbvަH˼$,Bji!bKk<UTxwp"wcA?U4@eV +Wl`Ȗ/2SNwИ\#w^Bc~ԀYi^ib,yu[99w$za1@<$U,3fXt;jYL..*=?QJD8JA ǖzk/RGzҢɻ(;yvcMNdPHapˆt{++B ʺkY8 nX]{[XU IDATE[ "XuR R~j5n/?l0:\!b w`&+nX‹(?͞] ($+WcbPY8+\8s w H=m6|%߁v?)v۸u=b Odix2DYk(,ʧe#Ur=ҿآĩuJBXᝍ!Cn 3_\= ͈(]IS4++ak, 8fg/}z(gcܡ 9(dszSB<ꂾ~ƒB尤r\Gޜvl?$T5CVim䜀\֥_>^lʿRo+fc_#⪽-?tȑ3!F؆uz1, , ) !79DL½@dI#tsbV{O׽p:`9sh{B  olTjXWE:'RɞfDs,vyjǂտ[WI4<Hjaķ4Nx 3@a"[p0Pq<|>WqAyK*j9 /Y$0U"Lg[tfVA[ 9!q-<%31*tioG:VѫM;KG.U_@<a;#>^S[av[jPOO(Tt=rx ٶ1FXlSgjKaob,58 -wy8)FG& V螌M~WuEUJWpؽY6].hŠCg'b!ۼ ,A8˔XB,'4q׸Q06,8P\K):} pѽIZ*jd4&L( vű 䌏]2KM^`AٌūI4B0 <OVIGqCG\UWe(c};@82rٳ#m^(eKT}|('̷WլV,:v,]<́@4C4􆚜a|^.;fBwuuz*Vp> 3 &Qo:X[;IT ; YU֜/r#4ߍ;rIxbe\AbU3U Jd3"ܮmg?]jZ*+>@K\n2 />(Rv\`y-d5SLt"Ʒ̾H6v$;ѭg.9RΥzқ3o 㪾s/;G>-/;ͦb6yѣ3{ר%]BsuYĐɚ V$k,d|di<Իځaq5(?َūBXmbh l{?WWľ~OI:gC*tmq. ӼW@\_Ru8mbzzU ƙ*;9v•.,m{k?]\H8!T9r|i|"s*!+l T`͛ۤ4i1o(emvM;cqE˄68`P8{%D(ŁzŚBdm<f%I鮞,'-dj#?w?q:!8>5=KMp)' 6j|Sf+ ߓRU &f;m~F4 wmZl,j NJ,BKq\ |OE4(~WdLLĦmWg?FWOCZp։# (qn-2<WժET&yӮ3kZf@Q\2Ps`?w!¨41X#_M9P` NSŶlx1e=Yl4xjup\ я[ {=U:PlMV)2]]I\;rQчvS+B=i~<aZ`"Tmw&ոjsZH_5vv»B9b _R`!߬dr6=D*>DL|k|KGBuގL+M_ٳvfk1R`],zHR*@n0$@,'d^á3ǫj}é#GV6ZSYy ˎB$6s3Vh"g0fH,w P WM@í/Іx_͙ ,&d(j.|XT4ty<'t* A&%Y TU?>WʹYW\p{jnj;(~UNG֩.`:s2 %\끬PB3M$h+ ij׮]E%\bq΀h0*s(30ǏN{GXRH[q`w-PDYL7J !˫ *iȄvQL!U|y+xS4}aMt0%@BE(=@fKhJwuuz]oԍ, YH9<AIL76 {vیhխiVcl7yd{fʮ,$;댉&f)\Ǟ.ٞ†vk_.ˣ5 Q(9u4?Fs7 `se4 b5Rc φ;6t=9p?XS7?;U"t짲ϸlVdǣD ⩊.B= #w!;p~#=_S# |2 Zǡ$]sX=VU,;J:%2G]<8G&7'pprnvz}^#TLFI)IYC=C,IF*iy6ح-bxhD>ow"w&岆!ikk`iǁT(#ZɈ3̺%GCPɭI ȖдWsD#W 8<גX- 6dy5=dhG.ҜoBB,Q  5swp.Xb."wŭ໤)2=]1 y5kv0k b>d!@?=3ՉvbKۢ0Eނl2<,Eɉbլ,z2 "0ⱔo]d`V(5 ~ ɦ!i1Οc9\JSF[E[0Ik6]]-9i(΁6RNff]=,Bf cduҝ>J&H^ڃDFZ8oMO¹dż鐫'#1q;MyD''z{P6d;|Qx||EЬ-mwHWvxw" Y`y >ͤCP1 %3h@qʹ|TԇGbȫXa[,_q2 |q6e@)oL/QV?U9郔F,:tjqU/G >@e^XsaqĪxlDPp x"~!գ"=Daפ0?N<GCݗᓠMu(s n gzbi].jJl*+˝N4ĝՇ[ѢB'W'+LXSj49APa^aq{٧6!нt*eW&]x0A #>? B_>Bx@\#&WG`Pz>E<rjGA4!>B\lq}b3g>M$UJm(}  }m EPLx~ 跰x9%'$C`Mq&kA_[6& #g;lHOP+O=xk2[ n5zD]`,gG ᥯\b PFh?j6&sxAosrِ2wRJL@܆5_VcD¯N)fB;~+Zjfb jy 6qhZH/hSMz m?Z}Ɓ†#X^2qbBM"g)탡P:$ ;E3]ZaF 6X?23`h<snL䮊dJJY$nC0C4$ut&om.v,TlħK+2wS_VBP(FWcl ]2RXn&f8̹9W+R^T$ubl8@kD[#GNj8,<3/P}tN!S|a<ǏJ /8mG՗$#L3B eBxs;LWTA .N s+W"Lux(2@޺|&?y- } ɰ ۝Ҡi:  DΩUzvo2NH1e14bʗ D^Y"Jg%`1z.C bDywYXHos!`f<`de2Qm8 N;7,sXՒ^HQe'}0.G]0{ GUfo ,GcdF:Ѱ:o&)$6Oo*;GũNuzSXS;Wv>s 婑-K+D٬ 悋g~<ʏ%^1؂nP\2IR蒗Ie鹊PDMv WRN :贆+E3޹fҳL :B!5b{K^Ģyn Ў R $Ds,OTb2DdN#Ho%۔Zs+I^ѱ蘒h.ܘT)49ƚzԢ&UI7p)F!Kp%%B F=^) Lbr#]}=XE{\9:XJlFUTy4.ZK'ٓC ƕB,Rh8A5Get5[}[n9@nSw WȵBmF*OAhpm<C}`5編da!f'PHHD!OWdh С ׊>2dbo7IZ+^~M>'PQ#p Q%Xm[X,+j 8< 1/4:v 8@M/K]e+HUXNzwSN X^|N*qeC>Yb«10U1IE A._rÎ yȬ7:DPwjqG=~tk9 հ4鮕 KLQΗ).h4nA y,::;:-bNvx}0> gZm uVẺ0gh ,wДGe`t"Pr)F P@u $3+p”Jc+(aCEhpo ?u|9,X?ܰzPf)V̼d3Y|G 6 +$zXj\C!vw`3;{ѠLG",}e8ϧ#>lVe݆{͠H!K4tO<I&R-?ƶ#싖0"b]qX-_[3$V9X$h8BGsacj0~CՇ5ȦgROX.cB,+q ym7χ`$ـaW+ g2@P˗WIي7!ɵ/u^ؾ+IJ.FU2V*$+$)$FV)Љ # y􌩈,Nٜռ8L6?ŷ4B ߄4@[ 8r y.ٟUI ])*ztR kPk(Įl $`MLdwRH9$ft$]^ .R|eh\/-\H"_RvJ|lًz OLJ箟zQ!7iyz^ep߿c/y :/@>pTpȥSCk8}.?cA W"<ve 5/!]{f\ ( &*t2M+H+9WP ܯui{Nga/:/_{٨G=3Ăs+k /tt}p;⢅ց_Шd;fmM u8=|\) y '&BLFXy46.Lc# :4 H 岹@~g~PPs;u.h%p63J,9(k*B1+#Z,YYI\ndg}PYY7 HB߀OCvBGkTn"ʳhfh+:FʻuB~v mRJ erޗ#7Oڃ/&ܳ}9'&լ7 D(jI {f6dI*" XRBLXs0 ցH)jBI?зΝ[d{ӡ$l+H{ԭi& 8&hkhWa!>ɤʙXݛ竕W0y_Φܟ] aKVX¢>4_EU= Υ\TT`b9Ă oz(;~:K4]Ϡ!5 puN@ޗs`&VB+2):s0V7GaĄmma& ieTBޑjw1a.m/,<=ZFq IXH\ae=.* ,9nn^Ips0@[>Jh۶Dh&1Aі m2υ u*~ 9.DM1穒ꗆleX"gd1+D cUBϝrQ+cZI[na~0kLp[ϨcX߰c=}ЭhXP@.x9+WՄXxM=XƆQߤʖ1Q&k03Wl29B `}ڟ.<qcs7|Zj* جˠ^9HCr (Nf֯bU:3oIbԙ [aѩCd[bwI03-'Tz@UBR&\AЦՙ91 ^#WS% ic!lqFDާvYݓl(7-$≯AKyĮsލJD<SloGST`P jqĊ2s} ,p:Wed qqؙeEC<wh -+G'vu[;]x:GW+Va|XuQnKīup+O2I,m/xf?=' EtDNzF偀dA =ee,\A٩HhXY˙tʟ&"/W:C#VL4u*z`W(@H2?eJos^խ;ZVni;ia-)jPO{kF o IDAT(MrLJ{JrFlr%VQ )`x fUF ,* +0,eDF¸0J$6$C#Y| +?JBZv UD!<F*#usޑ"+,G;A0Z[V}N" nr X+zɗ}Հ{ KW嶶.mt7On6%. Ժt%+$8 uSX-C5ȼↈ Xb+WW , b7V1dW@$qYUC\yv6^C[Z4]d=9mꜻ)]p9,MXs F wJn5!1u!}Y@3ZA 2WTbIK["R1 0++(zLxAa|Z&޽H7(mȲ*Ew9b @u[{{k-6*iȺ4%),Xķv@`Jit/ޜ<bBF'ho ra7d竺'$_^r<tg! QJDP1$EXePJ[p.T ++W^Ey+iR+=WXEv6(l~X՝P9?SڬZD~^g.b -O_>r8,DZT)ZF5SgMhR)萾nf$i2P˫2f ,ȧb1rU\W_H~ Y?*ZtȢEfL<s־-3̖raK"A-FPWot\L46Ðy(OE!LhJN|ʢXR`>}X܁żKp2pa ̯ XxhM'3 enJEMN$7sk7 x KW^!+hFUQO*DŽ rL(E[3`uFh`Xr`zv䚠Er`JE )J7$U#n?L.\?$5˸ j^|,-6=,%K^/,lÐ_H' VBF9DŽ 9JN+ܽnf*O&9**+RJVV|͐ZZC_6gtY t&wAI9PxaOd1- 'ږʗjP04nT\*mZ ߨj{mbB?Uר !YPcU[1tNtEdTUWQXLK+KG?F9i"E~ ib{ !s7s&$ODVKeiX, r),J589Jh(&fw'm(]\3C٪pm;̤1w[dV.˫2djk5 Z4vE|4Mc5T1Nl7gPN>T s6@x>`lDGUr,z ^VhXQPd ? Y Cu1؀?T^!450[=T,+&^XN,UPHA%`'+"~!'wai,z獮ĺT(g$8!r^ lxo"5[ZN4#6›9-}^5_n k ꘐ1芄+ʩOߕ5/ bRSMxi6UVXu~Rjˮ#/Npf AAƄ#-h2Mgv V6,Xkgbz~qbK3VܬJƕ$ɦ<j"egW%K)uJZHKBrglh /I,4%y>VϪq&JΪ[`D`Jj][#FL06zûl$ .yW+M̙t*sm<-XBqh2bȕ[ gpT?ɖrg W~p|0C B]-U'ppqzRrlC&;FN8 "۰n\1>dA3JHc {,>~MUf'fg7gPkӽ62V\B 3 sCU7: _h#p/d2=7wrV3rPx8ةS ʋ[Z~9p`]gҌI 4:3X64bI1a[[}[=k7em'',ZM@Pmc֟hwrVA)1HubY: 6d6bJt36os!|sT< XE#@,O%}fق¹ l6Up V& T`ڰn:fw,=J^Ѡj&d'8epMpa);sD$VP/dz s+o(`U*PxR+ >UbMׇX3$?ۧSXBhaΊ2XdD&8#F,&&W'ċ&",,Oa앹\Nl@ $fg!g5! sGx0Fxڗ1=J].\*jͱ-Mb?*wَsyZJ4}Y-h) aW +FUӰDWkkcBPwР2(o0[f )^^фJMzpx#2Ag`Ĭ!Y2D ȩ1| =d<_S 3K ͫ,Cǎ3@X-Z_:=Ёna; ʤ:Ӱ@d9NйfUsXpb9r灶 db>}'7wY2?R`VL4l$bߗUMs4Ye V.Ά`d^lVsPJ^<qH[@\g+/z2&˳Aܔc[YjXS_ 6(X?[D;ASEJ]$VE IJeDKYnֆ!n}MV *37? "U(6gf~]8++zUr12"(9>uH$MTUڴ⌻4,5V JU'VvLA}\T#jR^]1k ĕNd# (U"&m~fXCLLW>9.:",єYJfD`sqszSY չ1 ~s!8kǴv&&TL#g2/Ϋ+ h *H({, UY$EK#(ه><ČBm$Qp'ۆsZ{G/_V <>ګUh6'BZȒ꭫dƲJ{)7&V|n2kg. MīN`x,Ąm#IԂIri/g WN_W^lp5F@c]@(wpy͔;@>=zX[6^Iz*Nsc'x+U\  W )quE?1^BjZ͏94Q!@TëIaeTnu 1!3#BEs\vlOA48l|FvX4"Bu4x9HXc/=uϟ٣2Y_}54y,"~cG^aBq2_ֈ/S!R"ՙ7,DŽd7W #K^P`)zH` Yk_ US(wVrwwKl8!&̸E5{A9.Yj*,7~y'?ȹ> ]ՖۗtCD+ ,eN<*V9wy{ǜJd+%P;ͥ3g֘W]Z5||$Qhʘ Lt;;wjX[_60($`cxEp1`ReTv:K;%'P lg_z> VX۷/\z(['qhK+X~A:˜F\i򑋫76+[C4ѷ?mx>3Gei4$$rԸ St5QL$Nv ue4qJB/iR+[^DD| s)!: Iu7ʆ>EZfҼGr~.nҴHUYQH׫;>(u_v(s2,*USB2-ېƂ&YWpv`E**ckF9w2]i+n=|$V<#l W_-lCmj%ۆ.̫+ \ q`ԸE .EVZUk}} y> ?kh,q09ʳ +pIR86Ĺw)@RIVj^}usX\L$/V29x\QK0i߰(>EMPY%̦Td%i'z0 J&GXC[^ k_Xe4=*w%hP+sL7'Y%ݭa} ?p$V}'գ=ʜbqY ĆC,?Z@ef ޛfKW<uch-99,*WiEys$!K ץ #;D}UJ+}~V᧕ *l7XMB͵9d +e򊄃 ^W W_$TTY1=(r <MuWM'"&Dl?!2!baa<*$%݇n<Zؾa]9K> ȫ9 b![f^d-sҽM]=cs}BfjCd ui$s`WW<]=]1;/=t7PhVL'ٝƠ4ܜ}{7Z1`W bΝ;XS!}ڸʞVyEױ:|J+Fa\ . Jc"TقLtD'ZΩ*t60ʵR+WEb/H 8`}zz4 B)Xw!WJOִLĄzB)n}d &bP\MlR,SS2 :Ccm9MieFbY,%t[amEpu . y_ZA">_q?AVe2-s19D GWCbpAN˃j%G5HqtL bUDPp%IH v<aW?Y}0&\i P+gY}+?7!P=7,$p̣ƆQV2缤ȺX7,,4C!ᛝ#d<Le=9QW /L\h ՐXĉu=E$7|y b550ykux@ jPW泒]=rxRPoH(D,y˄rL'tT)6ySM!fuhESkaN`)m1[+ ,ha쮬@ U ݻ>4O WM蓧1v.R>ȾZC@"KLcnĺYwmrQj.j2) Q H`E  pxHh^2:O#MҊpm4 /QǝN} n5A’s,?Yяں*;'G]1PߗxbFl⃢;` #_n#E'|:NHEuf0+A4a+`dwR <kvw(wU8f NZ1hD+ ڡ2eJRP/(͹3kU+f歶nU+,.$݇xcuUNsz!W41~2Od*!?V\;+e%K_]sx‚)comX$k5ap˄$&hkϚ=uHN6lNo>PV`E_vgb)69kuH+,:\ANDxDŽ upf1z{A" @bCO̢z+}U;\gVvd!bIK_S+|uJBjx[Wrs^ 5T9NB5ָLHblP_=k>u8Nt/\2.?VX-9-C@NbW> *9]#D:N؍qtH])Un"I-W(j@]kE^5qB0*gyDžׯLmocP>)bf9$EaX.<tnB˃b†7sm\HolZƙKA N d{N+@`8ig,$7V<p%yFb̚pJ3%FІ1vueVX[!@X*^"!a? ^"v`AvVv 5 mA<uQ  "?^Lcam\ haZ&W[$nՒKʰ\\šEku.sĒW< kꡣ}Mz"),gi0,`p<YX35ꮫ+< eu,/YjkW;f>`Y,Y6WWR`xc fP*՟D<~}qjpʥD|OR;+Jڝ+ǒ: Ļ b$ZǴB&IIa)H8k&̊DO9Jub4T}[[}}z4.O;7ͮ5얈2 wf`ipa[ޝov<Y&,\дQyNʽ:~8<zƌAqh-πhbzPlW X?#"U9M:WǭHb{UP^X%q}$&lk1!.Lz<nA6<14ݟ])Rj9K"gݭ /zwo ~=liuNlxbBzgv=k o+e.Z3,]Sbi."s~CIkлUR"^·롵A;Ξ'3@cŰ2-)*.@701a,xjNL8Lf7N UjZ%oL,EoFCe508{+elXUиtO9O ,wmg4)/oUqݜ4,XHbB^ IW{(6ds!yV*YҎ]Q_oïGAmv WչQف5{>_^bp9-З[OycXAZQb ~"bmY_ R ,e&|\.pH(4g.~Sm92k+@,*b /Mt ymbI׀ 1!Ma1fs~jЏ4,*sUoQPA'-ϸ_yLj~+8n baxd}pwۻ[=Ap=t+vi3Ww*$,RE\4OF, d/͉4 XҊ/qI IDAT`LX *Xpθ3@dݔVRBYs֡9G%7!V 4 +dQ2%?:|Ҋj+aI` |޽{Kw|دD )R׳qd" )H RLvY6yTd{bXЛE)c   mz漃~yFB$ ZZ(ބ7?(*Y Uf1YΟW[Q~}01X޹{`/ցC~89iC*2@nMX"] *^.Zs17,p] U 93d%M BOVp񱗶5/J!kms2dW%x</uWܽY224` 2ʴ,Xe,mֻ  i_ [!XNe=XZ&&@t"WXIR+ ?䝀ko7]'X3&Yc݄Rfc:@l^:xUPX+u=+KCgyfjg:љzFX wf,G$zXV硸}. J\WW K:s'*yQQ1!i9b,q|刯ؼKLg2"ZO`NOńʹ Ѭ+T#|  Z㜻9G'@sn}z>ifv>?GS;+?`=ᕾҘΒox:|R#0PW/:v.8/}{0 wHnzK^`I,)'F|j"0Ѵ=er突X1{lEUu8MokĢ&,aYcw~1XxhbJ 9QYw$#erNB WMm+% WF2K, } ]M|{+ \4,Q^: F??P,XWK^Dg-Ro} uUz͞3Օ+^*uK*r*;six\hȹڼ%뮐jY/+m<bgg+psʁ[^JX;Z oC ^m V=Oh6&]ܹa?RIbIA=<pUWѱ W*AzW&9K@=h3#u~Xӥ LMs)7yd%= ]UXuV^wwӦs8T>I?sN(`Z@e1#,Z" | `nE7E 0aXW'OrE ,9E;c.Wutx0pa̡GCeIX:N&0V~֋utkAI1DžNz,Xb]]a}X9ܵZq~?Co&G\LXe3ٟ2:Ga4aFa>fKѲoZ_nīQ g&L }2$KNJ㉣r5^|ѩNm)wI\hEWz XӐXlMzϛW/4dsJJY†^wA, SkYb=ӹqjTUU(>rGC˜XоCC!}}։+@&׊uDJ, +02ɇ )EAi)_&qe mPgNkT*Fu k1em_um*V&j0\li޽ ˝}=81L!p=Sy1Z<g_~%\6C| =1Tp" <ݲxz0. =bBSYq)C*`$;AM+ɿy:KHrzdy+n <,NOqWAnm1#e :!zL%3Ո|o9M C+xٗw?oO7ΟGee>}7 翽j#R.2FJ4.  Ev|-WFXfBy͢r-GYb>fwџ>e[l.m&XYkgݝku+ZĚz `ݭ'zg߻gPlϢ oWLT 2̦X߲}ӇĢ)w+5kJt'.k"aſ+n7XXysphݫ 6OSOAI![]u\wy45ӎvrS¡lZn<DO e0zG^1jZK$?:j! Kr3^`)ZF;כcWVnYG`4Y 5>MY,X3wU-箜I,7X^c!ba#L`!͂0iu~F'h>e[W9al7\S5pQιÐ'4#2 Jb+j#~Yd5ؚ, WC' sanLȮ^B%>kڢ- ^@%el繯`7~T"dĚyxߟqcwǥgp|.ޅ[?LBxnXMh^|eW`"B,^8|5*gi]XՕ, YPXcEߥvV&q=7?5]Z:8O3ffւf08X\$`r*xJHy[)>;1;rksQC>CksBwrX*-Y^VĶoqzc\LiLY2ٵ U _N5 _hui]}lk,{t:%ov:@DJ#'ODخOj3'ZK"fe&M UH!` iTZGB RӃD IvF3Vi^^k{N?`_WRF}pZ a5`+DJŰB'IqXW a SsZNk@GyC V~T ĂPg ,"aW&s`pcH]# .oY;O{ 3kw,Rsf紉yzG6 l cQ2 Te%ZӋvȒ몉HvT BZT_.≪UqT^B + U-CՅRUY0k'슏uR G%Mkj`ZGs ;*YM}V(d FK[Pa۪mmX-k%@& 7+,jH/X^rS%Cwd,qVs*7UƶDT[Nq*E#' K X]wh<e"c9ȹut k@n`lp:VUE؂qBEY5 $]kze(5R5bKCV߅lCnļEzX݆,麇nB ˢu4^2嚤A]P %h:q}@HӚ)Hj\meXUZJW/煅7eFMUWQ}oTyoZaqNgv=^ WXG; I(:rA+?Ř2,ajt;yU(/ ̀i^6{eyMe}%L>sS-L^ixH׽/`$d_Evp ]\2sݻB,`EO.kFňJ¨x")>9+JXd@UIΫ񏥽`]{u]8%aX kO9_E+]\R6oɦѩjxfwy̺ml>=ok7҆nS 5`)F9}^&5iK5S'iX`9GWs 4U?UcE6quT RCWZa񑒨hd]US,+S2/F-%]F,qyAlv+V"g6j%2#ԄI%-Ή\5Q'5 jJYOO^|[aFC7*h}XT5 ^Tnl5WXy(iv!PF n@*n[hwIgK>MptHMȝjlѫ,zW+mvTM*L|-jbM}U>ON[P}a~,s~U ȁD, >GUtס[T &sp[| mͻ yۨ 6?uV)jSxY*QĺOV@q] `U@woNK%o-٩٩byt㪥UunqLzmƀ'OQ`-8Df+wБOxQ)75{n,M,jJB*6XFo , {zI_+H](Xa@ ~pExr>}ƫ]"cphWeל~ ON:Z8$t4w`nbPj}x36b*0Sj8}qiOK25вF6{a"cz]+#혻s>Kܵ5?Z霢Q$6hnF8KXR4Js0=umdMբVm" ,KDxu.+ F'PJB ZĺبGo5[FU UWO_!Ϸ|&2$ٝpa87͆;ԄXQom75yTYȶdu݄pa=a ,E&y^%SHC\Mj;~A$먺ӳjjJA] hX: $@uUW 7w5r$uVt&tZz"DvkFӿ Q~T >ʺ-FŌ*|ƼRfbM+ͥѤ=!U[۩6]8?3,!`)(Jrqr(*ZcK,B ޜha51UV ̌{mLi:=s#t1 w^FUbb}G?F!ݲaYnaXQ-`LքSNS.3 ,ɁS7\hmm~j]L?C5֭߷:CNL`'o߄S7ë;sB472v-k=)uyAޢ!Ra(rUu)z KHX:J6hl(+<Sn,s{זϽkrhjs t( MS@I Ēm=ՊOno?xn cO?Ay34̻xa6ji Mjު4+PBE9"{+0 $K񎢚)dvSɬJl8-,CO@-kv."eu'K,#ls>Z4:c^&k.H !Gú{ <{.U!VJH{!yKtwYsa'dI/VxS-Su^=FEQ]InyH,DsjU^q|u8hbFxw5o tN; "SW&&5R-ђfa%hSr K2<v;*'x-rǨs5šv+G ȫ^πżNj{sa㨑ETmqKyN`$ӷEd"#t+Z`xk*(1 gi57*$WqA67HpRb-6 ׃umoc[FQ!IiԺu'56o}[k۷JvuΜjĹ?aX6#}KtG)hI!+f6 yl˚ЍRZ]6%sͬ6{No Xb:uKY,`eG|AZn  m''] O%kV i*Z/zfgV%.:s ]u;<.K[C>sljs֍2"nxP`X,! F'sKM@ܵja=ȣV JɰN,T,M67pg[G˳aS0 [XvM=fWuu卥2ks(|v [J>^zR`9~mVX~)XZ#="*E˘la)s-bEh/_jpD6)E Z7ahoӸpX^3]o2Fټ ]Ρ駲p%% ],[n\CV-$]rZ .w?")y?aڞy^.Bx@dj^heWuuC^*;$?,F;$HޛK,^hc!iGB|Q؝#u5*ڲڸ[}w _4@-X "`Ei Tb/BoT Z8%r.Hf,g>w2c!rl6tcaWBbлouGp$^Pl6syKF7X_,էLAwVg9 :9/uJEdrL=`3(A7֧hVXz 4``wyu$V&w,Z}v݉FxWX-ݷ:& ^S?"\\eԠnb 7W's B~}7K\xJ ]h;UA(&`*ϭ6Nח767 h+EZ_Xj mp&2GyxQK!|W .OA) iC#ֆݷEGΥrG<,lc5` 2۸A+a|iQZaB ?{z~V!P)lV 0pC, C•Ԅv( ˶U`gQӄ>NIB1ֻHwIMxU55XFƆ*K0[F1$cZk+0XX+S8 yUS$|пX=tN^rh*Zpٮ/㽘Y0؆HE RbzS;$8&75[06Totת 5 -x۩Bc!jP҃aUxo߃{OV UvkC0-^u$VIer n!+~J H?=rXVBЕPejx blR /ZVNCb7nbXb:/JyTO^}A}g(\6[)xZ<,qvQPD-+膔϶l9v٬&XoQB[¤Or ojnl ],Ě ;5S~ hdWVAč[Y8\ iQ%uybs΀fWyNf|$#[ IDAT,x\* 'In޻xEػs! XAewŒpҵ*qK8}b1k-,k\mTh^K, R -ߪ6~{OaٯxQXY=vUy% ,H t JY;=~A(Zw3sH,Z@wߒ+>%/"+'Ɔj4MR~VQ TBym]H~mjϸ= ŎvPG-p>(½Ve`,ygxk lw/C(rVV9N(J"yXK]<gWV U 5x6ڱ6ZKyxglS{GǕЃ0χLe+" ihZ}Z=,?rڰCem8XڲU,`Z-Ǒ;O&k{%ĭv.- 񤋼R,yMHVnXxNUB5 l)"`92[oYq753{yK`U6}G뛅CXQ/򊼆8v(,}x3q7)uC [oQCP^+GuMؐ0u1&OIXLb]U.<]XصZXܯ u]Iī\VLw+M8 AI`wv҆["̺Bs m($ j:S`SnJ~|R`&D-t}nXh5:Q]M0qՈh<RT2%GO7 {7OhV knv8>  :1<1PxGG/}#ҍx[啢elv_~ x2ާ6@L9;ZyX~/WHN&V[~qX )֬7yE lkȫH,>l]Evf+drTnXX#\k $)s" JݷSo?^vy G95!Cpٮ=e`K{*}xKB1Zbyux:,7WX( ijz = ,y=mшE`Ύ/ &;HN͐:~h<Ԑ+оuz^ڏigPmsWSj$n aI,y߶@f/L~^,O6G+M `ѤȪ:0ѮeWD k֔ӚhάE`:{~NXYsO;&Uqޔ\k-Xfxm+B:Mp =XOU((ljuŋp(^-7Ob` Xe]X tLi2,a^Eߦ&0C,[V}Vzn'!ĕB]g˖ b Y, kʡ͝el03.0Z @P?88=MP 6Tr"$RD5- ˫%/nW9$ּSNgh>crj~=a>B Rݱ*8fAJm/{r\em<+0;Yw,Nr4Nl_ `+V%P _#4^hfe%.M@-$L z-wP n`U4VW SXaDt@ٰ]Zs&%Ͷ?kq G23U=^eH~sI&-|H7tB.vA5a4Q>u@U,@[D 'pXO+TCHcEv ٜmyճ9\EEZEOWe]B0ew:'SsW?kN,ku4`r3VuVSSW޾xYh$oo_1*l + XOW,^o+Xm~x(D2O XvrAG^QSmF*\uDVV/"UGm7β0cb@0|F]7誉ra0e{Xdݾ CT;(oϪѾbT?G8k­ ,OA8l^8(%!cEѺ"Ks0 THVJ}XۖXz+\I^JX3|c`r>SpA\ J[!+Dݻo/g1+9ܩU5aNQX(ExeuE"s74V$/9\ ApV7ٱY"Vm^-pݰw6"ՒcfVwW}<3\.*۽HKYs[7.BM>jjݫ5{-az΢B} бH_L 8kqXk$'UɀM]ugz f_GIJά C3 ea+)sH uAgJ~w53A`n#O>$u&Gj'\] mڵ5jBYzWBРZ:뒾ܽњw:Uzm˙01XlpZ2+'Vx)/lYzEow\R$\:+YXo?'Uᕪ"|m m%e9Sjmw=̥;BprOsv>2lCU#5@Ml}u;EႿ>Jl5,& ;oBh/ɤv̫6*1bmW5NQU"'颴zʵе{BN8Kx{B&,6! ^߭^HQhEϣ(hJWyPply(,asu ;NHv;[aƌ(_(;2<{X'nvg]4C"GȺ"-:UKwՄ6ީx;V3V` ,8o]j "C'4]QQAk|),2;cv걱kBgZo"C6L&khۼdo=us7ndݾaMX;5bէWM4Q XQczaXF[Z 9 H,s\S:}ϓD)W^uA.Y1Ar|Gkjw_Cj{+$sH YF@;> af^? 0OoH*RXn{ 2O \Cyg^g*m4,)- I=,ps᳼SἾfA){mykbBшOV t"t&1|n}uzqi*@bd-ZplKyS *C`uګӪmNfVv 35~g ދv@p_qH*.fSlM92bUQ`W:Ϙ1w?I" qըr.*T*B/73cX'&Z+rqMP&W Z²V-7p>²RYiaTX {n,vkY}+7+BUMh5wjkRh8 G$)(^]LYQ@j 㿙o(TF52Uj_4:XpVUVqޙtk% _%ʊM1+,վa+2IGd{j߲oaX!^E&4U&SQ^eׄ@n]JM(m/l^M(z8vJV/wݭEkn/9mbyД;^c$a(ﱺWYY%ūn_RX\+bE n*PYjիW]it_fuh7[Xz sƲjm'FזŮKũbI7Νk.`} h8dvP Snv-]&>"'읨".VNjBs@FȂj),GV.&W:ws5XŰPXVcc%ߡkjW,^5N PAP:Ӵ3 mhCxG"Tք 5A(ؼjQˈB$bo詋\|bwWXAs3 } DaY nt;;fXܬ qdAiQM.'@U+w{:Y_thH\8G[U:啢&4t}=33:X(VEy&YW⬭Rք D^Uk2/~Vp"9 djxwkB}@A7rѐbIdd;\so*B.\aZE pk#GBX7(\n$&Wu(8xsm g~!G-זrq׵{ªk napӸ*"kjUV"s}Bggv<ǔJ6@"5 IS;vFXV [X XXb K 5OlVU) n1 B ~D+RN@ `5p .!+u;X(>lB\5ZW" 9-U`9":&o-DڻUg2Ue⪛'7$:9p55he"Q>nt_>BWjB!65#"3.nA|5\ ZhĚm)&KIzXQ$D>  8w0 *$-2P>ZE(:X*) )[ĪKfX4{9Hhe)rtK- V~1+zVYVD+lb}s}[<cbp"R%`)rܨ5I`aohxfu ŋ]>BzǪ8  ,-aZ6%V߶]ܛ')j!cz` -ݥ6[Ԋm1=+zgCZ4)%@iH:|Moy\^UQִnTB4Z*]xutɋ7oѫR*)`:YĪoVv&50a=nŊA⸂X3XYu}w,oW^c/}Xk`XpAa943UdZ6z5,4E_N=0s<L a6)A-&ny1.vH:ʫigن+(Hue:Y td'ptGkΣX^ o)\q&Tz7joض .K1u&B~Hף0U+ UX$F\M{#ݱoԒqhXdM`III_5:XIu ^EES'*LX>xjʹJdmXY8 t1J,(-+ )* %̦B#٬l6+0.,XaE<d#]f"n<Kxȗq&ޝTFMZ ?7Zpqdz5`=jn(L&/hpu/!(%@Ã3 O#Ս}^!`57KBkKs["ӎ%F<,? ,$Fӄ٨>ayA6Ki2U͊Lz P8߹c~ߖ"^]QXFdjG qsnU vQ`U+]sV ssm{, <m#6m`|Ux`@X@f.;,V& ˾ " & D@m~zs ZL-Xj=)*ȩUa q ~q G R׽el5^gXNӯ`Q9bB*+s(vCjDY}u58$]Še>OCj%bM.yJ_SV@PT6A ` i~T a3yϾ>>8og/d ؟8XspI2L`Y^1"v'`yHo2^TXq"TɘhN1l?&7MFJ wH Pi1eYW7O@haMIHV6R quzuT * I,$%[ -M8\'2UIwyN:] 3]Bkt ,D,V={`GoR4R%c<cUk۴bǬ [ ffw@Vf] jG}^0UèBXab!TIKƆN|hZcP`pzV;>!XK4\[ ^,V3:Lv0cU8;Ii(ibXP(lH5͐@HfRR YWLaPݹKE<@(lnBU(J@Z]nyR yz i?N٬+P`'_jtG9- #% y($jJ5vgcÑ\27utb+ 5֤LiS QGdDurloe^=Bp KQ3>3p~xVܹH(D/)pˡze]@WmϨ5%TBr(TҀo-zi5xo^^R  ذJk')t^y?k@ĺ% EsD-`uLa<ԔU\q*~-wn܄!Y Y ף4:hpp+#ŮoI.t4jPuJER h֖u!Tgԇ2qKX u{ zq%@nLStey 6y/^z.3XUp?2V,mwE鷧\mSJG KFB>k/A!UoUH){E&L7QY :Z/[/M\ ǯkhƅCbf<P s_L;pPo!"‘kR#Ҳ7f(V-wF݁L.ENR)7W$'P8 B8B%l^5*>&iTe :Ԯ˅%!ngy/$'$}|>Wk0 pݹ0*AI,$A5ٰgr],6^5\b0;<Pچ\* BaTM&uHXU6 F{MBxh B6~m_=\0B|(_b \]"Eˇ!6 bs)BfI$MMq .wRݝCACHTW/89-@LЯvBey}U,**hb6p+EG)a)kvtJ\>eܜ;n 5J me86kkQ![YlcbҫacF5@\*Un3BS T`%* E#d$d$!I16 *W` %W&(`&wPGO&$Okwi0T IDAT3''sb_&𯭐9uֻ,A4x1^;%,0 B&n;3HB&.Iџ;`jyS]*W,^ɹQ(2{y]·vvr?@ɸ|(nA0ePb?c`5Kp^[5XiwyDdmD6jYi'<(UW.ͧ9$aR<}]:B+M~wuDc& 5ȔX`9(UV֖9mj:6 b1u4Xph0z(*,$WM`错D.|UKvw7Kʨѽ8C״߄Z]]ި:W_`(տ̤g9ޡ9Za\󔋵Ƥ-,4]wB;dh^⺮LQT7?)YH {DW= rgɋ'4q|#x&Lgsᕲ<0n>T Sw kPW Xa}?nW2${~,F˥"8yW_=Uψnm!ȫX&KFkqaW$PXd2q虥jDT"T! vץ{gh>^%`)Bf.FfU\: Șt5`xhȫ~k|Y9>wI}Е6Q'c0#6lD^uyͯ!h$Jh.z&*,IEX|*⵩測nRzw JVR:/zn B^e&'t,^[ZZ&P+ nD^ky%ƺk?qBi<5-d,=OmTgߥk>NTT"n/#|Zr٠L\m[IVtN#@BOxۿBY_0~_ŊPԐJ\>;w-]qc};b:p@Ꚃk/2r&=+YMU~żR9m0R+rNFWBgjԄ6" )Vt,smׯvi\QX[3!qg?Q|-yX/MΆHS6!f䯀غؿ:= i+y^&ldnkZ uiwi|X,DlAlpy%^ꮚe{H$G? G#7젆K'䜋-4 ,6*?m3KZwX7)wZ_gAzr r=kTWK}+}"Xh║l!GZE HW5Fvy q|톫>FXEgpOanS=n𪲎ǝ5X:5!x<قOGwx :^ޭ>V[,kx@Ɵu }b<VPZ>1e`Ul)bmlHlȻĊN/u)ꅻwhQͶGlyg̈́},o. 0QclFEw9۔=2;x͛dʦ35,Η'V7z'R!^<QS3 h< Lg6I,dJuʐWXu cׄ=FgFa2#ʎ4c5BT,@]5+:%5E7T4Go.e\&tѵXqe+RO[Jlo q$\zLJ^fՄ5a]]ЋF<Iy4;K3tϵud&A__&75VKaY (,r*ݡ۹Cu ?az0.͘F2Άv,r@^yQN/t2Wj$zqv_XZ#^͙{(,b(6Y@;:g$mWݻM";:H,%ڤ۫FzY5HCxL% u|yt6DCb epox2<5a5`^QoX8ݰ΢ٽ.{oT,uՈ8wL,G_3yss ijB2HLO/讙̪Hl bQ QiAՁly(GoƏ|߼7ݙv㈼1*ߜ^,fwd {S`= 2>TS$kdev͔ܻɛƟS&щa!C6,\%ք9먔uJ(W}^) `Ŕ͏pQ%?iͫ8{&^Ұ}nbifwdVn\(eVxօތ25}Be)L>sz#n>}:IJDC8O474>RG DX2a߀*(mnpWb\'q)Q`5%k.}|:6G?Ѧ3/k:X:oX۟ K%D;)i/m?uV9/0dmH8Q~+xt60,iWc9AUH_]hm}xpXE% -<f&lڗ>X^I5>Y;s+-StOok3yu&h/ĉwp[-⌭LmXJz>'c Xp_ tp=m kB[>W^9>Oe"r}ĹyE?Nk,^FAXT@Ah`K kkKTΣxBbQ7O+^ +OԆ+7PE?`'Kmu^vC+;z޲:<4`V܂7cn%]^FEye~-R[$CɖqrZRxaQrA=<j4 S@jb5 m"?੃/?'fk|zӅzp^sWaYMxWU!w>2OŖ,* ꢁ-7St˽Ͷ7i^1 &ǟHWU) |dЉeRkbM8M9KiUiDqJV:0l ~+<ئ80MyY -@Ý$D+]VxA/ԩh1KIeꍛ,Y$/&EEi`{Qq3 |D E5.:FZ/$9FW=Xj-q6r m;gAgD\Ozc+ݻfQkd-oR+v:2ea~D&VYJZjP6ֽ&^ЊZ^Q5!\{Z&š_m<->XKVyւ'>+!n$ Q&zsO+q+A -)%^KW(C*VԅGGTͳe3DyV݊9j?$Kpa+i`m xG-ʱgnxʔig^~jC_WX7:5!NbjBdvv⿇)bFs]`B<$,i"ONGÅ$C\^GfbB yU?pqnڒPbئIK9ӰevD?8xp C$}w;ɳZ祰-%]Eըmll9:#)8fvV/cyPdrX*ϷN:_.g"!m ^ )}X沢=IuXQsVw ,2`}C+Nw< M{O~P滇Zm߮2R |:m'^5\M$˽߿W=dXFpvE0N5:ֶ ,|I,W^~WOzSP__Ļ &2( _uʿ۾nczP\63گ`$r>4Sѹ>۸;j0lWM `jyŌVB+Z^)G+,nw ߌ?2Y fv`LY ~q͚_bucߕg*>yzP*R`k9S0}m7v-} I^6Hy7rU3Gm ǷXz+OEɡSٜ3/CqPf3P_?^ugv{zjByw=!xlүY)ژU>HgrNʀ^Pn;@`^Hs^?SJ=ށ4 5{GK%h7"*Y$uj9p)Խz敗;W@n'_|ܚ Q 5<][ wV7@ 9Um)V7/7 '2+:$֒K{;Z<R+ڊKg3u?ؤ$, { BVIK9MK,60q W&v]/P, xu㏿x<M4L~}}.kj+{U":W%ֲ|FU BhJ \cfJaDU&e^;wh&Kgj\<iggdr XL+˖cMwz/I,fIdE< ;m>C迂͟,gX20{떙M^j;;u@?BJO?:Կ@Jͬ4)]o843`V腜 ?\1KFFz~L2UX?!fc^8^[+,=E5ݛX3FPɃ|v١q߃zi֭[@\Yu̝i\tvw!k]+;[T=43ݨ=-M4lb'^,u9R}*Yk,f|hBGGQ9kW3<UWaENHU#ݝG T)32(N4q/|pW^~>?t"09~)j4|?C4Uam<":UX[|TV3ψWbE!^ aם0Gs<!$gT+6lI8zB]~/~|_;WW;::;: =u1/}ٽm}h^VWqƳboī\~¢𑹡w4v!%VurPCW^~gO>>VX4VS,&f#[b}К&7@k:[Kt-==cF\U=^O{X5۟9+-_DM̗Jj<lxD`YX<a;3ByA̫On}r+,XᧀiHĬraUnbumŊͺk&m:^Ik;Q`E\@}XcjBsC4}*Oےc7+k%^~ |{xls3.a s1螺~8 pxXVwٱYMF<,eY ^IJ2VcJ]{w CF(zXv#=#TKd;{,^~^^|V[_|"$rX4/ JXiv )me6F xaHWy2.Nw[XtqȢ[4ҍ%[).P4lRK,  &,h}C&c > [uX2\ WWpcbЄbU}w}!xvJY#!+\-hy X{8СA v~\Y󵅊*<$$V"wQDk] V<+ݫOz峠FgIM5ܸ(@QhX7 ޵ jZskAVT0P''ErWĝrEu(^pĻCr"-8LrNku6aa\AV-dg>/ڞ}LL b`ˋQmAPnjEO\&k1.NB2웋= 0Cbi(ʪ<th@_` 3"\YU_cvUA ,UhL8)+r LX^< *1l|=1ik ywdwhm6uSռј=يY` Pw}5Lۯ`p%exW , RH2m [{-+wW*%_ċrrnTn &\5|/Xp5 w-=쳿|! YWMgCO`5mK_t5!Nt_s,}2iR!WFWejG\p @ԁD2O2ChzG-!fk^kWA;8Ѐi:Zz%ol1/j]Z>?PW>YqtMxPqN~ُ~{ qGk=+r?n;h+XQNĖȪLEMVdVQٓ wC!k$V#ƺ?W0D=% ,*<~MXiT!8-A(9Y~D&, W,e.~ N>%`nhM`ՙ1 -Rby*#8aU3I]t` '%g4З=9bR;Ի;RrM6lMa ,PزeỆǷ`nIQP ._G^ mHg>^Z"7ofxu_x_J֪UϢi&-"g3L2c‡to K]5Ѧ:X,ŌMto,T3pg'܋@]p+D_ۿ~^=." $Vs4Sh Y;qhzN_`!?T>CYYG2^Rlk`p*vj{{AS&,^֨Dh[WQȒX8_Xve.\L)x(+"NB[o9}'JE,+SIyPʖkͺ3Y⿤`-`}򮈑+ ֶfMMRW4haY˲|"7q9K&W#\o:vUYe ~OEj )yJT>wY EZ3>j1=\bJLW!'rF1!]-,+>wzǴÒO!'u+V~_ !-|]_8}څR[OZ~e 穩h̫FS9?HUp"߸<>:%{fu- p/;Rq6X^I:m&w}E,ux%!n  Fr0@n/}1 2.q ?Fй듐Ŋ]1-gׄ Wư`KѢfZI3 8KU ˨bs\akd&z 0+S먇XmX'<,IJҗ75Dcp!.7m%H5|.Z/ǟAۉ Nkoc!^܏M K+̌/S_ 2<KKX^ DVzί9P6?(y#rd Ż0YML0{ZNm IDAT]\I S3)M4p+& Y-,g y0fF ~ Eݏ{S(ޝyf<%T\Y{YWKEf kU5 }Cn\;:hL*ZiggYﵘa;/a1 gVk֪~}kQW!C w[*AB+!*ϨgJbZ wAPY@} $;Cf=|s~ _ԞID-R3Q, N}ccy> a@WUc]$ +B/:[4e/OET_ʾz? )קWH}p|rxcЀQ=U`柽:*Ty3wxXf+~l+1oQbiߙCAMh{A-F (޾_6M5@ecMm_& ߽p[+J 6\> <le TyTˆ6Zeq+mo)ӽ^-e7[Ѷqjpp&L;RI!BA>N8UG=,egn| ˙sŊK5śwxh2Ah5yE^qiҊ}+N%TK+nbW dQy,?V:U3ņ7(sh <Rqjr썥I[s+[T50*ah9;ЁڬaP}WbM}QyF$I~6k` o}5/$W2h=sesgΈ?_ڵ#'ln~*f +Nq8sTk؛㻎R*K/ eJo.K;2zs*P9Ͼ A2 `Jo}<jB-zԞQo ,Հ\=5S9# +_a}ry%9_}G#CCC2}ukl`}WMK\+b\V52=1 [ut(hb {~ )UHFPb@߂u%{BƎFV*Kxp :q8"|\!P||~gsAɑ5Ujs~xxxϞo I_z`4=Wv>[(XG_׿/ḳzZŸXp<ޏ d9KTZ-ebjә.[dj{w([@mcՠaM#wIa<<O8곚Ԡ TQڍFDTr3:WIu|Mb7$&968ϟ2Z$ KKE[׸'ƴbĺ?8q Pf^ ZoLXQvXFՄ$!`v|.Gipl;:ᖻyרjS<,(ҪѯhzafCf:?5ڹk=YhXEfw-Z}qՈpտiy4hNX<QX꨻t,67eBi{ǖm VՍ6f)k'k/IE.EÉAM?y8O˫{Ұ6yЬsX^j=0۝Fwss} ߨ7|K__hy߸^ *k̚-ױo) j~2ZG/͍i`]VVv-~){k` DY-`Ά=;*|x1+*KRbqhL* UFD?~FVPs~ޛ:ZS5P~_#Y*}/ _Bf]nD =SbzpfYhj3G]>66OookG\kbߩ;l6אַF۵ E˨vAHݽ't zMwWth9\;$sXXcĉXWX_U**DV+_ƑQywÑ4DS,M}@deF m՜oaww5aAaÂl";*M5x``m\WO)}Q)02;$E⿼^5Oz{9OVBav|*4$pAnIpȑcN+ǯ,ԅUq V5*t,(3uQ^\+ka)yCLkQ"MK!d !ɁPx<*:i-F%a]y?p3gמ@sg7V`}||`s /ۏ:q/?{pi uXF'55a1s| fCet B0AKb*`mA ,,ȫ^AX1w:ˀX~C`zz 뫫ZBT#!.j#:v<'N|¬iU!~arZG*%]q92_>y}(CbMxдR4RG [䘚mda@k$79W=ÝϠHa3Pln<8MEe'̂B:8dgoߞew_Ь+DQKQza)!bbYDo-<<iQ`:wyw׿\`(SZLv?sxuj 5ЂzM ׅ @qMO7bnSH,"zwYY{O%$,1i SHitbb8Iy.v3נ!2;k,Iby(eղJKFjH! yqeMb# =VN3 ՃnKaJ=7nܹ:ތZ "pno:37rͻ24WM^;'lT$k0Z4XE3 Z_at{gNٷ :wע6acF!ϙ_TH Bnb0inX阚nZYuxE6_mw;Y=~kfe;W<d&GɹiWkk,UQoR]R%3-wFu4TwzĻ_v!ySfЁJSCW,߿_}{OpGGDݍyNvTC-Z }c+QJv Jq7r4Rf|UbҨ#?{<.7BX9?MspG7J:pHyR5T6S_?hlHuOm򪣁yzTdq*j–pcߵXf򪆤foR)1˔& 1ܷ:f̏2U . ,~bxCvyU,ԝ? ԐĬ uG%Zy1%ea8)ػKN|q+ ,XDz 4q줎;ڠgZa>M5k‰>.SpWʥ}xF'3Xپf2Y:!dyʠY١L[IW\ٜʨ} wɒ,RH t]*#;̮yKZ˿-`uf+q8;/K"_#7Amf!ZJX{yD `Gk´^WW:vmn>ܱV;T]I,:#!,ZbyeWgbjQ;쾻C"~EYm,ЦxeL0Ux0"D1.C} `ƌ jRE~9#!%Hל7_ؒNp|& vf'b i$hd]Iezk9 (BluM4H1ޔE ro5GgO dii+I@~i5QCj]Hqwv} SF9EJRqW,(F˼+;&49 <Iw\U6y(dz<cϿ1hGS̀>|?ZY%hκ_*Un.(`PfyېϰݙU,4G2u +2YȪCd."*hWMթV{Ď;άqk20R<03",TKngO_l. U OQZ'YX*Edj5/D+ѥc{G/",{9e'|%kXdB,egga'vܙ}wώe XXymiӧ?z I[*~iO<nC "r6r$i` Қ>Fvx],QF&R߶58bwygt}(kVkH)`E&;mj3."wC ~+g?:ݮ*w,=8Ń_ ,&Y}}HI4IfBaR@dז.-](j/ZWH<֦z%BXm [Z OJAGv14c]NCe:ǣHK caWϞ~V<W?#{N :lXYfVs)X,ܘ'z~wݳF+[KLC&IRpǭ6۝tQ(ja(,VwEWϞҬ![sx""TN^^m;*sc"k+Ɵjz*NR?]^,svPoL,PgyGR '0`A@+X_o YYajJm (SNij,N^u )X?[b(O,| 9Xí2=O>KAE`% ߊ$eh|*. <вQחVgǻ̑;;?y|4sm'?I?yORj ^c()LHr;%ݬytIlo;Gr`/NWc}b!dɾ!YC=3{&k0_S6dxi#x~w')<?}&xU(ҢyK;"‰hJ=,UQ(A=\ۧ6b;/E %cw 6 qÉz': rY:M8s */Y%|\ȵ44v4&!ڗWUOO* WY-w hقGviO`Fox5``MZ/;#_CXpB $Ӓ~9 S-vBA"?p9k&i|_C\W|}b$g"Oӧ) XOwęvot4, ucwK(™wȚXgΝi%X S `I]wŠ &ϣu(PYM ^;;OW ĖX#([^ĪY*yHSN|ZuSTڪ) ՚ dIH9L9VXdҔ+05HzMu[/`$_\69 ɮk?[si5X9%EV&MJ^QE!ΫjSVr5%EnWߓaƒBsw G_\pfkqV* 35hm{#ʘLa`5:XY,tL\$X}Gc_sXy'ռz'(d +b&ĒCUoIѰa dM7hId`u®;w֐vİ@ŷc H8Vp/wY+jdG8ZKvL'%IXO*&_}i&^8t:$w_ ҒTwG2 ٱG(Ķ)'S4tuMhχ)h+ryRz!uIHk/ C9'u=x7hia:#D*2 BL߇|IvAHՄW, ok25+uA\^i8|[:ky}%I,*-!XAhk)DN,prt%dDA-?’'W|?N4bՔ 䊰''Ow^InXX7G\f: *^ |bK(ă9EgBju9K3e|<̍eI 2kcϓhbs,6al.WEe.`M@%yedƑOH?FiczG('}T_`aͫ{{ׄ$ЏTg>.gW߫UBXNW5tNF(5$Ӧkӧ|K$V_y=dѽ,ӑ*Ȓؿ~_O. 鯍twk@i͑O;O-`MgEU>~8^!*ټRpN$5<ηJA XLl1є =bAd>HWd;]+&z>!XޚeVg̥hi]^ ,%!,Y Eg.s n !(aGmGjE_B]/Y45YĊ rĢ8|_V: ,ApϿXKR}Wyq!Owi'ΫxNYtYuqTgmJfjkt"qP1F(5:* q %M,ShW'p4Ue`ś!K[email protected]Q,pC`%KVh,ov:zwN=SDq,yH% Ce.@XKM(_0BˁЎYC5!1Qvwplym9NDVOdw7jJVK}w}-ԯ6) /ldLY'q}1#?^MaCD33ywXgvJToǧ7ׄJohVlFΆΆU!Xmp>NuVqK6wߧRX).fZb&&v'm_<oyU^$z6[dyXīkQ:nըխ7ʦ+{M~xtXUq We/!=?KXȗQ`y?1Kڊ/ {VXw+dԈ~8.T,&rc}sg`EW_EaCJeY| =PM6i:NKq^3<pO3۪ _UYTBEzީO?5a U[_1wÇ5xE@ج}Dv_h<F'.Ug^_\,d{y/3ob|ľ!͙yw8h:9` fLd^Q!X1*?3iE-qXb/fVi(_:4*CkinSF=!7L5ox2"˞WTsB`EV|Q#Pu>`Y`(l1w0]S\䚐уTB~ϩ.'\A#/ׁ nH_|Zª7XA/X8l^K"{XcpA`M[rGi!H66犬EWXr}ӺR`E7_ \(` IDATj/=j͟8xYKsĦ9^TuhX^k;5I !1=ao9X[jf+f`p;%6Zf40T;(bLjgw|l4R;C<*(!KQd9$!r^Ad]G֟#()@Pj Cm*,ps&[HE=_huҧW=)~TL h,2гTп b?k/ ѽW cleXd4T6| ʈWˏòAO6m*yV Yg_P>jeG臆ZteXbKGבA= nVB5V7n mAz5$!k@\ RTw\`M3;ҽ1,3z85UԵ21J·upp?O(mU_^<?,Gw TGj 2}bł2/*-x9kty(\skqy]pfJmo F߆Hinr𥷺`tq"Isv[M^(Sb]Hϫ)^ `W^t& hx(s.&<};}BDoWP`?h L͊ݖ#:LC?џnF{nwf^]Ա7-b1V)W-$:~)h-Wyye~N,3 .u՗sLXNU[!痍WrSuv*1?XS BѺL G"5.1řdNLpc[].b2BϨZXMN'[_qfȊ"cNxE$ո#:<fzxW`Ɏ~%)̨Pox@5l( |܃Ga/Лڹ Vqj#OT*-g=>;Y+Y`I{1kB"a"T"LA;"l8_0m @bU: U7]uzY/4$V'hїk=w9݉KUaĪ9`<OpS8Gd%蚐x[@v=Htd^NWy5_YLXݾh-V] XAh0^F^ɆwW-KU`Y+AgА_6(e*Y1Vòe~zݷ׾-4tv~qfe׮0g嶶j VW]=K$`%+jW4+_7s?|2t2_0M+-˅ *,H* 1-XP:?{A"L5;P5*$I`o cV'2f`>ޠ+8Ԭ+bXR:7׬HĜg"f ^˞VȢs! V|U`0.B ,Қ+l_WUhZC aW <]mߏӬ-KBNp`p6mC#)~Uum g\R<Y#VR" NwkӄLEn n"6a+DԷ#@L|#HxdW^ڣX3 |c{ (jG?*נj3{w4,Mc{3`3f^mCEIv}]y)FkPHYB-BXlE}X/5 eʄTka@0 `i䑜ېao]v !ѱ ub?wzk`a4&%̰ s4FzY\<)mpG/\qx<-6u5tz`MUU]-ӉgރUxD搮Km02 uD2XSxo-Vna66 4V;`[\2nNa`ܹ6_ [5/WU ;=r栉,x@0!wBO殂pDLFr}*sۂXRWWNp}U%4&G1Y2HVx?ɬGO'_7+bl`A)Wj+AzɒE)>K|T|76TĪR.^?XSs.O,=-edkȰ A.aykSG)}tڑ~Gϫ.Hg9yy+;͗ n*7>;o>}`w>W 46TUnq,)|uXuC*YxJOZ PSVⶢ%ұ =1k|tXB30f,aK_΃vld,WoX֡BgKrt1N˨ H ~˧hYVplT ]|$ֱ_do#GqR-ަu42VGT%sjX,Hh8w<d:ΏdFO=^H^V1Iq4qOSd]NW#^{pp`grĭ !`<H5=7ޤU0OMmj/"Փ R-!oұ"^䟋4F,%, $:8GyljTORr?cX.בw\S׽^Mi~ԁ.5իt+!Pj6,.n D}vj}!G# $L3k0I}KFL>E(`Q{@ʮ\p^!%Vj$ËY`x%y6#:@7Gxk k5-~sp+ d֑JZԖ. "KLJ TiHEmw_.axw*ְ<ϟpetx끑cy:*˕w%[lcg Ce&v!Cm_PXr/`id,O%18U[mL q> BfLMuHԈxF'4R_8xA,YNXd;I63[GD͟PxRg|#10k*.+&!GP!Ƭ kn4oEo]_L"ݹ _F$cuNO~u`GtZ.\ 㑈e%F1"Hl(JtSU6V L S` }$GW/ r⥎M K*5P(Bn ,Zuzu}G#)Gb9V$/B7f}rk#X#JO>o>4o~OgJ[ ,0X^y yulq  K@-_dl*I1+'#M/Z3X|F!zw#{~n97V,WEkE),WnhXT2.!IyFq5t_TEp%k]]#"x`97=_#cCsJĽ,Η6e>9YlK*IXXh8̦4}becu4֜z.i,, ťL_chV,˲aQ<&vK+e4 a\`ȲckXkH>1\! _QO^YW np)*)R[9Bdob33CtvNתSgtmq5&4"hJXݮ4_+)LEW@Ce~}nUjip3U٫kFŒer-S f#n{7h#-#S ڿ8ntȟgsSWYQ3<-"r# Fl3Z4j<ᔬb fXOa4iF쪏;%Ri,nJ4a:3N~7fe.!vA [.w*`8+ 2B-8BMoJ0EUVwu ^;`㖈ELX>#4xª:=~Y#G՜y),X1J`Q]j'ƨqki2W H4?R zb+l, ͛A W=ȗw&X+0$r4<EiU/Ȥv, nTg#E/7V8k-!#:~dqqw>Evk(O&o;BZy:)J'*_RJ9KBD ̡ntm!oj/`L {ʎ upAhTp3[/ʙX^4OӰig3<mQeRYQ1vN;}7j6n ރS=YD}ovgsY`f*#%*d`l~V_5W堜8UJ,j&zz3AML4ٿgSl.Ϭ+wd2ߘ?}_w HAw括_{C}*p?۶m3;mܶ~Cm3ffLm[8 ]a@eIģnn  w#K: BĉEL p ,rmcxkSRrIع!0Ѭm dd[Kg5/"t{? v|s:14YJJxE[߿ 'tgf ~U(q;2xx`|v*nq7V(u XԶPqHXaW$?7768˔WW_*O`dau0ސR:8+N]scxnMvGA&e ¶?36pUҐ%ʅwf Y] nҟ~` HB<偅#_ݵq]E-+<(@/r5^ҕi\o;%Jwa*WI͵&qnjS̶|Lc+'U9r򖫺WcL yUܳZ1.EU)$Vg n )U UU;gwV!"km@/Y_V#SQKv[@?ubެ@Rx~Y_td=Pq Pia2WVlK/# 19&8"98I _{֟*S)]L[qZ=]\ˌ]g2Jn -`|=DU*X<t2mvGEm СN@F)Zdqzs9 +VwWi*?)&J iNuol<jF\GIQ@fUQk*Ud !\{Nݽ{+VƊ&wy5}[ՁNyj,vpx$Jn=7vnpNE !qNĊ*مU*FA_=VUuuA-R&6(ߘ"mؖX s}8l}[V3ܛ u\\87*ESwE> l۶s {m\o6|b͆ik#5Э.h$ ƅ77˒2 M]%+npNE[> ^JYU=p`qu4R]U.]+Tl3 CzB HRɈ5\K ʎr-fG8UT&f>% \l] OCCO_cLQspcRmνmAژ~U!ҫrݙ U*4Zmq YO% 12=9 u3 <NsЖb:i1w4*z@)՚)u6XN=ĄSb53_xeҠ/nߪ)J ڱtRŽN}턿;Ѧm;=nAy>Z6.r ]*ו%nA`˭'O|ݽxk XJ 9Rz8S_seohn,b k|ɔȫd3`Q212:9Wɰb>i̶ؾh^f"V&_65jj5UXVlImAmb5;[3q5x ɓu, 8 |዗ʮJ,p5e$ ~8`@qst2M!Hkb(f‰dC`iؑU^l3LܽhX*/cq\U_[j5Kg;gvn(vOoXn_*7zC {Eնm@抻3<w.qY48]ǎ=zp;qlΩ%vlz0 4W'qVDo|{ "%// :|?tnX뜳VG&&j, tnÞw5X_yB`V/ūW Ra6Q0+,:/wUkR,,]m,LB]@|Y3\n !5|~.VvC֢nߎ/&)C(Eo_LDI**wrAIZ :#uT4Ȍe,RXn3Hn^Q%Q/.2U*@ڋ~u+Lyw*t|х|XV5ӿNl6TlC"<"bYٯvYBk;<߮!atAH)TشQ XV'$n_2KR XLUlVUi>46/jG`WX6jEgjXV~ժĆCbV$bqV.qTq;Lj$|~@ d)Ua  ~<sܮj6?7&$|W4Q`οߓs-WP'TX "XMX^aMf)ab*tPwxSdߚu4 _S Ƙªݶۻݵp8'j t*oy۷n]+QoK\Z羴 4:gsK*d bKHf ] {lo|0hhj|XH<>PryE5amOg7f(KZ,s𣯲K;[ډ%u)̚,K: \b &V$[ fsw Yu4NiI*T7>0ӛ7\?-+/ve%UDd[b ݕWVn9w]pR'_|*Gb,XlDn, 125ʳL N-+?Z\dS )"V,Rq71!X\"R;;@zA{Ϯ Kb1#/^uq4<:^mb 9Ts挏Ci*_o**zpf >7oxm ΀`40Q vwgĂ7Z S]ZzSYHa OX9G}I4 Eı]NX]+_ |3 [cUUdW)u8 IDAT M)$t<bjc\Ij׬v4s@{8[n&V&@ 噦IbeY(>:9>QMo*PR=")62-'d3 !hڲhd*8xM[;^ӛ.VUQG>?O!{{I9Oi 9U|K  Ts!.&,Ǭpa؏)DS!LcݲmLDlU*QMݥ=Lք-,z ªj<2YU=<O{@UQ@$8K%%Z ,C8iz!Bri58֢ꮺ*R V縭_d)X'?oz㍣BUgooz2s+,hI-"֬s`},։s~BBB@ XTto\ܸJۋ)L QD$g7ͶzF TaL2Wƚ,44YTuM$THgi}JJV*b&|QgXMޙڳm6 Q`۱ lpdme;CH73ԯ^=Tga1XH}&y='0)?MEtoN*xߐ^L/=BbgT XS  I uH &S|aϻ^I >+(\ev QD}MtX8!,A EWXl߻ӆWg[p믤cЪȓ:@pEפXw>Юzg7XzYXR 㞐-ⲆΔd}ᣂL/mU}$rO1W1fc:@Mgz  kUn~w8Y~9x%#zq(j tV?X6h"% Oq9׺>s^!fry5s׵V07xk(u jX7^LA*AˇU W֭!3SY4\a^ qp q|pkmX$ICM+?<1ftν2@bQ~?BNNuu4,olMf}oʪja3gRa[ "VW=o(8gT[B;R\޿/<v[ߣ21 pJvqLJV}BgXÖOjRj`Q%boc#'w277Ӝ5drO YcCkscMMcK;mPȝ ALlʪ0.+gUD~m/|kz/2=W07M%uuy*q5vGd,:>O@/ lY3U.hxמ_WYĒ{BfKbteq:a*/\䰚i\W6oJSS̊n0&[b4&͌#h0 >$ X[*':pδX0:QsQ^E__oXC|z]9j̫_-`) h@]s+A ń=_uRnΡ}gfAj>sQjlSA,pX@߉œK5-!, \rmϟ-OvuǬ]tyQUh~:``}cu#V!79X- xqE5]fX7o>f:D,Z|K,^mNݻVݪ5`kn8b}nWtc`U9VMZ! ќy%H,y82V?;2ULj崒h8Bz6>,Xk{RnK-"a8\:kK1#&M/*D'Ch"c+<9̲ u>&eNO݃7o\r4G} %FC"1 ϶ WIJ/F*s ) fa&pWdsrvsE }re "X}lv G$w؛G;H0Ea`F, /+&X th4 +{8S g7M  X!˘ә*UX^62=d5]?]~ -*be!-P/߻,I_Z{Rر‚ǏwAsEjz{<Xe`}o,i8gC]K_bpM Fss}#D>8W6maGM;๎,a4G9uG(H1o};\LSXu=fU`. ;`DM`cxѬt=]OjN<QyJn@+XV->eO\RGX=?BHyu JaDzb|ׯjUb}ݢAH';zVXbks4s*+"5}lbC5hƫ--׵+:%|C3$ ~%Uv Y$RjtU9PX8y$cW?}FjP̺+KlDfjV?咛ؔVEOJH?[B-!cJc鍛hZe^h-X*sfaKL^T=U92ksH 9go ~bE𱓉PbFG#pyPXf)߄/o"0b% zGnjJ9 T@(tإ-4Š}K1 JY` j*…?wH%3kF*0asPQQPOboε o,,.*y j\+^YiH=]mP}^{, ^pI^)>zpa\2bf:ti8* <N`h_`|[V_WiUr~35*2MlڀqYe,N)iņ0E"?kpYXy sYV0/ V.F8b(AГtN3UUܨ),Oz4 NASE,VgU_W_YGci,0tKA΀mRI{`I9L ؘ bEL{:sXHU~E%v[\n7 =8Z0bFOFNFf[zqgB$eA7[a<B*s A9`F>z[W1B*`_YajTX̿TEQάNqu^N^K1Vh<e+ۍݧXZ`gxWOJ,װ_j BnWl2|H7ʇ9) z@%>An 8=X!A#] $YUyrPiBGk:Aia Y*[z՝*,I咅%)`V{Y`}zIu /_l  %||)~ xSM /G0/vs ZEZ3 he恡ŤiD$Qc)c ΅b#V Xī2Ċч6˫T@Ua*T"x4)| afs"&#:qP 'L iҋuk K[~³i$M^^`\]+{_r6Q(>cVu 6_kWJbm5LpױSNT{yzyc }9%ڽ}p3#|p_^*,Δn.A\kfb ^dRqM/e;Uե,'jVX *XpAa*^&9MFs ,DeJΞ*y6T7n,\ %c60j+D!fHAT* [oJe  UL|%Voye91e- %_ńj`-_Pbm0)XDB,O͍{fR`b/fRM9o\T& b46<b?(.HBuNU2bX*.\`Gt Q,ixl-Z\,X\,ŸŅvq)\Y\ɂ0b\0M7l^̀Ҫ-&g*cb!pFbJG?c,1Eek;[(8b'}X~{G3X17kD]bҵ,az\@{1EE@X67_u |fcTaDxS𻘀ӄ aU*o7:55-&nMj| $o]~FEw%q(Z||Ck+Ǘ-yVlxә_JiyVH%]aWHjԚ*rRXx1a=_b|G;W瀉BNn?brޥF+Q1&vO\Pc)|CH0 J"PnR| y,oXQ$ڶeUѵ[o{Z*y `My B xy_$TGOW$b^X{kۂN_<FFBh^4WBT,ncX"9ۜJz+_Oj #WБ\h:xjaJ.l.aijV Kɪ;ry߈9XA^g{Z_`w2>W"20_BXzECs_:{Ln%ׄ _Dk,3zߊ7QddXTqmۖ V^Ͷ!;bo4L4z#* U\L=_d19BS Vğ\{-`뗎vZn,2$Hd*GC,+%X \!D6aت2}@QKݺD!x o|@ 4*"F(1:5+E ųDuk 4_dY{ݧqwװB Sk{] ʁQ{+ |rb]zW,fmv-^uM!1t n3+UDiozrr2GRԜ L+L Y :{ dm75)l+u<jVՅ8҅Tjk&#:ʋ@2@V_~O2H{NDk* 9:+5[~ eXOU*Sfފ Ux-K4C:zbk%APyņ-.fG;Wo soYV?C^Y',:nrW#7u.^>>6J:JS+[{4ֈB!B~ˆ5fy HvG3:+<]S`ˉv.<#f(S'b>șRrao)Dq`+lrf4:=A+cWYFXh z]ᄋNvme΀V@K`XaSnbu0J4vx L^nNDczd(Փtod_|8{V*xH-ֈE} p ЈN^ϒ͈E|x-t]TES6k(`GHJeGX& 2{[B2Quwφ́pTοjĂ%+<)&SYS|1TbńwoDp- Wtl^@*0bxO$- (Xt*l;cJ5y7H$ݥccYn+rV2f]2|g"wn ;f_>'vE\elMt,ZBknW9ȋr|TPU!-PZy5]XĊ塛~K }/B }9b&=_ۉݝJCb1pFC3L~c}\;'X>Q*HaF'?bH/Q]><L|tw[%ķ~vZ%Ff%u7 }XEfiD֞p[qؽ^kZga.|MNOcj]U ٛ mXx=\ |>/uTqZ ń$J Zp ٟdAR}h<OY'0;XX T 큕ʕRL(QZCg2voBs躯 0v4)>}qoxٿ!wOLH go/..>{*c:~>#)n-ò7Qh㓴.0*UYZ*{.C.\㚡]L-X6Y~fxbB X& Phi %; t{ҹ҂Ew%*-p]!+b,%nP5[OpOՎl(N*}vWuj;M _D-(ZY|*(Ḍ qa{ ՝ƺߔ*,x;19SIlog?(>ת# .z1Fت]'/oǤ% m֯g~mW\_P umybTfI\^T'>;wvխ h&CRB|Tna @7^n(%B#:yÄDRN\$Y+x'aK€2  NG>+aqb*+hJD,*Y--p.`f o8Ďؾ`U'([[-X? m>6[1ȋ0khގj!lRu_Lg9R066#lBLIur㡞=mxD#cQ( UHm\fgH1̭Qg{UXK^/8S[~Rt֬ů^@IDu} h?3sxJ6Q*bVUVb!ݽ*Ϩa2qt1aLZ}]$Q_(-XfQ**8HFpmݺ'kB"bMT+Lbqu bTBl!fR<@||zTVx%Y Ξf=Ɵkt3!CnެZ?ga"K&͟.ܱ#2<́犯uڬYd6P3LRݻSBg+g\(IrRb%mjԬƢ{2-R) P[ocAMpA5Mͳ&$ +} |ï ?3\c%+,QM6 Xl}`?GbTwk]eN,f}=yGUk%(d]L`YXi3H2w ƨ kשh!`2[L‹ Fb EV]tr=߳gF @elU,]5xi,$җo/՘aTbXXMJCU5c1Egu9!9b%9`1Xw}_M:T u^zCWX|,]<b6Xv}p'x̆opjZ9d~sȐTX:+*z yD$!v2V.@){`%-؀P^#.נ&$/x#VRX t΍ʧ۷Z\ x'#6\!E3?b56QPŝ+۫LTm5mf]eՏE,xSUX.tFN wջrgMŞ/gn @/3X8jpP^m%V'fXMa.)T\{`R5):` IDAT0+UW0gR%bud"Q:K^&Rt)K@OQ&huvE-٩j뮒,"uw,TIJb,vC}}}r0^}-[V別LF:]f>g `׮=Puk 'ȯ Onuڰ!&%XxRKAD |ADVpou%-Z`Y}$!@҈%5THk:dW^-.#Zu^>.X~d>5Va]cUuUye @٪'!VXpJh,>/+.u5gXQ"ʹsd=g=V7"9"zk"FB8IehH;^r% VCIB  JXR{N5t_L _7@Ti0Sv$g<'J7Q>/SVXU0Kag] &]Pm'zZĥ|7Ȟ'!h3IQ.QǏ[O0#kD(TׄטmE9&/),v; ,OG3H]VT+TՄc]Fυts@'*V !ܹ*g&o:#YmsӼhl_[*T_V/.4cwz1fЏee3߷%ʺ&g=bԥ5_B%H1a5&:*&*b`|q]SNQRe1ϸĢTw뾴F‘ ,7<[M4VUY^bW;q+`v> eEXLxZz?sj„B?mma**`ׄֆŽF"ОXB bW| XѪ@{O\XkߙVe0MjVҴ`>;PʺHX'tKH[x&֝ߊÇ{¥9~jLj}e`m6zUL {v=VXR^&b>`ɍ==M5_ÿC+ZEQsXI[hDó"c>F_4#\]&n"83b<2˱Aʭ8"L{GUvka+5yD +DAcuD{ܖՋrIV<oqW.-ao{%Z R֞CH7$}޻"|Kgi.؆Xo'2>s)W~Vr:R*ܺUOFUF,k[-&t Y}V/(a{rD zn[qP5͔iĉfEk^/ Xum,^˭ӱ\ v]d3%g9;-Ლ?T'xr5)Fq1_˟< Ny'ΪP*iXˣX] .gUbB1Al΢i$ڮD&%P]6߸O*.`p8VjFi:@P'W Y^8:"Vi“;vDcǎ=B[VeT0OSA1* K0'K,ڪ|MX_R-D:bgpIXF7&$O׍4ԽZ=@}UsjR!Ow QX9}]$5$,$x&ֽlZ\ٜjJ"{l7QXjkM?S*mEjWе'w Ҹpw* K*{?2Va<9:XqX~ˢ)ȫA5kBtUPy'i|*Ix*+OF{ e#5f9\EtF<^!1kO[qQ1n=cD߀OY.wW,^,bUr /)/c481ab.ْ{:1R TTjPIz"k+ZʸnQj<NΦ'd [ETZ`{ Ak0,\wߥ9,T.hc,<E_% +uXySU܃bCXE#t"B׊XVQ뜜̛dꖓ'7>?uʊRسXpM(`6J jԽ+b4kǤyn拗Jh0e%>\BT9v`T 9tl)pbh@͙Ô/&ֽdY/pz:t-ոvE+LcH{dk?>.565GWlXtү-ք o?:e=-X'ZZZ<蹣T;Itf3AxW& ې=,&$E}]m"y yt2zm$Ιoь&<>gnxkoU.u( e~'˫X齫TovSt Q9Lŷ\8,6`zh5FYEcˉzxG ,5H:mTN{!U̺M=+#k༫^%$!Xb>^c ;16/8_B]yCmQ`䦰,\G?7}>2X5ʦXHA܃#`]Ƞ^'R`ńz=Ȟ/ȽqL*,׀ot&F^^<B5_[^1ׄ"[]B*Xɡdn2դUnTPx,]e*< x? [q¯iLPg \z[+#D tQwHVޞOp^UMJ.>s<U"YLjf{%QwX0}iXXR B(Bf#B԰6 \1l-DD,a1:J_ *4sydP4񺫌X׀װ-0Nx&q Ӆ}tPe[];<:^=Doŗ(SF6E!v:uJ)MiE*r¢ݺӤju,Nj,|M t1d%e+$LXN:cJ'S-!\oSNlĢtNz++ Ly-`bem]^(>^)9!}_7eS+oW/!=rmq;V8%0YTMń2 nKJöD#F9J,rMxQ;C=&"LUaҚǼZ߸ WC)i*HG*#)č c*ݝ#Ѐfpߤ 7oUw6֝Sug+@SX?T5(r㮶_ykz{{s} HV,=_xOa,X-gd~>C^5hXmMs5*b56[)Qz "B{Ս' ,7ZIpZuYcPD,kH,Ct:G{T1EZ]u KL^byDѪ#T*j;ëYnXb$uc-#ÌĞkj^b%Lk0<g%{gHS#Vd`&<IF(x`E4WlyjYOyeD08uNC!L"}:#860tl!z݊u)H pkЄ-aw!˫ \_yԠI+#VroAO&-}xW|gcM!J7Mx>>ܪz [ϪD,g&TXHBET]+k J啫WX ׬ &a4v}R-o3_)E$yI &Kb_& L͎;b6/O8UK,;B¡ȕi"ɉ> I'=D_1bWqX!+R󡞵Թn|+K%;lW뛛񲢜j䨜<M; IEhlŹn)`gZ¢ Ks~[>ЧCz՝D^aY4O+ӯjL͛qtBۨwjY,Ui|ŪcݥH`8q3t?)uBkč2,O-3OŬbGA)ji\y+e=Wj;؄/RTaXc0=Piw;d:ڊsn)C&q={Dll?`(J`MfPܕ׃Y{ A,>xE6,bK(++6?3,`I:3A0b9Ti« 2 V{WĎh 'ذB lsIUVTn<ӄF/:O܊# ZEۺ~3!] mw`W/_d!nG2"JA?KXwU"& 31sVU0źuhcKXʵ9#5A؜ 5%ƆG/Z7Ą" r'j8m~($]}=І,jefB!b$jacxUƺ+X tׄ"X0+:j3r{cMMcM;E"lխk+h$IENԔ:@ZQ-]^Ү&|uxT_YE"QX⮾_pbSrW. X2VVm(/ AV&b8&ui D"=Ṕm;8ƪWizLg }0]1E*KDޮVHF99F [Bzqfȥ:)B;ZEPty"שy^E7d)W\agsaR,G ۞"+X+ٶ,Ï UUUxSnfR f]@y#j:'2/ˇᦘXrt`'@k抻rD~7VXkנ2b9*nyLoG`u4\ׅ ;^ŒajJlrkNiB4b,rsHM+E&h?n:yfq\\omҋXA-g ?{/ y`KkP&t-2O %^JbvX.3sQUUqR`%OȔF,™c33Pѳv; 6YSl X#Kr27׃?g{wDK#+XLX8PZ%L9LXViIϷٳ幂W!_5M%Cj<c*9Z1_HX5HNTthDrpr+&mtaD+Wj}{T),~Fֽ'O✰KqiBAJIJVQ_}uJȫS$dLz``e3-df {T?ΆF,t>0S nP1\5"q<*WTNsv#kg9]ݶZ~X䁅H߳>lE %bWK$b='ⱓkBr, RfLNrʗJW\,-},R+"-^ӴB?xڭJETwkTPYUpR"׌M jw{6vYbv98\Lxǝ U*sbi| kTC5!-X%cUDqwS(䤼 㣓9y`=?sVi;#hKao-9Pɍ!uꞧkRGqe2]0Nh4"9V-_e~֣GuX+S51 wW&xރ "l 'udnqiwS稪DV/ZJDJi #ӭ [~%`ud>(T#UMj*,ad@jeZ|9^*,B.xDj}k" YGq#y.?Oe5 8&Y$pb8@I(VأIF i% 95b| ~T\cxXj n*׬ Xqu7BQ3|qhE,FqWWY*YXv+pPV_9`m snMn'!<{ 1bew5ᥚNuw;xsPUqEHE%4[1b+6K.zQ{XzK+0EbBP#)>gTa;^W[Ӄ?_]TqŕZf%1*e*3ԁ  ɢ kH)uzAw,PdftV$_9㇢T/xy5]Q%b\b X̻xŎr -TcJn|R*:UP`JUr&K,7V֣]2nXǎ^lCu"bY DQs*X 4lqz܊Fm̑sqع8L{s`4x`13;vo/UyC(lP(1xJ(l} Ҫz<d*UVnyKh!VأtB^dqkױs(p5D>&Ai 1^~\3X#Y}F'!x ,'āVRʛ,(Xa>;?<>p+-R ݣb_$h9-\v(1ke*,+2W>0l1X;Ck| b"VOZ[ Gum 1:@'`K=$l6,\*WXz0& xBݺ Ň`@Q0EYZèJ;>ejZֱ]ΎdmN-\'e,]^`A?u:~KΪ*^z.|%"y=WCQRBnmf<GõU9㓣926%FMP Khǟs"z޾uvzV{rK!`=4#"c)o 7u`szn7,&bA$ϕi ~5UUwXU*N΂PV"0|>Xi|isy*^@T6D~*7J,iGHskhU<xJ5!~6ߢlK#dY3d1a1W@ʽ]D9Xu| h#VXXw1`A]b?[~E9 g$WXLfFdTK;IMq+} &PU= ʪtu7®_pe֩g4P _@C++_R#EH &X%ީtcۼш,ׄ4^GUD Q8>Y:d0Q}򔓄`MvX84d*:<UDĺhԮ $} ܳT^˥-=(DAK/d쪯/rbyaQ?[xsOXwkBTUqUy[ZN|qI}VX{p'GGD"`) - 9ˮ`GC IDATw0P #Sn<]ZVu'ou V e魼 riXs %^u-+_Gń Z蒍lR%/G|aUw} <*_5b7PJ'Ǐí?"J;w, D4_(YIC(S!iϫٔWaĚ;PtljUwrTZ]Ӓ3UXԂքo p>+P \l @dR&&bd:ָ#Zh XNP(YWD˓=EU| iQe>vltT Aaϱ {HoەVd.> LqҊXԂֈ# H&U\ͧ !d2&kRƽSiq#K.5b"VF" 'Uը5\]M8+yFG'7#4B!1 p\-F>UTUU JaOc,_C]i5;hJLKHԂ֌rK |,cn2Eo?@jNt] > N*%樇ߔ>`"8yIbj'=$,=(ѹKUUUDR C=/o־@LzjWӐPL9 H"z:U++_BwH#0bYRl?FU &PD V "5{>*TPRS*BIT&&X`u;Lj u@ՃgN P2į@P#_e_f!5EMOc).M`v P2&~QUNOaKg , G #o7IsXʪ 'C:iDbVű *Y)1N@S_uP?V*J12TRTJj5ve7nXG3-6:+P^M5!? Ñ!Is\XB(j𔤡Ln"U9ÓeIkVJQb9i2ĒɿتF~A:q_pynnɫ"ցZm qX>?APmv?,%beb!4dDAFʈ$pVZ`#o~.Iŭ!3aUy\њC*_Xn)DM#*t2&6O-?[;cFQ5\["V끹P\mʁuXXu|59>DLzBrM85)Hj=3!3):&ȮU]_DBƁrʖ ưe GUe珃 'j m<4癯 =;%Kܭ!r!@Y7Úo ,X遅cd+ XAZMؓ5!ZYp|C6.OV:`2Gy}_>PklƖXn,Nåʤb?d< ܀ kz\ .pFvTbMc A]D"(\ fl[{gRc`r'aK;֡<3K(4*U*sN f1*j|YU3he(} MNEDxj;3V$o8Sn嵡> }Dł>}x^D9]%Xj8l[h@zBX1)aYX֮/AZM\vӃo"n;=.'>9^mW` ҜEI@lV6ԣU w Ce*U .T-8' ΉLZА.ݿ~ iJ斄 /Ll8MCv0*iw*t{cXX$4S0 ĉ6>Vfx:b&VU>-VUcQkXt,bUGj9.DG\L  ˪Μ kCD}v0Țc`a&a'c-ϟ+sXXp26ͽgTe-=TxK\E2'r*< #QXU96QuTZFˢ>}~*{;l;zX9]gWaٮ/fm)R#s=#^ZuH]IV&0̷Q*A X*\E| |8aUcRؠ4_U+FHX$^A bE lxu}}&J›(|v0e9(b6AW%*+u*uX4`dpN<%ˬ , -΄@B5`p"\5h'JIٔ+k .wx%dVDba `XCY#,Tgo`KCuo\ڻG- `%sѯB6}ږWCT~<k Cw4|IG 7(aAiZ'rUHk`-X)pJ)܇ᠴ2iua2lBkF F2hd ŨX s[<;T&!g_kү~&X{"Էlu+JSTcsb]:@+"{+, :iT׀SD;J*E–,:VD+۷^t.zGUɳ ) nTfGo1gX!Xvq\a1u)96b=>MP@( aYti5[H"+N4`X0cU\40z{c"Y[-4[E%7!BD>S^͙4ѳdYtlhPKܥRx1dӚ׼N5x[NQ} Ѩ)|>8<?DzsdRV*7.:O0k6qciXe+EH*PU6&#g ^훞9hm%,)̖Wc,9%a :\S%F=˧5xkWpW:q֍X\`8.+d0@dhr1H`ChJ+leTZ݀υ m+>6Im,L#f\{셱U8+M Ex74 iM(رRHrc_S^7T 1N,ff6yq{{s?Rqi$_9w[wO&]*ג~=96=_ދ޶ ޽ǦM&&|rY_.2۪M6kBd`mτ< Q˿rBݔHGِL\R4X#`yµ3sq4` !uE`]焮s+*9 O[Aג)zGvE+7w]W& VVVqP=d}9Qˆ%oQ]53ī/yገ EVNbx뉶Lr`4 '5UwɃ*XP! ks: αi5Î-~]Cog?_"N{XGV*OOR!늴{7>;ibL݃ؓ#(-NCZ `r^5=<A~JBPX)ܸ*p`B?KB$/V;Vcκsπߓ%;b.ɹ.ܱݧ+]Qv'IR c^R!-4:9bMrxeXrxu+B`bB N<:u/دbbJ)k)6M)⟹7ݱo~'Yb妈]U ޶& u;:NXoYѤź'3Kwk +rkÒd!7X,Wj\RCSӧ\b&U # X[%AJ#;H[q|r6ȮX-N> MJT@K,z^kb>`d vh\=*IJKk5ٳ7}X}ztEmK X+%hL;tFt +,4U#V0ZM#`m#;#k:x֊u5ώ% ʡJ?vlr֊2޹]g޼Ve`GUl -<oyKRVh^"<[Fu UXF_*Jh׌ 4X?RjNs@MgJp|J%R<E$4WvRMX\WEڪkπgaO=ӲK6۴9vv^LJי,uLX\Hctz®YoVhz Cڌ%\׀ Necr]("R?`,ҭ(;,h>cëǔTP91 q7pwPMU>` bKv>!!J O(\Ge'kݱ.JY,|q/.`OTZ#}o*Nzː*i%>}`0X #i`bͷ֮ㆩVj|%:]iF@MVwĊ]Ҡ)*?uAewŃ(v^lrQl핮Hυ1zT!6'Zy W)7  ,PC"83HHw(U }ynV~lmE94X,eк+l{ yʛi^:gUP+r0۰<U`=r5X'*` Ѵ{T٤ ǔJAXZk$8iYD|ZϒA1o=D֭A3c4('w,ϋMA^ɂ (9y术ݫJw +>Jk"H5?xeQ)@kEq$cÓk$vD:Ai6C\pr;hiP?@_DY`N$`ݼi.r\tX6gA;,MLD S:(߱k =rE Z=Dm_"'&V ٛabO[JԥhB!vm l60"K DV`R I2(kKq$fQ5QW}v0]AlR^=V!kgu$Xr yغ\k^-N>WJ堮R'ڿ Y_=xjiXZ[[HFf*PY_u_UyP`=] *5"MNKj`]RbSJŭ6UfyM+I> gH7>{i4 3:>}V/:L#PSbH4 ̱T@1agKZ"MN4atyAUJ:?PRmz" bwlW;T,,ٻ^u]hZpu۠Z)핮&K]ZX&s`Vg FXް6s"ZEMHb=`=>f tk\)Ym4  Dn5dmRE}B,gyac18;ͮUWH\:::faTcym77DV Rj--r QYlT_u )&΄6XpbamPKZI#Ext V aτMG+6%ZB?G/d]F5 Yk=_$bݠ2:!(kkl{C (J5_*6a.6Ψ,r8Z ; XPn`j$Y(QLXuxeIeSٳ'Oߋ[|UQ= 4t?2rΟM2\u_ Zˠb- XhԎ{˦i^h*\h p+Td r^Vk\`$`t^ތvGUS#uMpTmlؤz24.AxGE='a&# +E\?W ]E-cN8RsX׉!j]Kktbp@ 5x\;U,p41͌uJԟ:T%K XYdQXN?RM߲9b!T QTea9?ͣE7Xbll__vń*SzL/u}0?N2c}ݹ/BNciXS8 XwakwFfU^2ϲ)*]ٌ!F::+͑K9880G,k^a""mhɓjJF/,ǎf `1Z_쌹)W1Ӡ ^VFX7?~R(_*l^1![u UVS}eon6#&<2?򻚌u3vXJ(آRLLb pJ3TbRR 9|G9vaXH<[U,}ù]ׅυFah·J$X KwGMUlք5N3a5A_"\mE?`FXU6$a*A(~ M+TsTs&P rƺ5|ݿu'2/yw{{DS}e-A]|7nw_uX:!T*Qu pp 9f3aڌH*,xctyk|#Vǃ'PshS%II3{Jd;0~_8GraodN;Um۠˛ c؜7r'_ *XVTkkMD<FbIVg+uwVt饋E k(0B?B&>sQ!DΎ,dwWm'ĶBz*隷4rB8zw4Xj!VN|Q78[zO{,|+.MwSi\e4*:܉%]OGGNPNs_eû{/q5LM4 #ow7Z<D*Y 3u: "mbY"*.2rOP5* "bB%Q Xwq< T2iPYeS}yt:RIGo  2\ӮE=/V4U=)$U(:!;,ðD_%:fك6Brfϒ<O:&t T.>,Bk Z)냭ɸvh%Se>$8li=`jPxj@~^-FV[*&:Ip^wV}tu[J5O=}7C߻" ˊ8Mhq4ArLQoB,+BJ_ӱ~ uX'ԣX|;"$:yL_jbd꾾J,P'rsߺYM^^Ы@G7',OQ! lF)7sl\ }C*PR=,BvxC_x;,(gN~|nZ啮b&G9mpaC[cY XĊnБ֚TtT( ;T ){p<FZ57 lr.Wlݭ^^mVYG+6g%Pȁg:э< Rgն*J9.(؂r&IDAT~4˴¸'Iyzg ىO( ]B=C-JlvZyrWYڧ:&:gF.XCdl4#>3<.sRS%-aԒ;)x|:[aȟt& ʑ<l=m\xW~UV-<E+߼p`FTOgq)[Sıv iu?eL GA7XZb\W"O bi3=k"3C?. QՏ]C=<vK~Ȋ H7v6ST uNe1 }|iq\qԻv]lY,yOvͯ; /cw z=˛1P/Gٿm5.~kAABua'CE1¯sc q3/]N\m\Ӡ0V? ;\5SVM:k|y}Z*>2~}j&l6# ldLf2e$u,, t >Md*< ?hYժA]W Yg}U[00bZ~Ӈ_~o~z&lK\?g2T0VPϔV?xb%rĥ6 A]E;{'!Rx} X LGz!%Y+gFq% ܥA[q st 3Ǿ8Vs⯱؋q_X)Rj\wȚ~wSL f!V$`_);>x~kϭHqS4I]"jqJyKQ]f)Su!bIA9Bu/݇ExOѸ"+-zH/bgkf[ ^=O*̧.u$l**,Juri2|܃-Vlbq ӊĤ- h%Y\KzGΟ!pZ1_ `-aτ3aJV,6Qpϗ1GX"\yXٻАBv= Ǟ '5t]udMt+,X2Q4X6XgƊwOH3o`qۙF#XHzKd{/\5dJޞ '_?{Eoh\uݷiI[:)Gu4^bm{τt YH4GsA닍Us?…X_ه*1zlGwl2!_|; k?eiTč;}&!4a֥kFc5[s5U͡U(Aʦ 2XU ԒTqűdN`P6LݝָI!+͏sfG,GmjH<̲~˴ ւ|MX}+En]Jy3K R=kIA 5xI%oP3bcweWd'(-ky~?dwuMJC7(,X9u-G_=τg;)ybMU6LtTڨ t CȪ*<;3!;A9}r2"+ܔ!Y ֩.3f6#5X/_-_`5X*#U0 ?CbX`EE\0iૉ;~aԺ+]u]E|ynE5[C:G\/XETJT^!kx1s)EP̌᳠ƕ(\^t ĚP/loIqvM'VTFt:Mճ:.=5DFvpr*(™05t] deEXuK q%NOU3ׄ}4# i^l>T|[bPDVA9=Rst]b v6KZ<@/+gh3BlI֫63eGOUXD?Esfe NLJ,ͪy,O+A„XJxL\`ɉ-FXf]5BK:70t u+t}_7XimB+]W0\0P.(u mbgHQ_,3ɰIe+GOelްB*:cX*9(esu ,Hm 9B>X-<Ր?rQ3*>`58YTkUj尾AnT_C@LB!:[U<aDsқv]YJZ X!RX5!T3XF^mRA Xgpf`DZ*:9؋wÛ+/^ } BZ,3!mEM?#Y'H<NzQdRXrԥk6UQ^s\1 lՕcEFYk0+ra=τJ9LYwXƚM*![~ōGF E䑍 xBAdB,wpHhYuw ߉4 ՕOY#=Ygu hb3a[` ppcZq񬪔8XbsJXe:9t'^]&C*+<q b5aleo"1`G~`[>`^} 9DLpqD:54>j׮)WFD+= $'C#*jt фXʽ;<op=X?9`w*QXY2 u')"-{OGib>f3* wY:}833󏇧g(5DR5 O|J1~sTAא5`Ɉtkha%YPק;Fj ʨa-2X,Ю3aYo*HVfпR4Z}_T|UOڽgOV;h>|6Kbks KK"IT<*HE%U J,<D ]?5X'yllAGs 1:m4ɕ/V@iHNEϣ͊EgVq ĊdajPd{,5TPBf%wy;cd^OǏQY*=$B4Bն3Rg9Rl]G3"ɺҥ,Y ]CD! \L?JZJaMae E+ T1;;V~by<DQl1нr9Wh>7W6KnXV/G,w})D3!`F"g)kdVoVKU*gY*!kPDF 3z_,smaW j{[F+cK(Vp ,s e=Gh2V'ϜG=ϡvTZ Jg;^K 9Wof_0RF=:ZX,v gKB`4 {OlTnt0rUsSS#̌2xzgZL,ŸAS$mV+U*H {}>iPr Z5yϮtE m6{,!*_iUҒgB#^S5X.!j+R1t9"MQwH/$B5sj+"zԥ `V֪hyn;DxU&Ez[XUzY`|U7e3",:f@*DP*"3*']Kt::ˬ+òrtk~Մ]Iwٽ>??R5XΫ_`%VSDX'5ڈ}Ht;,o+@`!ٌ>ŕ.]]gٍV/- XK}ݒȯL8?hܯ~VGt"t5BLDJDG{  ?ViZHZYX k->L&'XFk~~oY &%fOqHg]EXeaxJLV5f ZT!V+%Y*U?sSt]$jWej{F6Y?<&їLxiPV[-uON5wOVY.kB,1-̾~^]` ~J2:ȉu4:rtoCXE Xy}d{1qm c_T3TjnX*t DEEV}Jр, Xut6ȇE€%ck&Y[Ӝg/^b U?tY>gz ku{%pMc€%cA",j ܮ63Yu2nT́J%v_;+e׽.]Yy]j-ۨ"E6]5_5iǑDX"xAEUv6i6sny, YY)ak%.]aVR|P+O:Ǚ_d<y]Rt/LJZs'd1CXlv|O :N4t:o?P4RVM<T%zȶ[NXbrjc'T:$hlDjIU7hqBIPb8#V AԗѲ1K>{!+wgr,4=PtragaYƢ 9Y~kVt} á赨gBn=Xa9y8&MUΧZlUAPKh js x&C8Km?2|[VN"jL6v].2;4ɱŻ-Lhk*Aj5r"W7<)fxR*a_Ujnt04[Uτ)X=>0E7Z=~SW V]g \BVt]=$򝵕)aT AJ`^7(.f6 xT2뼧"سvLǝs.]WZ,2sxje V {<a]w b %U<WSK+=uEz &^ZK +@"5UzkqOu5s㓟 z6}?BYuZ\6]^/jYEUQD{] H;*Vaאp(EON]tgK#ve$'Ͽ)m5HIBF+3%,gU5 jѭZ..KjY.]%`ho,,P<> {ˣe?g,DM1J1je~r/5PϫBHSqgPr 5rE^ϓ-S.]W>}JVl60 J+9 ~xjeJot麺Ժ>0y*YK'Bk}muulH[wt}֧mIVt[Wv#o \].]eu[6tSKzNҤҥK.]He6ҜҥK/8%? \#wSt0zQ| $ #`{)]t]:îQunt?@%9IENDB`
PNG  IHDRGnKiTXtXML:com.adobe.xmp<?xpacket begin="" id="W5M0MpCehiHzreSzNTczkc9d"?> <x:xmpmeta xmlns:x="adobe:ns:meta/" x:xmptk="Adobe XMP Core 5.6-c140 79.160451, 2017/05/06-01:08:21 "> <rdf:RDF xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"> <rdf:Description rdf:about=""/> </rdf:RDF> </x:xmpmeta> <?xpacket end="r"?>-CDgAMA asRGBPLTEjmeiaՃw|eHVwfĸҢnYRJӔ#xnH2~Tf=+]??ټzqkcm 56جVqh~uum@' ܴ?*߄,{p('6يB:\<2-,&!Ѳy6|ndtj5/IvdUAc߂xOO>7% 7v#a}ܝCLFmMo /3i^IDe$^WhRc1SY},2UO{%?C[< x}D.ײpe^vC\v<CA`uK]?Ľ>`g6eoEK hsSEaN`лyq]xdϔBtstKNOQ9@VhFHCg7rpu?UYtY`Sz$&Mle¢׹`^bѺYlጌYEE˯Ȃwpj4\Y\{QKSgo fCl̬qkdßHd\0wIO>uEt`}i{֚ߪ9PeM2ȏцl/4WE|ۆQ9mڝb\[Ɍxa8y7'a٠ާ tRNS+Ó^nm IDATxmki.8)]x@HFDDH2N9MM3c4',tHXY i/;]Àa8 g=1*x1kV1Fݪ+Kos9UmKru_u__+V/<}ԩz:u_~VXe8}Z'!nG+VUOҡ^'O1bŊո"w4Yb5>@:y=jX}}qZzCVX\,VXN$cYX bŊ@"u Ybr@RŤ,VXJN$#YXJ^,VXTWX\\!Jx=XJ 1nݹ?._~xέEXR;x`]<o9n X^݂`^?S3bŊUkZwI1c;+VƆWܝ#Y Xb5o5p!+VFW.Ɓ+e=XX-^݊ WsF<w!+VR*|0f3X?_IY̏ŊKz7]?h$Kd5+V-= "Z$kVX WŸ l m Ybp1G ꞣ-<_`;+V/U,B<ű+Vū n[!fXb\C88^!X)dŊՠѯ+pcM!+V)}q0ʆX^5X܊;w~8"MCb=dwVX%Qn a 59b*yugx”jX?Ί˥`.&Wndbbj! 9w =FXb, ^ms7bb*/O>uɓ"h8`膇FXbEG){w+Z~vZbb*0LQ%XsaI.2/+V|8 Xc<pYbe*Du;w+ PN5BPbu< SX"@t+6'Of;+VnjT TzCuknxB*30ybbz+V8\q8x(A*c[X1it!Xtܐ+VG SzGp Ys b-ZX@ #<N"5v6<ܟ2bjB˴"<"Vs0h{oC<:DV "au܉*֩ X>V}y:)ÂyUժR:B 1^rrYȊ1#Vtj5ARxXr-STsD 2*GO8N2ŊU$B 1JeSHR߲'aV `"X9ᝡXX%FļFpJ@L (RKdP0b25^y8wƘ+VNLTSF)S~2!Z.Źx^L72bj:?ᾏ7[xͦH# v!ƴXPJSaJU$K4{zg^b16 U^uXX %syZoaN"!aA,b k X кA!kK`;txVF Z> UTEl|i1xB$@'%#P%Hp~TtX})B^'[hbD)(*`I <Īn5 aԩ<7(bŊU*VJw5n먮d-*iꠊkY#KzZVIbZݲaEcBCuG Z;DYXiYRN<yt6z2ZWxVb57ꪻ=լƳ+'iP/hF𫍻Xs ܿ@(|K fbŝ:߈Vw"%>5uE2&:JDoZ,VǛ[F2l%zGTB !y0x.&XEj{3ηg unYOrSd0XaCRc >σyBZҁx+V![2NB+VzG1U^DKia'|Dž9j0hAgŊ?\n0+VXQ//b%XXVL!aWb`MY 1]QEÄ,xUD67djp*]+5%X-ayic)eRZ~6Gaݹw>5ҝa-$ X:u*>P@HbXK7sbbd`AaI+:Ɔ0RVNъ XoKuzp7gmkЭZBc-&gb*jD CU%]V.WE$#J|8`acEXk)*QBc_qWrBd7b=\tnN*+Z~:bu:%dӧϰ>m=~@(G(8zs)Pp˄ i FXDsȘZCVǥ,>κf~D ^'`&XSAfdAM Y73T>}33>c+Z; I@.:`7 `2`gsX}הf)*f1(W^:C)YOhEīk)DzBF X&*Eܔf4K*F+:^uuWM>lEѰmpVu%a0ϒNTh#WOtrWUY X7A!u/Rh)IG#8lhUիxE 뉝crU^&"K9FXGXhpHzC64dud՝P`[5IX25 X'`H f:FxЮ[_XXDú{>ڞ0WZ%EgLg5aE~ڱ*!H}J rH;3d5IE_U>\WlJVL(\KmFBHd9ؐu&(;ڙX["ְqWGX eĀwwY",VQO3v0ˆ٦cŝ"5ɜ | #,ݞ%"gq,ρUK+^lB!%.9=eRM5(eb OeCks#Q`k(gCSdY Y'd(݃W+(Bڸ{bʹ1*Y%+>^ͬT'PU\*7F0%}B k(wV/</V^EPgU¢{‡%@2\ u~܀iNj2XX?  kFòS;SqY Xe!~Q2VĤ X@8KI>!!e?Z2b Z` XpV5%(~GXJnh|.;JKc#CVTn{\܉q-uҽ B,7Ft'aݩf|'3d,VU9 >D~>˰rԫ9(c#(K0QB :bN+K K }eʨn 3[Ə gCZ\2̺݊b!a =ݦАƳD dB}'`|0VxptT\>*E/fJ߭8а^ΰYd0U0bt l dnA Zk:tw.Iʖ9dCV"Xl ᓙȞp`5),FXxJT(.qK3tb˦֤01,VY"X ڱ« tp3xcxXzҍEs 3}3 C,b5!AO,;$TnݽbMajWUaUe d,eNUPY~g X+e9)L)9:!;,VcWn-bt'iR,V6rm #,A17ti +R.7U 6bVS;rPt4%0J%91|Txqpo5Vk(22X 脃`UAa;Vw_ql2V.ʱ t ,H:kR0d,VZ˗\ a tQCe>`-9)YJ=<__ ng8ΕڰчD2ݯ_F X%/p377`% I,IVY XNR_|[4='q>78 S Xs/0+*`eMd!Qk}g R{XOHUa7mBPp /u ү{/,cD7;SF1XW%BH\93H=t4ЉXNweq]{˃5y+d!QjA{uUY+9v $`Qu[e_,57wޝ;:P]X}%2)ī0`|+6 ~J8`-l,]`9tcBu/ b*KI- YyxWɀjg@X "a}iic,D[mEJ-/ݠBYLb5*#X3f l,zNKqi<B:[0iIwl˸"Y?1CVM ZaRWAL Э("֧(̰~~P\pzT\4ˋ-4 ŸM+(I/A  pꠀ5[d13tXZ8ڸ *1E@"QESm?bmB9!\(@Pe|ATk}Tu5N=}}E`'pmlY,Z6>jvso!:Oì>īW':U&eC7UBFq%īN T݉|}|rm_0hva]H`&xB}䠈?fq`N7XԔ!1ay xڡ;qH5`kliwYĭd!MjC©![X(/(gZS慜$>vjQbk 焍Oݮ.߱ =lv/ܹwaPcEt+ Y2q`}!dA%eS:mYkWcWkCDɃq DŽ,޻SK7Vݑ^NҀ! Y% %E{oFcv<=] k aKPZar-sT<{w<IO,j= UB Wj[A2PXk8?X'?DŽr2%,b6,p,pmDѰu9x w#e^uZfuK|)pHWTE1b ݼ^djaIr*5;t[߱=yU| 0,`,WV( *{X ^)a$xxyYshAIZo^Y2_jHO+=l|MM(vBQw,PR&[h@ C|x%YIu);\JCljX>6ȀeM?`qaU\ ~CDۂB+-"_ek;ߦ6kC B eIj@]k<`ٔvXYXK^ X2Y2d] bȕ+kaWc;GQy%XsdHVw]*aߒB\vEJR̖]Y#YW%Iq+OXM>LZ ␀r79Ă,KiUp /bS3lq`;X^>tVdU,?rÿc}"LGxH(/ud>^ İガ s8NuOkfNt +apʍ/8XIIߊ, jpo }gjK8dr{XݠsJcks@"Y͉<%66nX@ª\1KԫH{E*(3y1,/d녬+Y XRqX_߻Bx7l2b`,h֛9+q!lFXPDl0=~Ohx.9ݹ?%E$[` *mރZ[38't b5:E}[ikx K\H85@R48\(E_"ji,VʷBcFZc_Z;D'wiAy)>KJ4و|B!䎞^v{B,dW%ޠ?kπ@aLwajtiC.VIſ9De1U|ݤqˎX;;ܹɑGveLwAibjZd0[sGX~/bMʹΌ^y</Q׈~k'&`qj}-CE$+|M_|_*.d*+uŸc5mПFzXKmlp@( u8w, ;dX9S w,V:efPpbl#66tO73p`[tŰ{!Y%FX+!ƺ!U'q&uy](s%<OlQJWܰxl9w %+_gYy` \Ky?1S!\&b|r:X4w"eRt7"{D4wnL1iFX 2 &b|pJ&ח*Y,n !^, çB(r'd1q]*ݢCuO'4l!>% j8wH"_}#N r E~ 9ѓ03ؕ7`}"a闟%n2߀6*a/+ɪr>M ?[O8ٵ\`=DD0`kn V4W"_3zŖ 7v-:°鿾saUS, Ubɼ Y-<`tk0zBpKlm$CBu}ְ5KR^eW`\?T\ $Y~w;qŘVv9ĘSqlhҳBpKx}!jpE% iJjUUVKVG@刡VYW;8aSXXNBЍ;~Z|)#rjIhKʆ:)yU+&iik~L{?F`UamNc_C342LXZ(8+(k*Y% |Y%ހBQ^swD7 &YRǻ[ A> )X$C@+ `!B Aj5,)V&HJk^&tJ:cj9y1"uuntQu D> ^%2`ٚx+Et8rh$nk$IQi(TemmIZKPSHH0>i~B6 /"+m;{tmueXg̮-kZ,i4;'op8GfQSK[P3(T>$0"p;E CyTﯞy:9==iv`KBBJ^yy +&Y<k a;X@XO|fg݈@<kgL IDATSI_f/>G4)_۰>l% }g͒qj#YDz4d*j;EQ;*QyX7'e}-oNSJ+RWYr7N-.5e~#&S(@}`xZ)^1X(o\"9~Q>ouZoN aZ>%jTƟ]MH],p$ %>яD7^݈]X$c[і0Zظ; ϩsR0fmexE0ksEiG9]Wt ߳ od%𐰶WVŸln8)gvfA,c.cak q`/fՕY՚ BLz. :`ma%2ñp3hIz EP` .aXK$$eBrc3x1kzP|V rW/\he0o޿Hœ% YGKJ 8c>]L=j +r&,GWF; +p\!KsW!mU!z_a<,-Yp䫔>mM#ogs>[}@)X m8 ="0T6c:wWʯά}FHєxX˒ >{e 0b]zI#YE,ɯ-dBQ4INIi0f"Y[w}0!֩L!⛌|nW`m uJq «KDzIYo߾ā *k&RDŽJo#HX;3!kW_H n^Y*L`t-jms3>^MOov^XU!~}v5כKkﴐ YG@JUXnĺ ٷ-yˆWZ W&At+C`5E]j{]!QqX>FPkH՛7Wg#N &RȚx* b8!kCy`S峛s}xa-i6΁Vht09X6*w›VZv2 q,1Ǐr~&R&O|UMg֎ d}=sůx'KX1-a+8А+QOش!֦'!FB,P`W~*:tt]0(WZ~uUW[0SG"Kn2^)!("V`\PӓτtbʶITDzeכ*~:0Z~ܢH<26*|pW71 WD~2 9ς܉ʯ6qk[^A90ZLz?Br&H !3s5 v[vb h1`}}lj*xRʐx"NB@B͍W/g2 2鑑۫L,|N4 ҫǝkI%I9gFkx9X@q%kqn?^Lscx} LȚ<>ʕ 9ߺjdc5ɔkP)!98$߆(Bi W<, X)|5 ^I§cY<%\*1%$q [Oba~(xB>)M!&XgϢ,XXT,og'3}ƃ$LG,p5-VlL`i>Gꍵ:!)ڶK u rWѲG)d1=Aq}l [v1k^vI]~a+5uks0 UE΄5.Mcy<,zxp<+Yp?Q!Z7*$q•`2'AVHC f7 X^7wգ`%C'dadfm<gyv| *`c'8F\O Mt]k3b/`=  8gfL#!*9al/ O>(ի>zAptߨL]B_=ps>7#XVK#Tݖpzn8ÆMjK\jҮBq'O?zɓb&8ra}|=~~EvE̪67Up?!*JtLWoGR(ŪF;W46,`UVqs.&H :ԣ JbT^XoQ~Tذp>&YͪԺ4bl kS=U:|_xWsE<םDbeeGn@,ԈReLj!>w,lps1yVzsIꮿ;7dΐșyWBjT.Nd0~TG*a qk{vk F H%d1$^n$ItU?2~9 4 2,I-Qب'&vw+c :=Qꮍ|wfoȠ!w; vVTTц[Edtя;'1 7L^nrcpnحX .Їiz%|,UƍXfo8^Rq,()8Z5';x)G>,GQp>+ )P<^&$֬RzB55^>N_XC _SEП[8}}]'@t{/%>,J=jAHZCLuyGIOq/Pup,u;,d,)/sRMDnH`I,i`#ܞ)sB>`i,a!CدZ:Uzq+ R{`WulX],,}5]~99hiKh"֊nk  9|?f% 2CVVJͥ34Ԁdo'Xq25oSX<,r Kӫ!qj{oO{:PLbQ#beR[ :2oW'TwaX",Hc,u'p˔7m .`7QG95X;C:Acv琰 *Q% XLw+ mz>Q:Vݷ:LW`z T'aUdLco8,#+nDOH#5knh3 nK!W$3Br^ KX6ʼnEѧ  yVz,Pu}?j$WPWJxco`k:ƫRv~RR\5KeXM!Ub"a<L7nqvS l g_Fch4:tƻSO o~O(EA ս`pe"Da?ghGH1Fk ] ߼=` &W|^-XëV ;?&q/g𺫉/N`Չ{`3jHG8`mk+QkA"֥@__6,rK /ך[,^͔WE_ow  tk<ICGŜ`q׮ߘ].{,a>M^ub:zw%a_'Xɳ5,3W-_j t2cOVBspz3|Vr5'xuɯ'K}o?L\Y1_<`6gk,]wΧcUo~W+&*2l|:nL XRNtJHXay:z2boJXJHq/;XZl r׿Jд[c RTMH /~_+ZJ3Of圙 U- UX+0%= m<IQ9J r]TE_S(7|KBE'/~t+'PwXǫÏMR{9^x<y⸝ `X,a5 c k>&Z W 4Y[2 r)K*4,$G앎8yR\* KЯ ╖-z G׉bi Q$x4w K qam&ðt9CLI޼%BET9Ch'kx1/I(854`:IXуlWްB4| ^1ɯ>s ߼_uIǫ7ULX/' {OTXcūtsy^>Z3Sݱ~k feKDhz܀:_ƢJNj1@^U=N kTxN},K*T8[~p%&Wj"Vs<W-3VQ3^῿¯I4$ ZH."xeX+r v.M 6X:_9,ÿL1+X6ڴ4Ur6'aȰ0Q_K>kXz;Bi3ύ> FWhpINR7hj]S)b^J"bY,]Xsf7G24%.Xk5\V 4ễ!8 |)JR,]d^N3VIA$NI$9sv9Q*t1g0rG)*B%p/b&!1ekDb/&$|;$פjstHXew5]B.d\qZ}Mbķ|MA7YJNMk xUS)U8m/~,d?^G=Ab&` ؤ-?:t g jUwCe ^e(qڞWkq FW5ŘfC-2W: ϼNV*9G<2~<aa!ʅ`"4 bo/={v-~ɉgLK<|-kM3bB^$# Kց }IqE n> I綪oMB@/\z ;Woߺ |-G2BxәʷY /":4kW,̛ê'؏z΅jq7Ӂ|>arApʕ^]Bں|<ղ )^ᑝ Q-ɴp<gAi Kwۗˆy6{P܏`חLzԄ42oD뼰%c_3nbw&(ɉw|U)g?L~5>5(q5$u^+EǠ!Uհ[xp(k8 =ǒIC,OXAr(0pZkq`'Q0*aTQ|̿*וٯĪ*(3kxeXN`imT;kXH|LN퀵 `Ŋt@̷D)Q\Aze~h_iʱ- ?1PLU9 HC0 :trÂ|6$=%H<Npj-sps&-8Ca =?h%)fmJqPɡKE;΀ԝ%,ӌ XۛswtjU_-$ɪrKHX"Ý$Cg~K;1.HnlЄ瓍wK`qkۏ-fo߿~SJ[Tۿ!V%F:G/,Mp5$X|ueP?sѫ:O<l9!`Y ksv=,q:|:j8r z ddRB2'K:D$olx?Xb!/ s85L/ nMp…7($g,o{.NmB3Jpn LH[(a.m^X/\nqw.7`=DRi>A K^f<2vSS}LX#S<Rt:!R}'X܏#HBRq93Ա4wòVs65lDW?l^={_ʌ.'uݟw+89N1JTGoh 4lXzFyjr4!q5cv z꒰=#'((d2 k!LB RXCU=/A6Oq Yiau09zlO)ViEZBە< `M?§Jo2.~_ TbXqt6!K>"ĝN8z X-4awŰEn>Y~hσLBg]xUP!{^u ;g3Jh!'J}[lSӗŻCo)%S(m>,`miLTX)E\=1lӫAQ,d3tbk̙mv_"`l GbQ=EK,W'esۏP$X>@qd-C1Wqڎ "^d b%@:C4 3pH@e04|Bٖ7 93BjG8PwN;>W^/ЏS"e)7br/c5$gVJaZBR'w"E2[::hku%5lrv-6#-W:bjcB7%k^bh4B(x$9El \aoA,ò%NO](6^|#$ B0zb+|uH*3&`pbJE9&ERV&!+Mumy nWiЛ1\Cuƭ; ;^MuXk,0BN3JP0RV-aL`wISjMߞfqG@ +H{]# `C W<3km $mc_Y$a" *l#,i*S7+^P,- k1웃HT5vxʌX9ٱ3k>T2>|,9 ,5 l}N"X7}*`wlzz_2OgE(V 4C;T 4`þS}%]B];[G iAD_f芋`!# 9>a{d>A/2S㱘+:̊˖260L/^jH[ÈwVJSu_ĠXn r[cv[YOc^Mu?HVW]{ "%ٱ"҉)ei->KPBNkd8}ƵG^g;]oI# ?׵im' ,ګ=Y("ڷKYfvhO [^!%m ?,NQ:'ܞu_ޮȔ#@T<v/Xm; d+8^{1Rf Z!37D140GՎnO]#~˙5 hI6U|d<`q4tؕ2Q<>OL {B21򚺤 ᆆx#& +#'dᅭxm_ "=t{mϞΰ 8lXvRdU~]nDK: B d,dzb"}$*eJm R˼괃Xmq94`E2&X Sl u(S`֠XSQAQ<wB Z2od X{ Yb)%al IDAT*K dW,zz@fXܧUׯkFw.k4X 0_1+16^!TEHe r,rd9,)_= zB|bTc9pqа {k n/HS1e|mz ,k^\,*`A$I)a}Xk֛I=K3 X XQ~ #,a|vgdul2CUaB-9_X?,Ȓ YIr`q0ˀE\|:'cjz,s§`hkp(#e^U#)Xo裔5:RX7 T q9qC;^o8R1ۀ皕v7 [ \z/+ndNw{7} ;SWeuE͸1eFs; *VobjrW8jtW +~ysSi cS,bimA6c6K.ru>X/՘i@7/$C112"ƙl;sJjew|;gӢX>"{!yewh̜ V^6tzl_8D?ᔙfqZ)V[.e PTG%%W̸R4 6) N`zhErp.RPl+Zp):fu s2ɶ 7Kz= ˀe%mP o rV˺pRB}XӁ" (%@Z_Bpeu:b0>nۋY5CwG)3q"#i&L`MЗTJY1A|Q\2K+yXw DE ᢒI'9DdTI.T7gZd ]ws ]xw j*82,651q%9/)am ՝2eyTj*@ a2 R;8fv f7KkY>+ XMʨx|FBCCl>3sx)%!RaRz<p 6fS,]J!J9! ɏg] *2ߩk഼Ĭ&v 83jrq~0a, lc, 5.A ȚI֠k{:D9#{]*`4E)YV5oMA?u`*1<mTxw1!yCzil5ue,AQĤ'#^oYpb3^m QUt3bfãg::ʼR8kle#ۖ%h0-'yJ ~{)Zu@4r%m ?f=^Ƹ#vZx&٧I/}cOd&^n4Q_1KiTD}< x7h*No0~\ KF+ V2O }BA! :M4#ޜ6DMꩠ;~ qE5w mk-xzYH2{={JJO#itc^xzD>cAY|K_0|BSȐLm+1BDK@[N 7XsȼPw Z]=e&12*</<i[pl +ƽ6gwA#HR곩vPG3! h4h•mRB|s9JYZUKZӛCo Hd Xi`: !B}/w{Y>Gհ6B+ƙ9rl<Oo!˚@fgq̈́񊈏ɉ`c!j4dm}gm<ϺevO~wOL)˰{E}eٖ AJJt,A 𳈆Fj<Nǫ?ئ,T B;ۀ$р Zhbkfw#פ :ٶ1kDbhT}~ɇ<99 M=~`ՓcAtjEg@K"es*SW]"w̰_#sRwH;FHy=,llT2 XQ.}zGc>•R2wAL/"Uv{sk,]Mm!' .OeOnnYd}KB ѥ_g[tΌȚ{2H?HL$ wI,Wr&L&i94{"|\w XԢ= أ /ĬT;C7^dtF)EtĺIGƻi8W}5l9/۠%8G#wvW!(^c+`UV#8ff qd1J>26p5"[iIfsX愫miNf >b-E]\>2#pod}gG2w:Tf:J.^]~Bkc:B7)<qx;G-+n[/:۠+bEh h<A" @sL.>=Uaק#b[{&::U'XZR~h5'ۀE 9s+~(tÕ*쳣 Epr!l,B z ^oa_NQpo܎Ѧ X5`C(vVTPIfypD\bkqaoyb5u$d3ZԸ** +,4(6l΁Zʏy˿L:q նukPs/Z6!Q޸У566"6h_ %љ k{{̲-1 % ;juӁ;m4,Xg#\xI<~2^h,?ÂA!]kZ^vvHOfZ̟h\~2`{D_h̦e*mOoUMu`p=+Z >bG#vFvհ'78"ǨFZEW=]|] xI٥LW(H5+)_`6$WƘ⇡+RmA 2GtkxYrdaOV:1td,#{& X)M{zu7b>zYFa '6_3}f!&D3kyܘ€/+rzCVo,,{=QXZ*t XV?m+0v8'_z5ƻE-a\\${~]cǫBձ ˫g7f {~겍Y,k{;eq5%,Ѵx XPx@C~AjVtޯ/$i~*9Efqhmuev#!40=˝틭tT([-c+?st2Q:9Z.lזUQtPWN̂&C rFVN ƽv G EANoV=VkJ2*\پ"|| dQYQhV_GM'k >.yxW?s>ܮf 8Qհ`RK%j v i,6xp]Q~5*c}9jX5'6ʷ>8a9߫Yi֠"DS_gNL u1&z\&KP>Px+Z'f)q3FQOՏ6n_5~ۅ?ߛ}Fv{coI8??~;UYbZ?{nH P@^u-QJ-H j%\UnmT4T;3r<<s#Q,Ţ#w)j{i4+_mNHK`:a.a! n+ﯮ.,V/q"C⑰uE! 8貕6V?XGqEhhFnV{}_t'ֽʇfPc"a3tO#ᑳӛ#XZ lH/ݩ}Ӗ+':.\o)KGhN$X`~H]#Q|D4foCҀ]X*f'޷+[em\Tb{[%L56ޥB7f9r`j/%NtMBSfD9 ^昗 Fkrfm |5z+xPK*^:^"#ּQGfދ2x\XV̋&czSj><6C3[ܻ~8È?f5v?V!6 TjGl M%C0faDg{H_TI]>@NaALDdY/$sTwH7ڈ4݊]Brcԑq6zsz9KfVm dH8lXx-g{-:^e3,ouP#̌t  f-_s@v[(g4Tkzd j:F2]HWvj(c4 C1#|hhɉlX+ItL\9;wTMNk}\9(P g_R"ޏWr`$tWvF;Bg/ ZòCjI#^j3l Yu<a4 3PKɐ,ڥ+UzbhvjnXHBqF Ev`G6qAr?EˏSCY(y5d7ذ n%Fg%ܽm[i^}P:\B7d9? ޤ#cxhpstƢX,CTs~:,TFƳ)a1SB^H9+S[>g*W Qq+eU5QW6< :T >#lWsP]HCme`ֈ M +fXý_'ȏ22&+ |?p }>y X:dMs|!^owʁe,:`s05*g ٝp|H^N4& Lm, Wg|ÿIb{9=q*sT/#kTQ1\V\cѹ*YR>Y `<L >% X̾)x KrXY0 X*Y},E6G>0BgMl̷j%C_owe-m+'Y4y]~&ztEyݑ]ji]hm{g!*7ڔ]n^ vdqcsuPrNP kt|T=g.u\_gSJõ0d?q}XgG'WkAk+\~bl 7 X! ͚#kqpu\}gE^~3,iAUU+IX`+٩k2wK<[5.W7E7&(){$~{c l@T췻ݩ"prr 6s~1>Lj rsB­Mg/ޤ-!{ A 8?NT5P"o.?2M!65$^zӝ>7~Vl]XMESsj3ѷ.$_sRn0IJ gU[/ &$UGRb7 s\>pĚBnL;`iTe+^B.(@jBmC81R^P y(n,d`"_L5?p弈$W=ڤ!Vd'D;DbV@X"q6'RC8%Gġh/M3W+\/.l\dEȚ CAV=(ȝOk?z ˘ }wdq7/. WyzTʄs Ͽ%m?Ĭs +_m HgCVs̬IЛZ> ]z gc Bk:_{Drk,sGO;o/4d%fU/w0Ĭez' 5lȮ莟d@A+mĞ۵!>y$,3@fX-蓬!L *ξ*H,4l  Xg91kcySKxr( XsR0`%;p]~^6ʜ9Dn"%T(BR^8O8M `p !MM >N&ֽΫЇ݂Of~wD ,ɋV5V}3TAr0ĺf!Wk9t& hMQHCCﮭt']8>{>yʻ)1lӭNB?(ʼ8`$HewU~BOSzg-XL]kh;uD&c%==uXu7Ͽ |\ [.[-ѭh5Cb~J4fIpkFרFDE2{MgD%Iݢ")_qxEqr0^s؅',ck<^U3cl\Rj>G a]+cXPr)3? !ZXPQ٪Zf^)<9B/2)8gۨ{Q),8wDAKIM}S]˜h0khXap-[ u݃V! L /b*{#5k0MNfjJoS8iw Og!ͅݐMXHU0DH* #\Dk5;VycXdבFPsty/ZwR)7,Nuaq$a"]k:ioUU@|/Ť 3c3e XM>DaW_BBM7HK>ѫGk2ۧG`%_CH^ +?js2zl|4 Xu@>Шc_I \Iu*ZcC)'!,&uO[WC=B^o a~g zEW/D/ GDHST+SלI?3AOڡ]1zeYA5K->yO?O?EphS yG'Ɍ8Y'#? ؖVXsWUC,C.Ֆ+vm v}x9EZn _J$VN%>WeR/"Y!5~;o N5Kȧ!OϏXj.J7'،rvqmn-uv7bNc;X,6+Vp@-B*ZSnbRMp ZB w) V<{ݡO;SV1\nƚN?Bm IDATU=.'PoϏ dyNRTŽZ۫Z1`?x'Lur|QFrzY,[-XEp`J" xM\=dɊ] Zz# ~9lh "#M?/]` 7X QEO aVТ_w?`OVP N̰21,ae1OԪq㖰p1J:᐀ҩ'fA }<$ͳ^+7l9nWHdMj O(pe_>XN!7{6x1XNhQv_vfۜiQwXЧC×z <uASfAq7Y!'`QUZZ]wLҟaIi6[ `a+>僛6>B-i"xo)xW6 q޻5m"X_fÂ]'c`ElazI^+Vtki*e CDjᴆkEp Dwe2+XWlnwp;FgIާ[7څ7~~O/o!l %(9nX/ˍҪQ{Rt6޻Ƚ dxY07uy+ nM QRSPdG_:Nw.3HwYBŕ-j𨻏J.UzGrd^ɒP)d૤k5|eKG,Axo࿾}<fIOeĂeL[vm~Qf銝Hu_p\X}dEH\(zo'o `żȇ*in}ht  ^[='Jv)hH ,8`7gx CMn|9i,X<Ct= v Xh DnoU( bE$( KêE*daC]Htp(@sO>[sDk&V;_ɚNED@~_"nWƈ85cq7}G-wneɔ|ne~g# [DݗﻯOxc= cҡ+P\pGcAƮ00_–;ZQk: G}?E[oX'q]I3֩Rܫ  U^6~FxHJm (m @[B]D8FX#ʴ*aG^G`uJŹϕhg`[uzg{esljrDMPb} lwB??~m!%(8Y+ ER&PN86KGRrl I!xcS- y^+՛"1 p*oX(|M̀f9YEs.GvY+U;Jb L 4 | ߿$2Km;k{^zoz'\V,d9T/SD9 _Uͅu^Ed#XuN^{@`U\9+)OH?=nKR;BV` [8*1" V /q3?Ύ~twj{s!(9U{>Xn ԺLZl!j[h-*`I:(.Oi ߝmX9D Wͻ)Z7!E}=%|BUv 2 XOh 4Jd,qwaC6HmN{v< O-U:EDxOlj3*Eh )Vr\B{@9Ϻh{H!r# K1 D?8 ':193GHq7۸냴MgˊζcՏb nۭgIbˏ[DUCtK ori"XXVaH6/wmX ;U#(^KX¸^̟C'?V t%~ssYo2w:GSz>Gn!naykIB!$UPU\ʶc?nR$6_ysA"ePLZcy[V@D.jS#}9 ֆә'D`t]jQĊe*P.*w?4[ݐsv*o[Dxy{O#O&EoPF= U~(j-oN!~sF,CV1'Ho\(68?ԉ`VtzED`bUWKFSy+ܺaݰ%d[bB`+C ┢ ]W-; qG_m ]xgM Q{5nӷQ awϦD؜tm:rÊy@XtXpOYqwQF/8z"#W6Gϻ$'XE8{?5ŋaZ΢ O5ӵ:BʓoY/e 59 -Y6|T$eZhs[mծYu\Wȃ)UxO{bJ<ۈ$ƓpÕ`V A®!8XRRFYTN wZՋhBrI} Boceh]ªJ>_yo-o0WBd4{9f)RZ{~۝2`qʣ'-[jow ֻHEnF{ <]&^9`qpLHA TLakv1^xa׹6Aωۘ?mzފ`}- XxNXޜY4Mu76c+, =CEHt7=Q&gkcm}j1m)G,<#OoLn`p5pFĽ~[&0a@ܑ'@;lDŽNlA BT e養U"E@p7uX#w+g\Yfuw\.cD-{І3w{+ )GT[3¦s a#; i("1F}'o*e:^]RoZ}1Bu&\k/a!'B  *2Ru_6(Oo+Ի?T>Jϋ+D[Rm*b~ĎPЈ%a*/oӉv滟6e9Vqno:ZF|,@ _T:$ &s.gO4Kl뮜n]c" "_,Wq$PyvbˏeoMI60f6,tXCĔeh"aE*~#[XŹFxݿȴA>Kj٭X->uN XuǖEm$4j[ vيMV%ȵ lGR\bmup`m×~;p<cVa"V,\F$,EhXF?d׉+ٲ6>2}A{ 0+Q>{קTm^+E'*!+ҎnAIWf{K"v߽}ͭrRӂbL@  dլjN ?XbyRz([MzVH[ 24X۰)`voau}NͻR)u, :pEt>: A3zxيĀekZɱ,h^x5^"V,fԾXUk]LJOvw߽{ (EUӖ!>AB>ZZۊHVc\FҠ.cS` :AQthty!cO\X.5G!KG ξRdJo;S赮9p:9e#͔(V?ǎwPs/V*=<egc8uA *mGNk`a]̙$0,NLduqZnRҒ#Bnb ]*.uYײ#_UVRD`GۃM&5=AmI~}C g!9$GM3<>~Bp@\M| Dc/pL>*DQ&D0n0KxK_~ЗC9Z)Hh&)k’3?!*EҰ6X=4denbI̜F#+< Xg}ISFoD%ʗA4SoJ .zi/`O.#4U#FVRio>)aaϨf.Ċr!\qEh$J6 M\pG w1:]:5zu`QST;; N:?b]Ä#0N*FU8[QB3OK'2x{7` <4 M鑋Y?eVMv;yB}tU=si~V'/@XqvPtfN+2f ӝPYB={=ҠV3^X_`X0v8 v6e͕`s3Oo:!zy}<ܬ>C }9 6N!Y劤;䓤jN¹?_PTPFVV$t3+atK`_J(7<͗2uefaLQ,]lPOrx nu*2Oe;{H632ثmbpJR}A٦oh+P V["~V^ uFO%LbBCukPIJ$o$Q^jeBX+9}2ZX#YPZvRPX%#PSd)aqH-p O?cy92pAs++I <sHw7$,>Xq@GE<9x ГRYzFN5Wn;̗ Vu |;QEezٴÉyX{L4L_Cb9L/en^ ^Y;}bϨӈ!A3" bRfU4GPi/tJG%%f1^eX|k؇Ҁ| ;tB9@ɚjϥ1C:T>쓯Ke5i<Z]Q=|AX=DiGtOw~@6>DunDBqCk%aeFsևf ْcQ `KtSDt `GUʍ?{O4BD t64s"?Yce/Xm s<t^ 4cV7X.\аM3ړ:o2~/i%j{Fsq)+*ZϥgX?~(K>qWk貆r_0cKOVzI2zD!F%'5n6};!kŘ?e@w6,ȡ'cK@ƚ ĄBXpiM7hM f?xwO;Ƚ&#YrS`+r:ulHg::UEgn\C"XE eͅ+ꋚF$W["AH F_xWh/}xiOfя/ ]S$ OڈB@wFٱt4s}\;nDyҌ:[|EH`ڬs ߻CfzŬ~V^:[` ;{򈅊33#Z(J/f8_ 'tek^tj Z;az2U(1QM QaȰLG* 7ǎ X9 -׉%9nlqf;|:Z, ֙NB"襁bU^k*?uWz [XN0x)+&yE = hpW<9C 2OuPKBlFRܽcvIQM͘b ˣ<wRaL?z;oioPrfrty0{ *0*~.wldY)aL@Cqi1A8~&9\w: 7XVRa^=iBٍh޽Y;EL E'EYo=n3]P L92 ְ([33κ/ءoʬ ߴ(RŸO94J@ۧkɫ 5C|G%aWxy-;`U'^O'u>P2<?@Ūr7S\݅afjPLe#?n!$Xlqrv"+ˈ.@K>oۻ4^yij w#&$CEI6ҫ ϐP$x};^1)[iTRBo'8,EC9EiJ}wVVՑ֠4m~[aO YbCLWPi\UΆ@b_|2*ch*E3V=C3 B>ڛy934o=*L/hP) z(G4AOP?%^NSеW|A[OUCqrݰODP,+^pSZ ZV,J/2'R&K3FUҲ"Viu'3  qR"l|Vs#މunQ, pQ+t|m ( p;RTl!_AEHSPw"%<of-DrbeSnzU oZ/Қߓu[9X^8gF.6u1$AtH%3 [4h+ҳc]9rPNtU9nh/5܋G?m'R3j#`3ChHe(`YBkzKhKˊ( y8;9{U`y6 (4LX}+c, z7nHmǂⳚC9uze2/] ЩBVkRocC9:;+|jۥ!"> gt *+`=*Uk=zN9>]z`Ҋ^e@{W#@gx"`\`kk,86Y' B^Oc y9{S-4A+Q,m5 gH\w1wwR,H+n 9v]Wz Eal*.1U/;,gm |^~ /CG4 BX*~ ¶r!d, |)7A>:ơVFPg}EP=|+(M8sڅ *}f́?@Ic _x!CJ ̞x~l['Bf4v,"nJtrl- 6B pn#YZ-X>j| ̥rͣ߃ : KX)X%;1q([tX&@6KJU]yK[UVl{Q7I\DXr;V!<Sq5[wW )x*Ւ儹T*E36ڲ5<V͈q IDAT F];\vӎo8w^N/E9b7'?"W2-З 0n6X|鴾~tiZ%rnu^Oh~!:#0tLP{U<;>8<b..="(z(owZ`Z.[e٘,6W`ᦽk%H@9xI[ DL~Ŗڱdq`h#imU}A,g4sV4gh ֝3`Ңxd x.<EBo] [aY.x|Q'̊=Keh6oð\IB1Y%N0oʷO"+Lf2 ?zh`h('&%`L8r7Vwފϙ\ĺ0y"h܋Kmr/p4+etxL֗yXF}n'sVv_B}<˹lYGC 4B52:}'}$٦ !r4VaF r45h&yeFAy;*sEs,1h5rX5 -с%dSO$t2w߻sopmYҜ<+ <zBfا_X}_ 0@)©wO_.eRYuy ųr/E_jzFow钚d=+Xb` ]mwGˉi ;.t@T0G埁>~:ZЁ~yvAQCȢK2B䕽݉+ӣDKS B9F_}?&Up>~* u?s)JNy r#p%#H(h}tA>L6r(Vu@\UA5W^#4!\KEX6j<%,]^&q`ΜX5,?h󲬷 v>~)rQ),A̳dCBx(8l!jpn8hEe;f:tJkI-'hu:(yEUqc:2먝cӜ"YJER,"St{cDwU\ą" :gQ Ae"нZ*chfoxΕqcʷ' ђO\t}>sKX}x[D[MW5X%XR(\aȺ*nsZinryw$9 w4xTۜ4qޯ4т k帊OY+0;&:Ybp鈅_{κ;:h ]QT+bɹ%fȏc<GNcװda+˜ dfv!\;#h_{zY#?z6; p`к\qe:yWkOd4?V{ŮީJwjD<VRȘ{-P/ܻWY/KϙuyB+`8JS]xl]^E%'P,mwNXƇrto˔{h Cu3*wʚ}r<Z#ecZ'^=hy˰t HVoMprRg@w,^<J7IAXԂ\rQ24aziRg,;A7"GOug``8ٝ@KU.Le6x֋lYp)-+90K<JÙKj׏₰R<n}f 8{3TG)X}gx^UYօ^}㬧A _xy¯> FfHiƳAB]IH''_VPQ0]d:=[RO=~i5աXʩ:Z& j{KVto9%`Z,8qI. Xђ2L BXA8gm^W :O:_Afx Z{EUX=+5 ZvcW1%XPw/b {%~[?-WXVR:[1=a +Qz2P.}ѝ;2U\# `qrW«--` /`oqX^BVWWaE󳏟}cCdiAX<Z S+HrʐIv^1=!F%HUY)_5ųU˕$-|2բxWhΐTaw <zPɳAK [^( 0oطw XOTϮҒZM*oUN唹O{-^e;E6uJ(3fXd`QۍI~҇ӸJ",֓N<& =(^clT}e+ZZ )`=K`gD|N5Ͳ\.d?EjɃإ"O0`:tě _gwb㩋Uuߣ5ZiST2 ;-/:V]؈l s {v,qrz98Ou/X0`=yTg+Z].{5NVerpE{ F3:\ VFN0ϛYgZVޏ|.3)3Փ_eCXRd自iT/ky`>{V X-5dS&t jb˺*ZjXV!(5trFiiCnT 2Wڲ[cUms;dq{Ǥ6Ȅsb,t_>k$Ī!5pTw>Gm.?3m-^D IX eAO0 ~0cάݾ[]J!|2Jf۳F,-]'/_$#.ŚG99WY㰄sc/,\zv;`'_zbe%e WgڮLU =ķF˕F^:MAuڀoLͣl< V2iہF5w' "PƲETG`ְ / j Mk s"_γ",zån%`GZKH`Xy_}O*,:jV<(GF*G}|tU~޳QŃ 驝YMmR< iыrW ew5E`d*JϬϱ]]<R7/ OJ1:ll;1-^(|bb6׹hX^IBtt6LBkX.ZIpl9sZ穏r V \Np_Old찥E,k0xjlJNCr-T)x,njwaODJV% 50c+_~L!sf@+o K(İȈZ tY Rh5(b]o[a.uAKB46\]Va[<ZxeaP7PE)C+tfi%a6Zr s\<؏#GͺMn,-+lPy6] -f{ )*\{JS3]o뤻Kq8-c͜Z 2}.$26j8Լea}\PZ <R=Ղr%,t+yEØ6bN(&v<wp몐Z6|uOҀtgaի'[vg~&^?aq]ǭ4IUQ3 3_g9 TZr;`,"caĊUcAC @G\ 4I6Bf^&gri~ܞ1#RRځ%Txڒ{.a|w  ׬\❛,Hꓨ\㊋{O$pG\SZZطa<LuT\vWach޽LYHm{ b Wt(JODŽ<}}~ ZӉ@Y%c~ȊB,peeG,<F,h0b~W/cM#jU•w1i%-5:<%8YI,!5̅<V7#XQ}eyRox %S Q6T<!իzY!_wy=IJbp+-''o^Baq3H SlU&A[q*++%wn=ƍo X;cIV/{{ g^I]^tvS3̼M#2&G#>].DCTb䵟E.wK=P(|$L_q%!MҰu~W>v.;1#vESh5P;`n֕oYE" KY`N)UݟM rǗ;-Fc'T 0%zQ0rL!~7~3`T^Ql)Z bJ#RЊx~ly:Lβ#{W PORgXG,-R!3wK´S"b[cV!msE7[-Diէ8\3hq;p}*eKBԭ]DӋh/qkB*?U E$d~EX bESc<@r[Xz@>qtK.P[%3A3Nό02LX\t}J3QXq x"\*8&[T]X#VگYN^>mJm ]ub\vI5^%S?Toe&SL.JJpL4<ɭ23TMZyOb^[>9=@anNj#]pXP!+]:Y7Paݿx |H;\uvq ̻2mfV_(IiFnjf|39do Hq2{Hk^Pej@EyERtʄQnA,"Mxb҄el4qy->ú}C+|VH,AM UffkgC)[`3KW-m'kfVؗFoGvYib"OEXTc VF]Xj_2HELXMKJv&r+RkwN3BJI3ei`=֜ +K s`pUֽe΃WA#dGqpr9/ԜW`+X.+wMU~OU!3BE$Uac-DbiLGe-j`M NzRJUz,;;G-'VZ嚛u98D+=,9[UiGwBƪJ4Gy{UbGUU*B0J)]ե#N_%&ప)gMQ] -ف,` v^ S4!E4^_\\?v18cKm*Wh C_r źXP$K]vAE:&ꄢ{.u~H!%U}13x /UwdPtZIl~IjOlls{(S![,h-r o ln7# kC4I"U5b lQRRS\@閑g ~XUWY T>z jj YY`-9#W"Ct(6OSfaݖ@<13O$nnɐuⴭ(Ӻx=u1(Jx2Wds'U 6Is,z_ ԉ JzueUV!Xoim1sI[y6hiˆR5pᚃ0L5\xP;[\Ck7ƹUJhbۃ ˂cd/'0FtAZܳ-uUtcDٞ,rH0TܓzR)^-6Oh`571jU\[Z7$Q+HM_N$"a,‚./_a729PW2>hxʄek, > pCmf9:˫\< -Dm]dܼEj77x|j{H60=EJ-ޗb'"{Jv ba5V,Upގ/0,/[?~U;AZ&Sr}Ths[sX4mk|9(cW@b*)Yәp<Hp87IU "X#c9EWe/SĊV=fW^v*oUutܡb}8Y*Kcz5&m oՏ,/'thf[f9i t* 8ZP˭%o3ktfp@B"ް&"Jl.iw G]F,Ʉr#XBƴ_y֕]m' }&簖ORdF[%*z5M5S}mRXF,Y 4$$*>,C HloFa/M | |1_Pdu*$m l@ĹKBX]miԩX|1r2חw|XvKk&wi@pj_F# b +ڜ U"+ LY=>lF`M5$HFDiYˎʓ1wYU 2wvZڍ 3A^*{=ք]a <,ZuBY t`g>eْ)*orr~2ZM6Ϥ9̷ճO( Hb,WEƩEH0`9x@/XRrQs^]]mh:`.&%c9 Eb{dXE`]kmߒ(%ۚFjlət`͵cp5p0_5 0f-РY=[#2T3j@G\1Q=A_8Fկ9y.)5_26[xGwX 1R7{hiy)uV~pE[Y iۼpj1D.mU^Q XCCL'D,"TbڀCZo ?޲6*itw nwbMR2&Q} +g<G0q,gw4;:']@[N[ǝy?QƯiw`3cPq~qqҖ>UefBEmfhZ$H6<7 MBHX/|3%_/,'Kж+P+P*.cyZ*]2B1.ܔda;hx\yfKLjۑf75<G&iJΈh|]+F_Zx">1A@z]r݂jpԙW>* d97louY$tb(LPY'fUePHЁXFH"? gg+D? X̷DEYX:;@6U7P&Vupu|ޠ/:ke#6!:1FLoT$0`舐!yUOI6E/2 IDAT JøT[V,xYOj۞m^i5vzV8Iz¦Q^,3Ar̥3vGAYqh`| V%Z(L`:9xdBdDbc8_QྋwSeyW'&P'EVRoyWJ `jי 8Ld3{`19 mXO3hYT?g`T7ONM#=PN]}X9H֯p[vM wqE0W[E.>E۝cIQN@f\SM{;.Bmz0` ,$"'zXSS;>`,~*jb}mEV-YL wqEC >s:Ab C) 8# kx2,D!ûMp1{&n^g5#&U(D nP;9 !*wdyns#^&3SE؆HCGkƩ! ⇛:NAa*V;%I"U z>joC>cfZؤpWpn')dN TeY9uaUkЫ4&d=~Pzru+EǶ g`$M]}Z|ԄPQX{or9j.WjBeU+{.}V,"w ASV2 I59g*jJ:IeF$K&S6["t (gǻ}L_$,x$~/r Ak8lNM!0>8b[", ^I[dV?'T.`rp -@,Eb <t㕑ԍ7q[ԌU.W>YO@U~Ʉdn&Y~V 8z'rPE۳n k) ^Kݔ#s2Hpq5^1gn1dKj>\ҖIua*!K ^m%]U2kjt2r-pQrPyppE9.f ^)[i68X1ʒ-ׁ+²ڱmݧLzm[[n2[0_So2b z𑽟5=pʻx T}#i,bE.q@iwj^ÖU:Eg- XWܭ~?s5TW2+xQ8Ugsy^8re!i?Z(S76o6ĕ pt d*Pو[WnRP !bd&X Y1S`)8s pD:G*Փ&ͪ@mpgť} 0^}`;S7=L:w<Q5WXp= $̯ =m[]uXM"WG@ͼ Gj‡˴[w%`,.*.\LRI %<ICJvi̺` r;} {6LZ68ւR&d˴ﺑ pLiq#_&Yhl8*?73®Y+n8XPb˨╴bbz;N /&|- ;2Vɤl | Xk 4b&CF"pm(I!EBm Rjc\*B.AhFCnjd֤nt!O%pAhXxw ͡˒]Ėx'^MExۏiK^ѼjgPVE݅ }aUB2xlaN26b{OH)ȿC:[{{"+`]8ewnΧCp:YKJ4p &}\WgM6C0傀GkH;h4P$ۧX }w'H9gW  nc>_0?ZFDk/?t͒{t[}W>g?aR >zӄ$oΖLf16b75kBqLX)(QZlI9xvo_gd(Y7\K/\5Y.U.|@+L` [dΤR"hWuf^Z׭ " O|fi~T`8pBIQX:D91l/.G/_>iKP2lu|Nݨ걜 [ -GW<d[^ݙ{`%XAv@S X~>Ԡ˼48\;u5;iG@6w,jcsXUXE5ԃsR0أ'=uC +dʿl0rmy%JQ/!$@aymo:]c oFqspq=sKt2*SîV C,9UY XIcx\SfFs)EM\7(A-Lpd WtaJ8ܵuO͐xę/ ߴ4ͫB6]Vb<Jև-MhͩܒpONjecĄukP-j%"%aՎH)fV%bzBp)%#wtIo?`j!,ؠ~sVmu6!$¬-iƪ&(eCzI²R쾈UEmQϷ}ʩ^*BᤝỲ=d<{ Jha:pR7tW~ZOww {Ԡ@,;6[ieqBz;0@%rtwِ!W~-XCϰʬﱨs4om^* 䒻}.f &5D'b,+R$]ǫΒLˉ$%Aű-vKjJe/íXF4.L'=kFɴ٭;x;~F^;q('XĭwrFU˰<$jU \t׫/\'E7XP$ajPXdV?,7#,a B!.(v,yY&mTVytY2aMLLdAX} `Q&nohtw[ b]N6655u-)LJ#D~W|knUOm_~L bB13 &@ↄH&30aBlLzmR}*Q,P !qcAP $, bE U]+X1D/=~W; (΂{uR9fHa!i~$E"if3nKZ_/g ` / 0 * };*~*p_ oǂ5v܎  ?`WHQ."W_\?P]v+44CLRʊ*K%IX=r. k$BIҔ̤tgizzD⤨H'}XuLi`tr1 %D _2Gox5°r_ilݺ˵ާ_ "{ԚhC<݁vCɎ"uwtE}AO0u8HmrEKa@R^!o9L;_- nhHX[VMQ-{,ɴ!̬-4I!3}[CBjB $,3z;ƨ+l+Hj&v1;1%6m=5ƔV+k^?]cnawc L-AªSXbXK`=7K8ws!;KsJ?,91#^a_WxE 8^$}G=[:vD߫mǠ4 #ML̥˧`:q-9.zv[ap>KTƆKY?QS kb 8ݵDd;ot:=Hր7S.̏t6px43$a3.WWo+QO* ['=܅19 :Zg.]vO^0 wGcp8J@:#U E5]~n;WӰD[s C`6# ; 0aJg?iX ~hy$\^ Gom +ڑl;7hpBmnvcpx!qDþLRϟzθq( 2U)WBf)?%J3$ d$N sBјF.tZT,Sg6A7ķuWRiYBL}9K=vALXQƙ,;wk{kQ~`, TaaM<(m/Në3_F? _u?݌p@ٌ#w#"^t%rpـ\$IqOB:=BUΊi&hi{XIswK8'$,Coޞ+rB[w=LMJs8K2<+pzkX|V^(f!k׮Aʏ'?,FX`f<886vWxZe "2BHH$`cʌu[دenHaD^ޞ0F;jk+ 3b,X+5&`ώHV+V._v s FBRfZOr7[#W1f l5QMej ,ULAU`ƚX,I)"!y}cĚ;W0 +ޚpbcQT^I =+;9~דQDG+ *aϜ>}ꏟc?~|=t#8wƍ@x#,sp, Y7*\J%b)%*0ΕC++XXϳߚ"(V Wn(X#,"T1 ܣ8dQR7ܵҘXj:,Uc]0tknاDws/ > "ҹ&(xPbY^ 2](F ZJ%4·@R`E7vlxU=}}ep* \ dW^ ;G'(A%d5 ݹAAS8s v;: ;Nl뜄@R7!9xbࠗEF"րƪ震D8\6IX,ٰ2q)MD8 Xae|E*ayrp9=7 嗳Z#lݞؒXorPk\C&>92vpl q^y*:^ɋW!_O~|aihr*#v湈~D`dcPLUX#'˨cUVR2Y7m(,EBCAI49i*VV`㕁2D;D<L'IºV2A NdfNx'H2@;2xp쉡u_zqlb?t8A7=Y;2vNXRE%,)[\ &<Ůŝ \\dNO9ebWjA'<JxbxYA@nl2H9в$h`3.@ +h?1vN= "BJFUR&;/s#$ y#2Jk*%b²:KGx$ UZ-wi9Ca$"}\XL2X53u򢆻҇p5:,F XXb*gqzcX|s:zx5*!ї~TWCz'*dNЭU7'X"E]XΡ*BU1$$waP`R!?B5@nB5^Y.pU֨m$\sE,ֵQ,\='(|dٌpEnaGY~ۥ:a+ b9s1;X;8J(m`@%]Xv[[a+|YaX4֛ĸrpjsazzzm!S8ei+J<+$k KvƦc'z?5/~9V|&woRcI]@:70A50'Yʋ/%k_Bt##Lh(fZ2}|o,@ egUgΖ_yOa* hj0f ȼ3̊y[ˆ_/ 񍥍&T32؄ X]2*&xFcGdSu#02xD`~s*C*iW?!̵/_&X ,&9@,t_Jz,,g4<\xbqw>&l2„HBb6K%.iĬyt6 hZZZ: +#W**7ʷzi"$zB5KHI"99L86)>ӗ_|ˬQE*ɰ*Vr\c⿊E]i`u4,Ѣ]ẗaj`)rԜtyN2n[XYjhL$7BDy0m?UC ƥ2ъ^zefn*cOܐ18s 뗯!ޑ$ CRY8а8v#bλꆣa(儽x.-S WƖLQ-ĤS څDc*glLR^m +-fO\s}{E=Bpm~PЗK+~!FS Ne Ra$kM"<ӗ]C0x\;O Bql# HV.:5,a,`HDp?Sz9rqM bYssi`ɐm!a@k99~cp<B~<$U| k',Ї]t)yI1ꥭ^BXXyN Vd5#IxP#Qq`q~'|~~<$$;X18F!XM7?jFBuVKt*{Z+Ű̑Qz1'7Y{G־o CU'H<PH/<Wv_&`f"P4w,`^&ηrs\ՓY8=7t+륥^OuV(d k*ݗ_>q,tQh( T18Xc |DG F *N#o/ěS)\WkaypȐgOAnTO!Pl M%éZ}21)@dRz|DgjS{L"( B=Amz 2W~{?č eyˆK4&`SkWCE~/}&[vWJXoקZn_ddrV{a{&ò,Aj'j의ǧd6<?pOOOƷ#q,\qͣ;TM+!XmY XǗr)^#Z(Q!'dXIGa/fqhp ukNtO'* Xx2ͥ턂Q Zlx::;;?]|{|I0;{\ IDATԲ採t .M?0¥xdja| Di@t jĊ$2rs{:"!RJ2u ̈́oSpu6|M@aFXNuBg++ >b=E, ?786葂%EUyD:z|@#D2=U'vo:unGYـAے6M^fdlʼn'd`$4O' t6'heɧ6d=Vc>sj{R5N`XuӍu wNIp}IKh4 !USYdo=F,T"QT&FWccb]͐2>"u,ncZWD' |p,,[$ =ӛ*<B`I !_'*MD7 6:Jx\xѓ\t[Hqr<gf_j \&zD sn{☞tUߡ1Ni8^102Hu,؛y.6 Y~zws)-gWY:JfT+g0,-tb|`;k8B$4@uAMñwDvSYSv{w4E_U&$%DSd,a /ÜXj0cT7uIsp%Bqr*]N.qs`i"ű!YtQsqQZgtoK`0<v2l2?_4F?jxD9Jȉ5AϦ8 N<>nЙw.kqgyz W c,Ix)XjCeSVL^cZE*;mC"GGk8ύ%_Ygko2`Yoc@)Z' ,xV]ܚv<^}K<^ȜAw&GxWFt!ɀ) <%Xulb7_>pLQ+*]칱<A|:XN먮l c {5U 1 Z"t#3 MM ; 0)gU #%k3~WaB"`ynݾ}{GOpd,N"FMpXA:_jzi%PMAs󋫫#)wEȻ$8`9Wc_ݠuHۨ$ L1L,jf665BDN>p `zpv$3ޮ?|F5bM5+h5xtm`_:_ ܮR.uvZ?Vi<z%!S`nu&3!pR]=K,18DcU$ѠHq,\=g.U7,;CifsZNT`JЯ+׾ _]x }Oڽ6y3Qoy6ޞ2ʡkO'M k SٮL्0Tz%>̮mt6(R˴$,eHJxEX*aR.2mnsM,$,` S=LϟsHQߦk䐾zDN2|Wd{ZSɊWdwNt49o"j= >;zW̚%. ~p`.ë ab=; f)+n'ěQMX7.tSyŠ"2uTOudNG[n7[m 0p8, XK4D GǀPd_<\7$D! XVp^h.,3 X@ <ks>u+.6cOO)n-%iKZ cP^ϻ %f'Geњ?qc70cQa夎>dDswo8A.gid6C#ΠU] TC<2X ^{Bd0zw"md,W(^'h9#uw N/C/2C:t[&Q "Yk !E~poY8)p6_@lIJ9EOL 9<^2U ;6oHuWi|祓J43@,aفaM%nnx.²\}Xo@`o kH@Y*2orJqlb؞X0(gï5zrS߹tׄgss֋D,X^BwKqVʚ!Pڶ.ajS ^ /L,,3FT`%RU 5oΑӳݝx M0fͰ༳ I0^ 5k!GH>uĭ˺^{믽1AL,ޕ/Nj9{x;H8g}3S`gkB^A)p"r(QiY_-^k{Eݳ$\Tr!꺹`w9}BPn\čBA =M:<nHgwggg[owNf᝖:WU'u+f U}´nM0ýx^DxPN̰zDmjMC8͵ * foVYhC:L}P5!*2yXĢ~yA;1rP2"_"s8ol 8:g5xN#XNCj8 BL7N7^Z[ lA$n<1MÄ|P feL(fq".I qqm=mI745ḁ"rĢgY}Vo9N]tO]bK]gT6)@/32=X+8/ zK-  ?;8v$3'./$SpϬf`$ ᴭ8xY>w88}WmݧOf` ˢ"a ](⛪)2ٌPfZ,;b˪YHDO&"&`7ZMrBcMad?B{o 'dCWH߹J a|6dk "CafC4KP5˰V>g b3ZdЃ}dȖJp![~Qʝk B" T*րn(rpw˺;;L~QK\)ixUHbMYMEʋnṊl9k͖b:!#V Q6?Ba]+jZ9(L8ׯ_2(ؾ=*re _98/]IE7P%mR'$4nltoSCzY&+/sDrfB̲'*lPu7--"dw?BNi,B1@,v<X4 &"QmGgtFgp iC^$xՀF1gw'8,`=%+tJc@#G=7~w9Y64ppb'vj>TȤE, AꙐQOF,9Wp/igXCWz Y\Ѐn[npݝ|^/ @> ,MtA TV6P"NѥɚAH:BL'ȍZ^R'@/}ewvmCWMmMMK+nT?po  ں}Q xzN^}waoZBUؗɅr("U%̉0Jy[#4Iv$jR,#B!R#H@<q[uWʲ5p2t>MнK]_!˶ԪWNƧO@`"10-N)?Z\Эb?͙%456)į7ueoaܿ{?z{{Qz:+,S[;NЩkjis@ŴZ =tsf>V P؛JXIkP.-ҵmSz/uq`vmNf ۉIFQ)Bs}-7(;i D_]<a3S)JL13XKY\ yC'07 렗Ͱ+@]i9V1n0"`}X ڙx38MʩS WdxzbNЛ&Dh4.5PLR!Xϰ*Y3_~:5k b ":Jƒ\ryy.3̰n;g3<SL@XaՔ,q;\=ΜxD`h^L|;8nh=,!ƈWs#P'}aݕX+ަ^eẍ_pof'z!"l ]:ty0?o|C _s6 2n >Ɋ&-Bo(%QF1Fڱ L(_8+SoG! oqΝ>{WW:Ňe-j* $5p3#bS [ =>ƫC+2J輇 (ƶ\~umb?P,\wnߞm&IE^)I!@$BՒCjOe b7!ĊS܉R>'#XTp0ԮDʆ9WfP+Z]~NxaX?s;} *@?WZŰ¼ͶWv|JY«'Kl  g<7/WDlmtkQ֨  \0;O9[B׏62 f %Մɴ쪝-+[OFqSHlL}uЌN2Jm&nI`,*Z튲ۄs0g@Ϟ@ᖶ1,XJ;YFlw'\~UvGhs3nAiqbW gas~ZX،$"*GF{b>5c: \PV[[4mw3cM`/UTeejBgx:Gx-lQ[yC*B Gr,<L7s/Vc._CB@Uq6U|rӆ({?љdå7(w8X<gK3I:k݄ʋlnh!A/H?Ul7qm&e7ׇD,PMzx-1D|EĮnmmݾ }v,zVD3կ~3XY>gΖNA23 we 3zIfnZtV` O\9*J$>T`O[V;::ےD**P!kW0~b 1`sfTU@D kXPh{S kCBE[}*#q? o l*B83V!֭st q,Ia̯Vc7 ?!v b t6Ӿ87Ȝ.Jz@SZQ́8Vhh~%*]hqݐ 5Id; ؉U=MhIԼ9{t/uq-&.7 bu݁lXަDPknO׳Hb oG5P6Bdk&"q%\u}8 ՛q6R{Do^b @;:GxϢ???Пʚ 숐*/sgͬ^: ,LjD'a+e% +-P͏:5k6VRsX>H"7V9mG /}?g;/DgKr4Aw؇앯xx'iR/ݛ'ӡ?!8Aڔ* a؂uHA@,NďTa$>{)| G}6 VM]z^D-^F;_ .8;{3W`Sf ?+z#r`86 bI{v 4@Rc X*/h;R<{@VeoRh\zRmsy֮EnxDjt2 \<đڴ 1{A< w;}s_a+9zK/v@CQ D[JĈ Q>/?XUPŰẌ́4?b8y)x6nv݁s߿gC&~?f 81B3^ 5 Fj/gd:܀Ԉ$We4*{sr$dºPqƐd=le|YMl1Q\ Ҹ8]U¨:*˱u.*G&z2_";f.OfPKP! B) Wd8,$gr*U1}d ##ypk-xW+ӌ dhi#~U>;'&RF*>]9d v~7> "G29| -F1!+lLGћQtdnozݖγTʮrUw'_㲫~zEV%./F\q~7x`mK㮸H]9ߘJ[} ,Br͚"&{nDʑѤV ֙,OhV8O׻Q{'`MhvJI+U;:N(t?9'Xٹ:ir<Z_T A 1SPZx,T#`SZ\U#9\=uyg\Gk\u/>Ͽ%hiE<pu|zz||t8kqf\P"f!{bJ+9*LZ?нFen9֪+/?ode&MM̑c&jD"=mX.9¢8mm_JEݪrL>_7NZgikC XٰzZ;mu$Y?ZYu'zWz 5+Z\[{Sd"mlIޖMC7= y>,+zŀ%'{ T1ESfH~[0S~ggeqޛZYOwdN޸"V<ᵒ>N 7TGhȷomB% :4pġ? 9C=H}7 ǜw)%,(r.1K_VUEާHȆOEN֊`AITRbuФB)bc$2SWt8?\?"y0RB_Ub/O_*r_XP)O<o\";˞#NXUR]m.z*tyd&4IXZQ^!JWV^/o矿gdNS J+H/* Or!t WFFug>5\pdj^DX}q"9 PO`=u5eFvzy6tP<aKPwQ|/W?D~Zd `db0ztr u8qPy8Ԋ[oQeLQ; P,FJX/F8Yt_Q)^}-uR}I8Ei<Ri~ YY MtLZ̖8!?yD\SB5avM IDATVy`Vt= zUg?hmg}j% O§B_"l>%`a&A5U|'tSro$AFXwi\`.X>!4H>8~B1_? e~Ok=a:#3RYȫ!VE,jjcqc*S"Vw7^7j5!}uG^+ۍ<LO?ts矝jLxɣ%↻(׉aX10AԼ**j&q#E,<E䞜e8h-tsU\<JA"u(oeS%QN {;A5W ,)N{,llVUiBV Xe myy} "n-M(;QX@tp7IHtۚM:r(eΠV[ ~%`<ڡMm8G?GW _!{ zd^!X1Ay_r(isiS*1=@&;>7O,_QHMݜNBxr8Ipz*m_3'αy{֡ X)HLe( 'Im+0jʲj>np'V X\O<J1'y`jɃ Vhg[~UV!@VM_|񅛽CyW#Zg%<-gԂD@ ܥ -'dhhgrd!'״Tݭja3 +P4bocIp|:T~aޥTZ (|gL6e~scyƃoЪ{`Ԍ 5m̛ < ԛ%z&zCm0 E~>E4psKzGgHn#/$bYmh X Q qZYF,h!*,ZR5!N]]XX %|/I܅t` R 0}&,cdUWL #}s ޖ2h\N` W=|R=j4{iۄA4@a naiKE@[Оw8R<t/VZ^a@ uvdQ8%,Y:9\0e%K׬)^p/akմ$bFp;}\qxNH^13;ϦBٔêC2Өk ra,FXFbFS^M67VZ9߯A-a2-Rde5%lx M?Ǘna3`B,l嫢.Ub`ýBL; oRmSy5mqfi*2K}6bnTgfBi/d۹ əW%tyܐ5_o5Qf>Gƪ Xf"9+Gmk0T5`\tBg2x)ks9 ցȥ>^ZZlG+ʤ(0ZUY__*O[G3Bs8<GUX]XE''w*+OZN|b NbhjҲW-yaW,qu0W $dv<LV9!5߻ ,?anLi- u _7g7c;MO$B=r9,N60j W-h7*C_*B_KĒ'z=>FG;q`wpm^5n<3i*!"I:e.w{`[e4,,]`xM kbK\ J`=iB3JrNsΖz ǎpwNMXUHQ3#ۄը_Ú7,ӄ0RVqtU vO&@eJh%AS#mTtW6uGƗRkr fdlG֋BuSa:]v @`T0SX>֗e4"u$,\_ɀK}HjG\c  2` +/9aM,eX4l5qPyL8PuDVVeTX:ѳQ5zR5 44;7IrQ,I!%VF 'Z7a)*sXÓM|sy~e TL?JpRF:DX Xm[A0)D7ps.6cXRܩ:CELv,]^8ʫ٢Z܋|*!UՋr3| VSNUs -%%lC X2{6/mO#FJw4?z|>[uu ^ %0pjá#` Y;cX2M"Z.fkԯ /@u6+)?ׇN.W u9``l(*g,%xhUW\հZSOcUWy`gVXDXu)xkkafHn&{RAcR2Ty5׮Օ)R 3XV^Si6]Xe k> |l48镾 tT@ L×%llg,s|F`VU7-=.U`q&;;ǝ-uPAs?# Q9J,u- r,㶦6jNuIV6cggooqv{o;ѲO5&v[C`=}: =VpV=zrRA^ z\hVJ˜a{}Z ljV>^EG5YZKHes kGML6)5{5Т+f68pE+LiBvbedz8}x5 n][rLH{eb#TEK{>K.٩F\I@ Al 1I,jb8긓h+`0WXc'nٴAh'] Mq儸K"ح_4ksXzk{_l %뻅6j5:O]麺c"7GbI|S.ޟS<L`5VhTߟLM1ɚ_٣TĢV};|cI,"V"gQ)C,ܪsl-*W G[]R0kD76.VijH9/oE[VS?Z, 5=I^Ѧm5[Zا0d[4ÿ$FBj+XzꝚ7%ͯoZXm |E"mqE%*-c94`M3gx/,| iµ[pg.‘ܻ#b?gM X!KBת,biNn}*B Jz4u%Ic. R)X<*TN7zWUjj0 N0P a*ơbdU6o;i+a.SD/qr)`V¢a[3kTɘtjkPK)|N5P%xCc/q`N&DRA"JxN#0G}i,b0H,|Sx88 Ku냲 TY)aRuO1G /]녔 @`{KphV@225O]H«xuxj+M+}e%\5Q%Cx ڡ-dPm@&[&$zK(B} zuXflJ!`B"L zã^rE21@rId6PSȠ@XO er=; ^aBߑǁOOkwV0A1!X~􅾢O J (uڑT95!8R>ש;} +6TGyI 9bp}Lo LZhuvef?7Ie@Iڬ t`3Q&xQoo2~tS9W֌騽vnceD`F-*ѻN3<&ݼU]o-ÒrO%;M }ٽ8vLwܔ4_N_5=n,+ʾ|!Fƛ IFX07dT9t%̊M&XIkx~x⠺tu񱄫۴j< I^R9 elNHD2SW!t5bQKQ o]dKf"Z5,u:OEJ괅XjV~~77>|?/X>*J,6XLr)DfM7{Ξ1Z*:?pkזPDH,`a~-fKs%*pɤhv* ^Eok=St4{7W/\ zyޛ-9cnUI=./ X)70a'KZXԛVpg)ԭYMDX!1k_çrZc#11a:*FO$'G჏F@FQ?~Vj V#孂,l#|v酗W/%caka?V(LFIOòר&6CcS fazj?m^,Ld›2('qm X/ f ␒/YԐPvtbAҖ^A;nK!i~#pڨz%ШPpX=<Uu fdXT9DXW#9@@~ y~Q{hme`faYuDSW4$ rc$A❙ijC:y0֎&`#ݔ! lb*X7&`mmM93k{L'&!W Uw,ipbr´opM(.Lv8H%bTt\9X.PRۀ zm҉ubg3 <LJmR%lXLKr!ԣ㪻֒4!o̹aʜsإJOF>~Zwy.=ШkK޸㶠[_ЬZL0C4FFFbV!z]kG$|E:_~lrr3#12?}~v`tj\loL:9R%Q>9گܾpA . _x?9"Ńu*` V1R%^H08¬G[bjE Dk75+oDrEG;눯Sux YtXъR|ADVubER $h`4K9%Nw&h$kE`wWyjE)aX5u <%b?Ls`;XN6ª6~ Cˉ+t^L՜,T/2 R3;˸SB6 圛e;Y,XWA`ɛ Yt^ `nRT3eOAٽEyN&}fm7, 7tԉYǖ9O.> B~k֛$7) hF vXX#a-X5h b|)|Z9?_YY h,䡬7b@X<ݗ'H爅 [ $eXٖ@ X۵TrT\0{" R. ۗALh? >6b,JQ@d25 7[<Kft~kkk~Ta͘&,`4,-h4/G ,vwGֻ$vRK(OObcb+NHR][DoruG_G\E",D:C9#$;+X/G2 ]s9r|$jMO&ur7D,{SɀB{ n}Rpu Zi!G lP\ÙqPbLc0^67aIB*mS+06RGGmԬM1'`ӒaɻYY涩[+Dž 칳~F%w`+-B]z: 20 E Yd7sЏ !,<P<«PHy<lydaъ;hDa+quBzpe emlҹǧA9YU&1pni"–U-,t&i^ZLm)  dCḜQ lyaMⵆ ٩:<[;@ ][F̈ *TeYeKb.Ybсw O33I"WքY%Lݼ㽅);+Hɥ@Ӵ23RGX鹹y20t3 v 8؁a ]"|wj6»>PogLz^5I#`ISU%t)Q2Y5)qoB쬝vn,.ǵECYpo# JjŶ4Ƈ;_s3VW^x )L+3Gh?.9wf9ۼ+W`2+^ Yk.W _^U2X" U=ԟB?`Ьj-0GuXiҩ͌|jH4Ik</\_m҃4uS!WDѫa%l4@P:,A}7[ɭi֍ ~$<$r"@ EmMli+;+[R@8N{t5,Ky3σ 7"E,&5a] ϧ\Z &/SFW &Yς`~vzFׯB\p H2DvZJBÇ*Ԭ } `\Vlb RNXհ4^Aڷ\Մ5^eH}RBs|ՒT4ab),ktduoJ\oQy3-6bh6PĆ< ~tkqccm/A;; %#{i<bѝQ̓X~;ҹsK9.y$E7lJ! /XY_Q Xy9Y@7人־OiYCkXiOy|0glW<FMG;S'^NXؒ;.dv6ǽǽǧO?9q\Nx`m3ְyث(\`yZ:_ukY@"w+y)A7JuBTizu(!SոeyQp4'EZk!㗆 u 7Pd{L)8Z`EwRWYu*IU^`3!0n";<<9&z],8PHҍk@L/Z?{iAlWeM+L f DV7 VOo^47<,;UiMS^f]<ʖ)^w'ȕ XŗΪY&oL%( *3rѐZI=|j el1͗珦Z7(eKʢ+.[^4?a'dܕW`IppD!w /x}94r}'6;Xu}%%rnNHVsN\lϵ3O9?I?{}?4`=bVGmO"n6 k3ΌW2?ܞ,[ IDATWiDV*K0e|`:edVS5g`AN^1,(vw`!E^\_v6Sx|oI*[mB洯)u /١>"XNUqynБ`j)*h>'&·ߢIua:͚}A 3rf;E ѝf/Ƅճ[] ,mІLSpuZ}<(@3-gGKe0rF5zuM 'U|E%>/28*ן:DOXCUkQ'9_),G6u r ߝO.OLxuuXVUJ{^-QӅ[}6DylF!jDWO&^*5W.Wf ?hbq\ђjwߑ[∙XL: H2(mIƞoo9!f)QJ1_y9_DUx[]Q\^|ӁRN~&`ݪQ˯^Fx>UJp-z  J.u^z56jfJ[Dz.( Yn唯yo9zm2=X"3#mqkV6pll[{lwq ]3_Xj8aM?'٭?Ɣr/xH: t%J~'?~^ZjnY?ci]#|( B]\wK?Xhʧ1vРl!@|Qu(&^ -'qpqwKNrtFlW 4O+9-s9ᙀ֧, YRթt0幻o"ʒy_̊X5hsˑsuUt?[1ĜQSk@>o4*{/fqVjI8]0E>l+NM9X"!ekE,W]O߿u=ȏKa}1*"@y,t޽#{'ʃݯ 3 ?U`s jmFJ90h){##cDV`rC-Z*mx[c'u_L%!Ex'*`9/,[ 6p&bw2#+z-)h[K 6IE*5@. /]]Ow+kt3H1 #zٝgͣk],=6;Jlg0Sjk '~rct1l,j+;N}in}v H+B,X4bUDX\?!lRJȿ,:NfMLa(we.  #h3Ò6q.rڀ@8s$@a*Z4#@B(purAz3Aa s6`+w'Ș!K&^鑕򤪞vt)7 +F_/}D^$vG_NXFAWUy5ڒuɁCy/wB2;sFgSpe45+;nꨄ`akes:w~ $g4#D?JfK϶kjG3BʓLvЁHA"UbECnQiZȉ E(Y <  he,߶"%Rw i9c~e+^ʭ+ŀUJБiU{1z4zi8e'5t/u^[ccůYNV:wKKS;F++-鍾.i#s8jWǂh^yX{Sqe֞Xps[{ p/?*-yaY~%X|]B+ F+LJ?yav^zͨ#$auo&kCthw6'b4YR%,1`f~F=4zfB4aH7`,+0#A,f ֨sWrXu 8VuFa7˔s=UW 6`G+jϬfY^*¹=FVduo<n%IZ>jdёf8-Ww +R!kjtv>uSExuo-,/,L/"/{"b8@AWM {sB!tMLL@궛Xw<w4Ft`uqA|hrzF5kfPiC+1-mHbz O|kUF.ܲz|WUpu1H"/uN]i\P`Oceu ,A*_4ӄFNw]? {dyjOhZ؝bkG)URwleXȚڬ ey` ܿ5=nݺuaY9+*kPW4;WZP=&QLdS5wN+t$2X!=q7,p-9MG7&9֜&WMmZi(L\ 1Q X4 U0|W=",S]TJ>N|~nTL8Ew=Jzjěz Z&&qzeCY'`feb`rg/VE^",:~z<$un9h]陃UWE1ƒ+wޛ}Ȯ7bC#d/G{֏|:FBr +X [Ppĉ{䵣C͝ԢE1^& PjHt5G7IVqrc9QL겨3 wꪥ̴h\\tZ,wipgvT;_M`zE?)І)!y-Z{Nt<W-X9 VLT>`=¢ȚSC.R{2H@V:JiqiK"$3x'g.nL+F߽3M+dH&=A:5¨ []&kj$6/j#bx<"2iì^Ӈԧ$W0W3{QN!RYM Sg@4#T!pq߉^sr!z5V վWdgdpi!:1؉jbV3V;s6fa)5KGvlm$lF8H1/bfpqwNNwJ|.G3T:(|_s?)BnBB.hWwi }`RI" \MSs V+xU#(n/,ܾ.cIoojj W0+ea8'a:]G6sǮ*v0(2zam˖2||.M{Dym7> աW.ӝBn>0yԮ<O}IC XY{2l0(aX0eB+HbwiM sll8Wì^`}^gԇ';KuXP`X!h HGT1t]k!mAgC ieg"dQ WE8,||rr+51E4'<;ilajGMR?a5,PE:"Zb֥q!V1X$`}MNԓ(eDz''W)< hсN@nQ| vt#EcY8gm@*ntLdT fUZe%B+µ`S0dgq8SםGdc0M._}j^9j!7DLa ɂٛ4$QUӗ66Kfe,nԞtlP-rE2\05 ZNǃjlVyViYC4{"`q>OxUn H%(wB(/V-l {ݼU+InΉ:ndt?Z Ž)` ̝[H,?r$iZaQ4WY5tK :NjI,^Z"1FbřdxfdݼohVg_Ibf-l )fPUnHE>HU~'lY ^3%2RUp֍7Դqz 9"'mab)7)W&FZ)xDN#sgXL } Ѩ7X$/Y_G9 =-4XXƩdJDctq XFX)(A %$f;tr|'&;"8zil|H[e^}8Al('&X\ء,&mY76J,裍񀭑W)Cwe+W^2\pu0W"ֱOq(9Bb"Jf*Su1ü ƾU@"]WNPZuv^zb5%Ԅa#e"0$xZX^% X} PWbWfu?CFs X(KFri^22KgdB2wh%u/-74p5 իmI?oLNN;\'vڤ|\u5~" 5R /腎oO:Ez>Fa<py% U Yp fKX_(g~FQ$k6{Ԋv^mF r$* <p|m}ON WGN9^7 ;{y r+{ QhsUݏ8+tuC )L&-5TNݙ.̴j +)*+F';KK7{"~x9Ÿ0P_˺ +V+?νW?b+T,IN'PVYƩV~dֿgHFdJQFTKeZ (WꪻWX3(LF4qv;ޖ4_+p`WHYNΥKDعwLgܰFŢxw@.ck΢ut4U(zx @h5RtP-^=pNd&G+fy*IC)Hݍqyd XRqAE:oJ\qF:''"X();cJtV~Y_gΔνMh}8PAЦPWK ?%Ҽ Fh'XZ\ّxcն<}V pE7z/^ \@\ Mè+W  Xt-\0U~~ԡ*~Sqϻ^jXk(x|V-I> f* ئy=[?K 3?G-V4W<hi+F!_F}%YC# akP;8cR$8L qRVNr<R;؋'o |[%h"Y:kRHզ7ɻ,s#K)onBZU,PT0o7QNsUzt^F=p{ʧgfX5Ua|KJ⎴be,.HP*5L6W`Uz5k}]b90 5\}rLpE~|8)`u_atB=62l~)JY?|?A.ڑrW2-69J5 N^#QZ%H6o0QqL@3 ,6ysX$Uc=m~=)TnmʖZo'^6,hc M{+ƽQ3l0K':@!d<NԶ:*Ke>A,Ѣn)f2[BqE.h W lh%)b\ h!$@ռﷄ- ǔP J<\<_0Tyz+dUx{o >Y}zXmXyh&Lx.c_vv>|4*xЧƙ Ӯ]ƮDpڳr |v m+ɴ[drTk XtRjML&͔<kX$d Ȇֽ$ֻo9Ѳeԁ):.\SRh($U5}3$XL"`Ȣڬrׂ_JayGrEADvЁ+0խ H0A"iJ<ޔ}0_* p~!j^=ktLٱ^*GA;vq4^l*qx7%NlX r&l`5d͉v]rF(#QꨅQ#ÓY.d!\Xv<3xYB,d-HoK텼Ҫx +3%r3w#VIRf;S&}&'lc*VjZ^#`<>IJPh$Ʀ+`%*P:Gk"+z T0 RU{nmU %UM3C+W Z ^4z_sMsrNǤlHV hm6T 唬!z/{ ݲ17ju ǫt,&VGx0f%lvH=c=ӯF]]_?}t_Vz}x`e~uQb\D2., YR{|ceeIИ>;Z;zFgjwTX<kii|G V/֭Ϯ1x%2$ ) m͆ UURPM`9  Vh&k`-t(*%0<h<er$@{K'slCxlLA-;^qsR6}j6`eFXcխ~0L~͔6sS+Yώná.϶a57)YǏ'7k"RQ[;sMd*h7Xwe'mqYVi`5f8ACGR`d2;: 7ƱN㈮ȽHlگ ,`\AjXcKL7 ,Dw,Xrk*/[qGSPK >HmvJ{ I/8܆j~1'})MRfXna00 z ~ZKJR֦[2kWiQTA[Vi0!"4/9ـ" VYIH2P޷8XԮpւKq6tgQJ^=)3IlmBI^XkWZDkV!ח#d`/'z3+XIR Ew{|gc]3Lh}=< ’X,&єV?,YWאXa!s%гz_l6t ܍" :='xBh|aD ´gjlTM2IFr5ZY떥6a\p ;nA${ܫ4O+q5}0u,*/OV I#Vy6)\PUy5j%mJן*IpzNv7@Ԝs ~Q 9/;G1Y=⸵31pT5 ǔYJՄRl[fn]lA'QIEEE YeYBfb;U/`#8GKX.uBQufޥ1`u5TpeWm.w<(5xt("?fdE{<+4X?j@E`6 [X̋\[:*,lJۄSBə^Ҙ\X:VGV`(?G$,a(HR!,8\}2U`ѱΈJ IDATs?4 ZXuVxiYyEGp8\u}K2V֬3b]05dyvO RlU|׽Y#BP53#:BkG]ٻ! *ϨMo#iN<a5ۅ5 cE6*ޫTmYZ{oq1z^)Fԉ^XdQ]Ys[Vԝ&8ų!0k{3qzXQajjUΆ,ET+kC,,b%uh .\aD0 ͭT#KWk9| iuoߺs3tg ĒʽY,y9{gua0aX?Ac/c"@NhdѳXpkhmW, ,6?{J{lQֵfxKF= e+?p7J+# +6a" 0#HjInH^f0'}W[$5ZR΀UCUtRbYXME-LlhSo^^Q?QEX E`]`t;օ\.gJJC )˴a>; Ol$;.9+6.p`XT0\=ӵ "ܺrz?4p|6 2DqBuz0*#B3꾤!V. g=]jfhkbd`)#,Z@lU;+Zy׫8wm_QaͶf]\b8hBڋUJ_Y^nqд>6P:E^-9G/>/2!d)bl<v_N=:U ʽS+\/(QU֭+/B,a$Yt7֎ X$ qʞV` Ѹ5:::OXAtlKX;Ɯ.VS,MCxJW7hpp,? }v JsCBO;Wr2֎!zU!M9O.n"HUppkM7~:8 B8FqJ졳jRō+ZUsnh.V*zLhERUF%\)eWe\iY,HH.IUYtt^T+*:&1!SAu^^B9hWbib"d`j^Tel6:)i CSO+QDT&G#,g旆!EHJH"+#o#9aYw{+Ӣ9O@ݠ>];kOS/m݃$=:ѥ]ٽ5NHifF2TJwj+7w5>9 !rz(BZi} V9e)y Qr)!z+/K#A1 I,edGu- 5yxUֲ*iܹ4dArssTM0 %6FX$Ʋl涠=,$Hpeߘ9YT"eXt32>96CIk| hQQ&pbo?W} o97Yّ֡LXrsQ.`YK }Ȭ?/FL74xIq()όUUu>io]OTITTy",8Hr&Ci֩v 96Z'X+' oYXtH; ~jCmXUؒf ,MYlkׯn)t5,>tIT_íUXU,IxKܙRv8ae Y]]w6C ?d;Ǧ-'-ʢ:ѲkVצH|LKRI.~r޷Ttn}ͩa5Zk;w`W##N[rB,kvneU{ѿJ _t'^UZ?_^y]-GXѼ|֣^]Z >jcp[qaW sʜ$/;y0lZ.bz'oĂgj?_ۢt|`Tac46V< Xݗa_h20`܁%O*d^ )FWZJB&utK.<b/5vWDPa QIDfTUjX-2. i5㟧I:8r aU0#ڔ V߰?*kL?5r,Sq3%BJ<"ƄNN}-BG#YN1Ƭ&RԼj:\> }U:)!nwZ*H1:IEN \] hNs3cݜ='Uȋ~~"5V|~^W0jQ߸뱱gsSٓ?888V6%ƊzzkSF]KA*R̠Ewޢ I}y +UGff&|۔Ts9 /~zNڳ4^9) goyz_1r}VX;al+eI֟",G<.C&R<O\/`7–:%T{' pxU]U uB4LEiŜH,I;U͡KeSy=ͻitIash;Ee?2Wc`}drj ܵ9nCDL4A-`y)Jye4*or+ILepY kk83t\8;(P&3̆b)1,6?Fݿma5[QpL&LJ3KVN["~;dT`Kk!!zGY8icp? ̓9d0B~ax3o@J2Ml p.c_҄*]I7A4_bF*<NWWU,¨+s0Ӝv >l s5̹[>yaDD Xm4_47n D5\\YU֭߾ӯ?ÇYF_\`KBa,cS)abgB/Qaj)81`^|AgK$v%+;zUhL"}o|^U;"zO kfr'KR-ñ^! ,0#B^y|~$@xu~']f#-=Ёwz! ˧<B+E9R /3 .ݜ0`1iU8Q㎻05`1M dXXuCP*#n6_ ,5oذn4pySF%֩OʄɕY`Ke.hkq6кȥZ;,I a ] ~+T\kq40tVXL04}>W5f ոl% }7}@2^7 O'a#DH "VX?v@=K" =|y%ү?Ofv %/m]{U6C(JhwJMX5J>A.CJ Zy! WIasfR̜0`1՝4}}d8: &0$X%ԬokJ|r =,HNuXrv7! zIe"o z":e_ӯ3xڭ :{W~KԝVҊ\ff=lE B*BGk!|olf#20e+T ,W4Z km;0x9PBR=$-V>_ vj`xE XYGb9]qw_o)q .t$CxOʼnUpQ 5|04d[V"jSAZbOz5I w蕕ę9v( OD0`Qi< jȉ?0"AOMZ} Qσ.,d_Qf9)G&_g^ae`b5/L6Qs +CVEID d 14uv6 F+FmwR|7,Z p圓+6y>L~=34D+>0K^qox||[ =0;s=a['²HL)n#:*rKҺc7f40rLЊ fO'4Ua5P[65X-fB+J&ZA b] W.0\5C74XiX 5SΉjSگ[x</\_[R )AUStO_4Y,WΔ- ţ\X%[a/:1,QXZȂLH\b:Qu-Fུ2Y'Hۅfb XT /rAvIo6E@CK!?*L+j`iְd>7ʛU5,v 5dw??Y'ZJI\/ˎN8g;''EuQ$U[R2(V6SêLIzWV,g.d/`=R^<;*sllwe~q9֮ԕz!-57E"=7?dgg' g?%)GG8eK5{d,;>_(*M0 ƽ da1QV@ 0"5:.K k)|9XQݒ3,,a9Eh.J=K*^1<Y/懷|H w )iE-iХKH;Q<Wmi0D?+UGB"x9,h$\YZllK,QWdqa_,Wg3 hlj^]a)DɟOo8J7$! {FQ]vwp,rrW[0-]'*R1T5MMb=MHXm03dU>'F36SVщԺԚpo`E,e- Ã5<vGB [h-ORນLqfUYhhd X⧯zI-ÛRzPbRL*WY?0d9|_uX˛j,wNɷ<J. NsFuw+:I!ەeWmŹt[s%%x]-B5'f<X!9 X˲h*ME9a:źJJJ**ZwunCQ!) ѸgadCYu+J_u59I86orRJ!W;0rpuRnbp_ XQ]!N܋BwkfֲF&YY˒Ԥ!lRB4"QVj ȢΣ"<-^QE>xxm'Z+DłR>'6Ih e~`mwB3n7_K%P^!IY\he`=al'W4w n (eJe`5aIyyEEP}}}*u|6PQ2-Ѓ~ r[Br̫z$z2Y|x1`ur?~ݟ ;~8%)GS8̅W++a Y8ўІã#)3 HEXv@ %^ ОO2BtIevsih%{@o}>޾}L {P'=e/៍hf Bi_:IB0+rHcH39%J*>SDϻrXk |6ǜi=SsDpmn X:V.甕uU׹RzNye咤#HϜ믒d=FtJα9a)Uf$`C]ǖ0`u_&o}w{jm/ps_}HY13;;/g`i6K,vSv88 AȊr!SR6ҒVV]"gd7sęϩ^x%!-KȼoaPݥE㜐5(5SRB-z)zExs%Dh0+tx6h<$Qq{@}嬀 W~NXUE_lzFX:wTtp*OR/;A2J&lyY_KgVPw.M}/Uc tZ%<sαIv꾜KE$ߑˣVT|Y/-?]a:9w4<.KeX*d0$t+(5?<""ƀ9`+?. nCVYȎ+~S 6񞀑}T~Xlqʖ?ËNv:fBږY!k8T( : eaV`mp}h.JS&mOzc%uBֺ@0^b,YOXr4&`.#UsUsեK~5WmF!~Wxn4_|A?/)%(0NAm ]ܩaM5AV#CVܶ:+ +uLWJհT2`aU,ҡ-k`Sؑ57ܼ ?ikyJdJp8(}%=G|ikW* H4e4= & ҹTZR(՟qEw=`a^e m#>j3ov~+lELEixN3\<\gGX⟼f$Ģ95aNYI|q2 )ݘݹXkzi=%![/՘.>Xn\Q֡K}jjԬt9j/;m)@[p  XT` e?^̓cGZ"p +NPwfn7o2+dXB}\FNt2hT:=𺴢\gBRB P+]":8=]*> Ԫ"}GI`a^؇PU™ Z]ǡ U/;1V{4 R]PL-<;R򦞿o^t")ȫMM]1 Ch@i9QX׌ݏPE[ K-W*+uuzY#,uzpKkEVp-.n4JX+;SS+* xp齩D&5TT4.tEEEYI:fWZjB42W_5qb}VhEDڇt̮l`=߾SQdsBa e uQAl&)1p.p$[;zկG;ZK3f3f*GմT<,(\h -_go7+NW ;.yæ s$IY"%^w.Y Wc gx]5yV;*E|-5 _+uAc-ummlx- %3J04?KpC}&_եdUAi!ѝ(NPvh-kbtKz $l+)+px` ;?;Vy;,ȴ\_CነlO<5TUlxGuGI)@ p 46,tTVմ@[-NW4cVY0'nv\pڏO4O|p;҃j#`a՚;-[ IDAT}y"l3Lky5y m;SMU5˗sO ~{W,c,M X^5%֣ ,*!mymS;^-A+񎐪yiN8g)yXX S%S4X'䮚N-߼ X +,us0蒟K'f8EW7,݂dg(-Mu $j}PRbU;?J2 ,3`!j>FZ03KC36c {UyjPq0G|a ֽ{:d,K+^xI`.YUU-5fMiYF Z?p]p 5S XOs^yN)# Kw֟߿F Xؼbw5*{Vk X8`IJĔykUU&}oބ>_8~oR'`%&G<w+N-'$Ѩb}h¸iLǰg,BE*&CFfkڝPcZ]FDM5a_[p(]Ii&A$m^mD슒?T'3#w>}?o6@7W!{](ReK7_Aͯ ZfF0y73t&lm5_Yna{pjA2m 4pYfԨzVvv,\:SI0/&+NF9̲#뤯KÖ#ՀϑX&gW5l%q KG|Ԅzܑabu?x6.'v`j:dBFݹ{ icBQEE,²yI2u&#$Q!ﱙ2>43HҒ4S gX A*7G0<^zVB*9,m})p2vai;OxvMGJFDpQW_?~(Gp^}G^ǟ/舘SHSp{x":?UX7p6%oro ^im6pv"RWuh lLHőb)f"+ BȒvO~X?y?'F,T("<ܳhu /\MBK)a[eAF ).M |5h0u |Q~ )NΩ[߁qLx`< ID,c50h2I; HO8Sޒc&B){"K"^M>,zs.tLcZ<>,H,0jك~Cet48/?7|f1ԋ=%֘?󫯾=OϋVC!l`E|#wUfqC\<v ĩ+_FN+ax/.%NKŒbBO̸h`Ad=hw}ATɊO~殆i j8v߀M gWxO{$`?UU9" WH54Z\`E"eWXvGCm>6{Q hZ)b 2EǟZHK~&l&Ħ ֬*vW YTF/}xlKZZ@oSϐ?]PD4+vXTy ^3êmo7ƞ,~&@RPZծή Zx?V i5\+|杍 .?RUW1HZ]jdeT"&[qMd+yhl#8sLX}9+&QuYU9-! TӥMF!ݽyn!`aaW r=%( Wة ;v8,I+O  <kp2.b.U婁 LPO,b& F}y:^~ F_۳GksyK8*4^y5ҍEE(1b*QπVb O% ZOa@v%NIpqa$-IYݺ5ʼj$m)vV3` ,sx͠m ^GMhdfz]MYu#G 7ݴIJvw#\`{Ywr/’Վ0X5`\J WtAzYs]w` c$!(%%&HSf"㭉ٵ%u%?ޅѱW^0֫2 '5p"4U?57:j.p>/W΢ծ Ȯ (p3W#eٯ=L <G[LL!}5' bq)/J矚P`q0IJ_mph?RX;v:s `S8(wjW)eS8ihB9,Sߝރ[3,`MkiIUA4h7Tm4+2sx{*;r> YvOI *ܣ*j"M_3b90tYRhiᚨ=&R1!ka:QUď/g!e?5 u8ZU0R=N%|fu{_9J7rNwUH|H1*؊\R"%Ϋ*=;yl'8LR‚:zvYa*?m#⋿/Hiڱn̍XaCK3WX0~1?5V* ,UzwnfKiC;FcWI XPW$ Q'49XS U"J wobjP;=((Dv+\# //kK ȜXSS?GVF%L K?N*g OWGj'vPFŕޘIqHbm%4& }VH.ͥ{'i,f=\+ei?#p3fr7,W۱DH[ m䞷|o/:HNĂ.@c_6o t -CdP8`!q0<0jxawO*-q9 p|&x%Eb<8jJ<uYp#^!j޺/xߺxVk>_{WZ=ƞL,GYR\z_aݮ8CyTLkϿ&h*YEe;QijGN0# 9bH^ӼԜ.Q+/5oJPXFR<ڹ\yu82a!H[pVNʿ7?rc/_Lµ]v9rf#Ă9(nfaX;S6ǻE+s5@ ?YszF9Kq5/.xB&r8;{{oak@8--,w}Tuϵ5W\ygCUknW; D`?nU&v4K8:w^5Ӫ.39ܹ5)}N>>RWgD hU>7Lo|^3os!WY_֯s3l` ^'  7Ma*k}Q|.)*`GBW^Zg4l$@C(҃sT"'pu W%bۗ&7<1~Ql_ļ uыq-Nк}K EN+squb35%Al8h5[S^]jq|KV-guJX[dZZ4Jw!* tE|frT>*:@cd8Fe襣?)U] WȄ$3+oے&ij`Qb}#>&ŠOeӡ#;rF06d.<u&l?w/\ϲpR^ 4Ez XeXh=* 2&#,@L,ANpod <!~<5 A^x4"o#{jv6V 'aY<%dN7;l:yQ& z  Kˀb֢Im15Ė] Dhbh-_{SOTkL +Ld*@[Y+hˡR~Nåڸ* |<S UX2CHf 9s ڰInl0.\ hrcVM}7ߠ0PA?muRvj:S q}0.|'PШz-ܰt<7(~ ~z?&C[tX<` 4aYdü6瞞L"'.2mf3 P+9u<R ,lw8 X/tLhgNa;D<(CZd5|J2q +Q ̐n\Ny IHɭUk$Z[Ș+V)r|!*kM5% T<YWX6tlZB Qc_e$ JLR @wX#Tc#A6_T8esaD0Г=żba%.zsH dY@\ͥ RUlme=^'xtoͲdR|kv&i ::_I ,D?X|Xŕ:ƓŹI+ >kE#6wG+Et/*qLDN,?1j]qy r~5Zfی’nl~,Glkr .չC), o~YhmA nܒc'x﷩@ȑMl57O.$oo 1_;t;O! qURXՕ≘&pӄƁ79ŝP&75x+7\8 ZR>`"/j6 ZsV2IvUjNmG:K`>h4<by݇ fG !Wq#u+ۦuyU!4Mtw?|㭭Y ~XF7G:ؖEd&PC;`ڄ\`zKRXR{~2UDa]y˗z+@ PZEE>%1b:KfT05 p,ڷ(`-kiwVXzrV5Dq[Zl1G't[Вej+X&E}Z!v0dj Lq$w1aE2i`֜X6~!5; *F5BEZc𪏦 o`6& ;!HG?R` D{ 橣NzDSt}X;O\݋"B"ԣTpaWiB1d *gy|Qk+2OطYn f_l^!<a.Uu,Vłb4S'H!#v!TAa!H,_nMa;+*Ggw㫠a#^a/|Û5/J*qr[ ^u `Վ?q7PNl'ĂmcgrBcܸC+EW rZs<', U2Ӛ.)f:p?ާ.~]=xEO`( s UjMM2aHى5M܌ 7X_tmRо}i.Q=`5r^J]LR!_"'*[` *ZO`՚K$ۘ4-3-H&ٿ Z(Խ?6fxAD,hi!yU^T)T?"ޜzlp5"u,Ǹp}pXm,AzU\n 3Yy`{#H5s1ap0XץX"K4%z`\G xZYQ}R "Y1_{(,FAE .{ǝ%/o_ӳ%G4UNY4|._JOcYgG:k`m( @E(eRs.Ä;V&Qz x &$5/RU}`WwT;roMv7Xb夲?8 0_˫y.SX*Ȑoz bR^5D/LO*IH#c≂ $ aIJ)to$x]Yxޢ"O.,__X%:190}ĕ#.42Yi,gXoKY\Eˆ4RyW#m'N Ӵ{dg@>RSO2pPO~.P_Oݚ ZoɍC$VK*XT9/rc[bH(fb VEB[Uk3`R7vNuNЙ{WI4Yv*p D}ŦOsJjaS kද◖rWEA.V?WUW(ŰlXj;Kgs9)4'*IL(Fr ji4u0B᪪OW2`cJ6̫ysWw,7Ԟ-ǎ催a  Oiǽv+^;:ؘ'yM}:CAp_9^YGމ XA.0dE̿uLDY BBfZRpi ]=pf B." /&˳Dvĕ5ĕU). [ͯÇ r]ONbŒ+tϱ9Mf# ,P,;ξ"^[r7P-[䀬A |\$ؽUOV$/8KS'+|êxIޢ|( r'ۍSS0 Wxqd#x&U`$MD˴(rt5bõ1%Gn7zP3oiAir JG%U,G_\\(D{W9m+v2 !UFc\\NUu8Yi j}yΈs]^AT6\6$yxt@h*,`n|?fdCYOY)'L'0[]`yH^f'ӞГcWR@uz&WwNk<3%o X <0.Y7[ZjbvަH˼$,Bji!bKk<UTxwp"wcA?U4@eV +Wl`Ȗ/2SNwИ\#w^Bc~ԀYi^ib,yu[99w$za1@<$U,3fXt;jYL..*=?QJD8JA ǖzk/RGzҢɻ(;yvcMNdPHapˆt{++B ʺkY8 nX]{[XU IDATE[ "XuR R~j5n/?l0:\!b w`&+nX‹(?͞] ($+WcbPY8+\8s w H=m6|%߁v?)v۸u=b Odix2DYk(,ʧe#Ur=ҿآĩuJBXᝍ!Cn 3_\= ͈(]IS4++ak, 8fg/}z(gcܡ 9(dszSB<ꂾ~ƒB尤r\Gޜvl?$T5CVim䜀\֥_>^lʿRo+fc_#⪽-?tȑ3!F؆uz1, , ) !79DL½@dI#tsbV{O׽p:`9sh{B  olTjXWE:'RɞfDs,vyjǂտ[WI4<Hjaķ4Nx 3@a"[p0Pq<|>WqAyK*j9 /Y$0U"Lg[tfVA[ 9!q-<%31*tioG:VѫM;KG.U_@<a;#>^S[av[jPOO(Tt=rx ٶ1FXlSgjKaob,58 -wy8)FG& V螌M~WuEUJWpؽY6].hŠCg'b!ۼ ,A8˔XB,'4q׸Q06,8P\K):} pѽIZ*jd4&L( vű 䌏]2KM^`AٌūI4B0 <OVIGqCG\UWe(c};@82rٳ#m^(eKT}|('̷WլV,:v,]<́@4C4􆚜a|^.;fBwuuz*Vp> 3 &Qo:X[;IT ; YU֜/r#4ߍ;rIxbe\AbU3U Jd3"ܮmg?]jZ*+>@K\n2 />(Rv\`y-d5SLt"Ʒ̾H6v$;ѭg.9RΥzқ3o 㪾s/;G>-/;ͦb6yѣ3{ר%]BsuYĐɚ V$k,d|di<Իځaq5(?َūBXmbh l{?WWľ~OI:gC*tmq. ӼW@\_Ru8mbzzU ƙ*;9v•.,m{k?]\H8!T9r|i|"s*!+l T`͛ۤ4i1o(emvM;cqE˄68`P8{%D(ŁzŚBdm<f%I鮞,'-dj#?w?q:!8>5=KMp)' 6j|Sf+ ߓRU &f;m~F4 wmZl,j NJ,BKq\ |OE4(~WdLLĦmWg?FWOCZp։# (qn-2<WժET&yӮ3kZf@Q\2Ps`?w!¨41X#_M9P` NSŶlx1e=Yl4xjup\ я[ {=U:PlMV)2]]I\;rQчvS+B=i~<aZ`"Tmw&ոjsZH_5vv»B9b _R`!߬dr6=D*>DL|k|KGBuގL+M_ٳvfk1R`],zHR*@n0$@,'d^á3ǫj}é#GV6ZSYy ˎB$6s3Vh"g0fH,w P WM@í/Іx_͙ ,&d(j.|XT4ty<'t* A&%Y TU?>WʹYW\p{jnj;(~UNG֩.`:s2 %\끬PB3M$h+ ij׮]E%\bq΀h0*s(30ǏN{GXRH[q`w-PDYL7J !˫ *iȄvQL!U|y+xS4}aMt0%@BE(=@fKhJwuuz]oԍ, YH9<AIL76 {vیhխiVcl7yd{fʮ,$;댉&f)\Ǟ.ٞ†vk_.ˣ5 Q(9u4?Fs7 `se4 b5Rc φ;6t=9p?XS7?;U"t짲ϸlVdǣD ⩊.B= #w!;p~#=_S# |2 Zǡ$]sX=VU,;J:%2G]<8G&7'pprnvz}^#TLFI)IYC=C,IF*iy6ح-bxhD>ow"w&岆!ikk`iǁT(#ZɈ3̺%GCPɭI ȖдWsD#W 8<גX- 6dy5=dhG.ҜoBB,Q  5swp.Xb."wŭ໤)2=]1 y5kv0k b>d!@?=3ՉvbKۢ0Eނl2<,Eɉbլ,z2 "0ⱔo]d`V(5 ~ ɦ!i1Οc9\JSF[E[0Ik6]]-9i(΁6RNff]=,Bf cduҝ>J&H^ڃDFZ8oMO¹dż鐫'#1q;MyD''z{P6d;|Qx||EЬ-mwHWvxw" Y`y >ͤCP1 %3h@qʹ|TԇGbȫXa[,_q2 |q6e@)oL/QV?U9郔F,:tjqU/G >@e^XsaqĪxlDPp x"~!գ"=Daפ0?N<GCݗᓠMu(s n gzbi].jJl*+˝N4ĝՇ[ѢB'W'+LXSj49APa^aq{٧6!нt*eW&]x0A #>? B_>Bx@\#&WG`Pz>E<rjGA4!>B\lq}b3g>M$UJm(}  }m EPLx~ 跰x9%'$C`Mq&kA_[6& #g;lHOP+O=xk2[ n5zD]`,gG ᥯\b PFh?j6&sxAosrِ2wRJL@܆5_VcD¯N)fB;~+Zjfb jy 6qhZH/hSMz m?Z}Ɓ†#X^2qbBM"g)탡P:$ ;E3]ZaF 6X?23`h<snL䮊dJJY$nC0C4$ut&om.v,TlħK+2wS_VBP(FWcl ]2RXn&f8̹9W+R^T$ubl8@kD[#GNj8,<3/P}tN!S|a<ǏJ /8mG՗$#L3B eBxs;LWTA .N s+W"Lux(2@޺|&?y- } ɰ ۝Ҡi:  DΩUzvo2NH1e14bʗ D^Y"Jg%`1z.C bDywYXHos!`f<`de2Qm8 N;7,sXՒ^HQe'}0.G]0{ GUfo ,GcdF:Ѱ:o&)$6Oo*;GũNuzSXS;Wv>s 婑-K+D٬ 悋g~<ʏ%^1؂nP\2IR蒗Ie鹊PDMv WRN :贆+E3޹fҳL :B!5b{K^Ģyn Ў R $Ds,OTb2DdN#Ho%۔Zs+I^ѱ蘒h.ܘT)49ƚzԢ&UI7p)F!Kp%%B F=^) Lbr#]}=XE{\9:XJlFUTy4.ZK'ٓC ƕB,Rh8A5Get5[}[n9@nSw WȵBmF*OAhpm<C}`5編da!f'PHHD!OWdh С ׊>2dbo7IZ+^~M>'PQ#p Q%Xm[X,+j 8< 1/4:v 8@M/K]e+HUXNzwSN X^|N*qeC>Yb«10U1IE A._rÎ yȬ7:DPwjqG=~tk9 հ4鮕 KLQΗ).h4nA y,::;:-bNvx}0> gZm uVẺ0gh ,wДGe`t"Pr)F P@u $3+p”Jc+(aCEhpo ?u|9,X?ܰzPf)V̼d3Y|G 6 +$zXj\C!vw`3;{ѠLG",}e8ϧ#>lVe݆{͠H!K4tO<I&R-?ƶ#싖0"b]qX-_[3$V9X$h8BGsacj0~CՇ5ȦgROX.cB,+q ym7χ`$ـaW+ g2@P˗WIي7!ɵ/u^ؾ+IJ.FU2V*$+$)$FV)Љ # y􌩈,Nٜռ8L6?ŷ4B ߄4@[ 8r y.ٟUI ])*ztR kPk(Įl $`MLdwRH9$ft$]^ .R|eh\/-\H"_RvJ|lًz OLJ箟zQ!7iyz^ep߿c/y :/@>pTpȥSCk8}.?cA W"<ve 5/!]{f\ ( &*t2M+H+9WP ܯui{Nga/:/_{٨G=3Ăs+k /tt}p;⢅ց_Шd;fmM u8=|\) y '&BLFXy46.Lc# :4 H 岹@~g~PPs;u.h%p63J,9(k*B1+#Z,YYI\ndg}PYY7 HB߀OCvBGkTn"ʳhfh+:FʻuB~v mRJ erޗ#7Oڃ/&ܳ}9'&լ7 D(jI {f6dI*" XRBLXs0 ցH)jBI?зΝ[d{ӡ$l+H{ԭi& 8&hkhWa!>ɤʙXݛ竕W0y_Φܟ] aKVX¢>4_EU= Υ\TT`b9Ă oz(;~:K4]Ϡ!5 puN@ޗs`&VB+2):s0V7GaĄmma& ieTBޑjw1a.m/,<=ZFq IXH\ae=.* ,9nn^Ips0@[>Jh۶Dh&1Aі m2υ u*~ 9.DM1穒ꗆleX"gd1+D cUBϝrQ+cZI[na~0kLp[ϨcX߰c=}ЭhXP@.x9+WՄXxM=XƆQߤʖ1Q&k03Wl29B `}ڟ.<qcs7|Zj* جˠ^9HCr (Nf֯bU:3oIbԙ [aѩCd[bwI03-'Tz@UBR&\AЦՙ91 ^#WS% ic!lqFDާvYݓl(7-$≯AKyĮsލJD<SloGST`P jqĊ2s} ,p:Wed qqؙeEC<wh -+G'vu[;]x:GW+Va|XuQnKīup+O2I,m/xf?=' EtDNzF偀dA =ee,\A٩HhXY˙tʟ&"/W:C#VL4u*z`W(@H2?eJos^խ;ZVni;ia-)jPO{kF o IDAT(MrLJ{JrFlr%VQ )`x fUF ,* +0,eDF¸0J$6$C#Y| +?JBZv UD!<F*#usޑ"+,G;A0Z[V}N" nr X+zɗ}Հ{ KW嶶.mt7On6%. Ժt%+$8 uSX-C5ȼↈ Xb+WW , b7V1dW@$qYUC\yv6^C[Z4]d=9mꜻ)]p9,MXs F wJn5!1u!}Y@3ZA 2WTbIK["R1 0++(zLxAa|Z&޽H7(mȲ*Ew9b @u[{{k-6*iȺ4%),Xķv@`Jit/ޜ<bBF'ho ra7d竺'$_^r<tg! QJDP1$EXePJ[p.T ++W^Ey+iR+=WXEv6(l~X՝P9?SڬZD~^g.b -O_>r8,DZT)ZF5SgMhR)萾nf$i2P˫2f ,ȧb1rU\W_H~ Y?*ZtȢEfL<s־-3̖raK"A-FPWot\L46Ðy(OE!LhJN|ʢXR`>}X܁żKp2pa ̯ XxhM'3 enJEMN$7sk7 x KW^!+hFUQO*DŽ rL(E[3`uFh`Xr`zv䚠Er`JE )J7$U#n?L.\?$5˸ j^|,-6=,%K^/,lÐ_H' VBF9DŽ 9JN+ܽnf*O&9**+RJVV|͐ZZC_6gtY t&wAI9PxaOd1- 'ږʗjP04nT\*mZ ߨj{mbB?Uר !YPcU[1tNtEdTUWQXLK+KG?F9i"E~ ib{ !s7s&$ODVKeiX, r),J589Jh(&fw'm(]\3C٪pm;̤1w[dV.˫2djk5 Z4vE|4Mc5T1Nl7gPN>T s6@x>`lDGUr,z ^VhXQPd ? Y Cu1؀?T^!450[=T,+&^XN,UPHA%`'+"~!'wai,z獮ĺT(g$8!r^ lxo"5[ZN4#6›9-}^5_n k ꘐ1芄+ʩOߕ5/ bRSMxi6UVXu~Rjˮ#/Npf AAƄ#-h2Mgv V6,Xkgbz~qbK3VܬJƕ$ɦ<j"egW%K)uJZHKBrglh /I,4%y>VϪq&JΪ[`D`Jj][#FL06zûl$ .yW+M̙t*sm<-XBqh2bȕ[ gpT?ɖrg W~p|0C B]-U'ppqzRrlC&;FN8 "۰n\1>dA3JHc {,>~MUf'fg7gPkӽ62V\B 3 sCU7: _h#p/d2=7wrV3rPx8ةS ʋ[Z~9p`]gҌI 4:3X64bI1a[[}[=k7em'',ZM@Pmc֟hwrVA)1HubY: 6d6bJt36os!|sT< XE#@,O%}fق¹ l6Up V& T`ڰn:fw,=J^Ѡj&d'8epMpa);sD$VP/dz s+o(`U*PxR+ >UbMׇX3$?ۧSXBhaΊ2XdD&8#F,&&W'ċ&",,Oa앹\Nl@ $fg!g5! sGx0Fxڗ1=J].\*jͱ-Mb?*wَsyZJ4}Y-h) aW +FUӰDWkkcBPwР2(o0[f )^^фJMzpx#2Ag`Ĭ!Y2D ȩ1| =d<_S 3K ͫ,Cǎ3@X-Z_:=Ёna; ʤ:Ӱ@d9NйfUsXpb9r灶 db>}'7wY2?R`VL4l$bߗUMs4Ye V.Ά`d^lVsPJ^<qH[@\g+/z2&˳Aܔc[YjXS_ 6(X?[D;ASEJ]$VE IJeDKYnֆ!n}MV *37? "U(6gf~]8++zUr12"(9>uH$MTUڴ⌻4,5V JU'VvLA}\T#jR^]1k ĕNd# (U"&m~fXCLLW>9.:",єYJfD`sqszSY չ1 ~s!8kǴv&&TL#g2/Ϋ+ h *H({, UY$EK#(ه><ČBm$Qp'ۆsZ{G/_V <>ګUh6'BZȒ꭫dƲJ{)7&V|n2kg. MīN`x,Ąm#IԂIri/g WN_W^lp5F@c]@(wpy͔;@>=zX[6^Iz*Nsc'x+U\  W )quE?1^BjZ͏94Q!@TëIaeTnu 1!3#BEs\vlOA48l|FvX4"Bu4x9HXc/=uϟ٣2Y_}54y,"~cG^aBq2_ֈ/S!R"ՙ7,DŽd7W #K^P`)zH` Yk_ US(wVrwwKl8!&̸E5{A9.Yj*,7~y'?ȹ> ]ՖۗtCD+ ,eN<*V9wy{ǜJd+%P;ͥ3g֘W]Z5||$Qhʘ Lt;;wjX[_60($`cxEp1`ReTv:K;%'P lg_z> VX۷/\z(['qhK+X~A:˜F\i򑋫76+[C4ѷ?mx>3Gei4$$rԸ St5QL$Nv ue4qJB/iR+[^DD| s)!: Iu7ʆ>EZfҼGr~.nҴHUYQH׫;>(u_v(s2,*USB2-ېƂ&YWpv`E**ckF9w2]i+n=|$V<#l W_-lCmj%ۆ.̫+ \ q`ԸE .EVZUk}} y> ?kh,q09ʳ +pIR86Ĺw)@RIVj^}usX\L$/V29x\QK0i߰(>EMPY%̦Td%i'z0 J&GXC[^ k_Xe4=*w%hP+sL7'Y%ݭa} ?p$V}'գ=ʜbqY ĆC,?Z@ef ޛfKW<uch-99,*WiEys$!K ץ #;D}UJ+}~V᧕ *l7XMB͵9d +e򊄃 ^W W_$TTY1=(r <MuWM'"&Dl?!2!baa<*$%݇n<Zؾa]9K> ȫ9 b![f^d-sҽM]=cs}BfjCd ui$s`WW<]=]1;/=t7PhVL'ٝƠ4ܜ}{7Z1`W bΝ;XS!}ڸʞVyEױ:|J+Fa\ . Jc"TقLtD'ZΩ*t60ʵR+WEb/H 8`}zz4 B)Xw!WJOִLĄzB)n}d &bP\MlR,SS2 :Ccm9MieFbY,%t[amEpu . y_ZA">_q?AVe2-s19D GWCbpAN˃j%G5HqtL bUDPp%IH v<aW?Y}0&\i P+gY}+?7!P=7,$p̣ƆQV2缤ȺX7,,4C!ᛝ#d<Le=9QW /L\h ՐXĉu=E$7|y b550ykux@ jPW泒]=rxRPoH(D,y˄rL'tT)6ySM!fuhESkaN`)m1[+ ,ha쮬@ U ݻ>4O WM蓧1v.R>ȾZC@"KLcnĺYwmrQj.j2) Q H`E  pxHh^2:O#MҊpm4 /QǝN} n5A’s,?Yяں*;'G]1PߗxbFl⃢;` #_n#E'|:NHEuf0+A4a+`dwR <kvw(wU8f NZ1hD+ ڡ2eJRP/(͹3kU+f歶nU+,.$݇xcuUNsz!W41~2Od*!?V\;+e%K_]sx‚)comX$k5ap˄$&hkϚ=uHN6lNo>PV`E_vgb)69kuH+,:\ANDxDŽ upf1z{A" @bCO̢z+}U;\gVvd!bIK_S+|uJBjx[Wrs^ 5T9NB5ָLHblP_=k>u8Nt/\2.?VX-9-C@NbW> *9]#D:N؍qtH])Un"I-W(j@]kE^5qB0*gyDžׯLmocP>)bf9$EaX.<tnB˃b†7sm\HolZƙKA N d{N+@`8ig,$7V<p%yFb̚pJ3%FІ1vueVX[!@X*^"!a? ^"v`AvVv 5 mA<uQ  "?^Lcam\ haZ&W[$nՒKʰ\\šEku.sĒW< kꡣ}Mz"),gi0,`p<YX35ꮫ+< eu,/YjkW;f>`Y,Y6WWR`xc fP*՟D<~}qjpʥD|OR;+Jڝ+ǒ: Ļ b$ZǴB&IIa)H8k&̊DO9Jub4T}[[}}z4.O;7ͮ5얈2 wf`ipa[ޝov<Y&,\дQyNʽ:~8<zƌAqh-πhbzPlW X?#"U9M:WǭHb{UP^X%q}$&lk1!.Lz<nA6<14ݟ])Rj9K"gݭ /zwo ~=liuNlxbBzgv=k o+e.Z3,]Sbi."s~CIkлUR"^·롵A;Ξ'3@cŰ2-)*.@701a,xjNL8Lf7N UjZ%oL,EoFCe508{+elXUиtO9O ,wmg4)/oUqݜ4,XHbB^ IW{(6ds!yV*YҎ]Q_oïGAmv WչQف5{>_^bp9-З[OycXAZQb ~"bmY_ R ,e&|\.pH(4g.~Sm92k+@,*b /Mt ymbI׀ 1!Ma1fs~jЏ4,*sUoQPA'-ϸ_yLj~+8n baxd}pwۻ[=Ap=t+vi3Ww*$,RE\4OF, d/͉4 XҊ/qI IDAT`LX *Xpθ3@dݔVRBYs֡9G%7!V 4 +dQ2%?:|Ҋj+aI` |޽{Kw|دD )R׳qd" )H RLvY6yTd{bXЛE)c   mz漃~yFB$ ZZ(ބ7?(*Y Uf1YΟW[Q~}01X޹{`/ցC~89iC*2@nMX"] *^.Zs17,p] U 93d%M BOVp񱗶5/J!kms2dW%x</uWܽY224` 2ʴ,Xe,mֻ  i_ [!XNe=XZ&&@t"WXIR+ ?䝀ko7]'X3&Yc݄Rfc:@l^:xUPX+u=+KCgyfjg:љzFX wf,G$zXV硸}. J\WW K:s'*yQQ1!i9b,q|刯ؼKLg2"ZO`NOńʹ Ѭ+T#|  Z㜻9G'@sn}z>ifv>?GS;+?`=ᕾҘΒox:|R#0PW/:v.8/}{0 wHnzK^`I,)'F|j"0Ѵ=er突X1{lEUu8MokĢ&,aYcw~1XxhbJ 9QYw$#erNB WMm+% WF2K, } ]M|{+ \4,Q^: F??P,XWK^Dg-Ro} uUz͞3Օ+^*uK*r*;six\hȹڼ%뮐jY/+m<bgg+psʁ[^JX;Z oC ^m V=Oh6&]ܹa?RIbIA=<pUWѱ W*AzW&9K@=h3#u~Xӥ LMs)7yd%= ]UXuV^wwӦs8T>I?sN(`Z@e1#,Z" | `nE7E 0aXW'OrE ,9E;c.Wutx0pa̡GCeIX:N&0V~֋utkAI1DžNz,Xb]]a}X9ܵZq~?Co&G\LXe3ٟ2:Ga4aFa>fKѲoZ_nīQ g&L }2$KNJ㉣r5^|ѩNm)wI\hEWz XӐXlMzϛW/4dsJJY†^wA, SkYb=ӹqjTUU(>rGC˜XоCC!}}։+@&׊uDJ, +02ɇ )EAi)_&qe mPgNkT*Fu k1em_um*V&j0\li޽ ˝}=81L!p=Sy1Z<g_~%\6C| =1Tp" <ݲxz0. =bBSYq)C*`$;AM+ɿy:KHrzdy+n <,NOqWAnm1#e :!zL%3Ո|o9M C+xٗw?oO7ΟGee>}7 翽j#R.2FJ4.  Ev|-WFXfBy͢r-GYb>fwџ>e[l.m&XYkgݝku+ZĚz `ݭ'zg߻gPlϢ oWLT 2̦X߲}ӇĢ)w+5kJt'.k"aſ+n7XXysphݫ 6OSOAI![]u\wy45ӎvrS¡lZn<DO e0zG^1jZK$?:j! Kr3^`)ZF;כcWVnYG`4Y 5>MY,X3wU-箜I,7X^c!ba#L`!͂0iu~F'h>e[W9al7\S5pQιÐ'4#2 Jb+j#~Yd5ؚ, WC' sanLȮ^B%>kڢ- ^@%el繯`7~T"dĚyxߟqcwǥgp|.ޅ[?LBxnXMh^|eW`"B,^8|5*gi]XՕ, YPXcEߥvV&q=7?5]Z:8O3ffւf08X\$`r*xJHy[)>;1;rksQC>CksBwrX*-Y^VĶoqzc\LiLY2ٵ U _N5 _hui]}lk,{t:%ov:@DJ#'ODخOj3'ZK"fe&M UH!` iTZGB RӃD IvF3Vi^^k{N?`_WRF}pZ a5`+DJŰB'IqXW a SsZNk@GyC V~T ĂPg ,"aW&s`pcH]# .oY;O{ 3kw,Rsf紉yzG6 l cQ2 Te%ZӋvȒ몉HvT BZT_.≪UqT^B + U-CՅRUY0k'슏uR G%Mkj`ZGs ;*YM}V(d FK[Pa۪mmX-k%@& 7+,jH/X^rS%Cwd,qVs*7UƶDT[Nq*E#' K X]wh<e"c9ȹut k@n`lp:VUE؂qBEY5 $]kze(5R5bKCV߅lCnļEzX݆,麇nB ˢu4^2嚤A]P %h:q}@HӚ)Hj\meXUZJW/煅7eFMUWQ}oTyoZaqNgv=^ WXG; I(:rA+?Ř2,ajt;yU(/ ̀i^6{eyMe}%L>sS-L^ixH׽/`$d_Evp ]\2sݻB,`EO.kFňJ¨x")>9+JXd@UIΫ񏥽`]{u]8%aX kO9_E+]\R6oɦѩjxfwy̺ml>=ok7҆nS 5`)F9}^&5iK5S'iX`9GWs 4U?UcE6quT RCWZa񑒨hd]US,+S2/F-%]F,qyAlv+V"g6j%2#ԄI%-Ή\5Q'5 jJYOO^|[aFC7*h}XT5 ^Tnl5WXy(iv!PF n@*n[hwIgK>MptHMȝjlѫ,zW+mvTM*L|-jbM}U>ON[P}a~,s~U ȁD, >GUtס[T &sp[| mͻ yۨ 6?uV)jSxY*QĺOV@q] `U@woNK%o-٩٩byt㪥UunqLzmƀ'OQ`-8Df+wБOxQ)75{n,M,jJB*6XFo , {zI_+H](Xa@ ~pExr>}ƫ]"cphWeל~ ON:Z8$t4w`nbPj}x36b*0Sj8}qiOK25вF6{a"cz]+#혻s>Kܵ5?Z霢Q$6hnF8KXR4Js0=umdMբVm" ,KDxu.+ F'PJB ZĺبGo5[FU UWO_!Ϸ|&2$ٝpa87͆;ԄXQom75yTYȶdu݄pa=a ,E&y^%SHC\Mj;~A$먺ӳjjJA] hX: $@uUW 7w5r$uVt&tZz"DvkFӿ Q~T >ʺ-FŌ*|ƼRfbM+ͥѤ=!U[۩6]8?3,!`)(Jrqr(*ZcK,B ޜha51UV ̌{mLi:=s#t1 w^FUbb}G?F!ݲaYnaXQ-`LքSNS.3 ,ɁS7\hmm~j]L?C5֭߷:CNL`'o߄S7ë;sB472v-k=)uyAޢ!Ra(rUu)z KHX:J6hl(+<Sn,s{זϽkrhjs t( MS@I Ēm=ՊOno?xn cO?Ay34̻xa6ji Mjު4+PBE9"{+0 $K񎢚)dvSɬJl8-,CO@-kv."eu'K,#ls>Z4:c^&k.H !Gú{ <{.U!VJH{!yKtwYsa'dI/VxS-Su^=FEQ]InyH,DsjU^q|u8hbFxw5o tN; "SW&&5R-ђfa%hSr K2<v;*'x-rǨs5šv+G ȫ^πżNj{sa㨑ETmqKyN`$ӷEd"#t+Z`xk*(1 gi57*$WqA67HpRb-6 ׃umoc[FQ!IiԺu'56o}[k۷JvuΜjĹ?aX6#}KtG)hI!+f6 yl˚ЍRZ]6%sͬ6{No Xb:uKY,`eG|AZn  m''] O%kV i*Z/zfgV%.:s ]u;<.K[C>sljs֍2"nxP`X,! F'sKM@ܵja=ȣV JɰN,T,M67pg[G˳aS0 [XvM=fWuu卥2ks(|v [J>^zR`9~mVX~)XZ#="*E˘la)s-bEh/_jpD6)E Z7ahoӸpX^3]o2Fټ ]Ρ駲p%% ],[n\CV-$]rZ .w?")y?aڞy^.Bx@dj^heWuuC^*;$?,F;$HޛK,^hc!iGB|Q؝#u5*ڲڸ[}w _4@-X "`Ei Tb/BoT Z8%r.Hf,g>w2c!rl6tcaWBbлouGp$^Pl6syKF7X_,էLAwVg9 :9/uJEdrL=`3(A7֧hVXz 4``wyu$V&w,Z}v݉FxWX-ݷ:& ^S?"\\eԠnb 7W's B~}7K\xJ ]h;UA(&`*ϭ6Nח767 h+EZ_Xj mp&2GyxQK!|W .OA) iC#ֆݷEGΥrG<,lc5` 2۸A+a|iQZaB ?{z~V!P)lV 0pC, C•Ԅv( ˶U`gQӄ>NIB1ֻHwIMxU55XFƆ*K0[F1$cZk+0XX+S8 yUS$|пX=tN^rh*Zpٮ/㽘Y0؆HE RbzS;$8&75[06Totת 5 -x۩Bc!jP҃aUxo߃{OV UvkC0-^u$VIer n!+~J H?=rXVBЕPejx blR /ZVNCb7nbXb:/JyTO^}A}g(\6[)xZ<,qvQPD-+膔϶l9v٬&XoQB[¤Or ojnl ],Ě ;5S~ hdWVAč[Y8\ iQ%uybs΀fWyNf|$#[ IDAT,x\* 'In޻xEػs! XAewŒpҵ*qK8}b1k-,k\mTh^K, R -ߪ6~{OaٯxQXY=vUy% ,H t JY;=~A(Zw3sH,Z@wߒ+>%/"+'Ɔj4MR~VQ TBym]H~mjϸ= ŎvPG-p>(½Ve`,ygxk lw/C(rVV9N(J"yXK]<gWV U 5x6ڱ6ZKyxglS{GǕЃ0χLe+" ihZ}Z=,?rڰCem8XڲU,`Z-Ǒ;O&k{%ĭv.- 񤋼R,yMHVnXxNUB5 l)"`92[oYq753{yK`U6}G뛅CXQ/򊼆8v(,}x3q7)uC [oQCP^+GuMؐ0u1&OIXLb]U.<]XصZXܯ u]Iī\VLw+M8 AI`wv҆["̺Bs m($ j:S`SnJ~|R`&D-t}nXh5:Q]M0qՈh<RT2%GO7 {7OhV knv8>  :1<1PxGG/}#ҍx[啢elv_~ x2ާ6@L9;ZyX~/WHN&V[~qX )֬7yE lkȫH,>l]Evf+drTnXX#\k $)s" JݷSo?^vy G95!Cpٮ=e`K{*}xKB1Zbyux:,7WX( ijz = ,y=mшE`Ύ/ &;HN͐:~h<Ԑ+оuz^ڏigPmsWSj$n aI,y߶@f/L~^,O6G+M `ѤȪ:0ѮeWD k֔ӚhάE`:{~NXYsO;&Uqޔ\k-Xfxm+B:Mp =XOU((ljuŋp(^-7Ob` Xe]X tLi2,a^Eߦ&0C,[V}Vzn'!ĕB]g˖ b Y, kʡ͝el03.0Z @P?88=MP 6Tr"$RD5- ˫%/nW9$ּSNgh>crj~=a>B Rݱ*8fAJm/{r\em<+0;Yw,Nr4Nl_ `+V%P _#4^hfe%.M@-$L z-wP n`U4VW SXaDt@ٰ]Zs&%Ͷ?kq G23U=^eH~sI&-|H7tB.vA5a4Q>u@U,@[D 'pXO+TCHcEv ٜmyճ9\EEZEOWe]B0ew:'SsW?kN,ku4`r3VuVSSW޾xYh$oo_1*l + XOW,^o+Xm~x(D2O XvrAG^QSmF*\uDVV/"UGm7β0cb@0|F]7誉ra0e{Xdݾ CT;(oϪѾbT?G8k­ ,OA8l^8(%!cEѺ"Ks0 THVJ}XۖXz+\I^JX3|c`r>SpA\ J[!+Dݻo/g1+9ܩU5aNQX(ExeuE"s74V$/9\ ApV7ٱY"Vm^-pݰw6"ՒcfVwW}<3\.*۽HKYs[7.BM>jjݫ5{-az΢B} бH_L 8kqXk$'UɀM]ugz f_GIJά C3 ea+)sH uAgJ~w53A`n#O>$u&Gj'\] mڵ5jBYzWBРZ:뒾ܽњw:Uzm˙01XlpZ2+'Vx)/lYzEow\R$\:+YXo?'Uᕪ"|m m%e9Sjmw=̥;BprOsv>2lCU#5@Ml}u;EႿ>Jl5,& ;oBh/ɤv̫6*1bmW5NQU"'颴zʵе{BN8Kx{B&,6! ^߭^HQhEϣ(hJWyPply(,asu ;NHv;[aƌ(_(;2<{X'nvg]4C"GȺ"-:UKwՄ6ީx;V3V` ,8o]j "C'4]QQAk|),2;cv걱kBgZo"C6L&khۼdo=us7ndݾaMX;5bէWM4Q XQczaXF[Z 9 H,s\S:}ϓD)W^uA.Y1Ar|Gkjw_Cj{+$sH YF@;> af^? 0OoH*RXn{ 2O \Cyg^g*m4,)- I=,ps᳼SἾfA){mykbBшOV t"t&1|n}uzqi*@bd-ZplKyS *C`uګӪmNfVv 35~g ދv@p_qH*.fSlM92bUQ`W:Ϙ1w?I" qըr.*T*B/73cX'&Z+rqMP&W Z²V-7p>²RYiaTX {n,vkY}+7+BUMh5wjkRh8 G$)(^]LYQ@j 㿙o(TF52Uj_4:XpVUVqޙtk% _%ʊM1+,վa+2IGd{j߲oaX!^E&4U&SQ^eׄ@n]JM(m/l^M(z8vJV/wݭEkn/9mbyД;^c$a(ﱺWYY%ūn_RX\+bE n*PYjիW]it_fuh7[Xz sƲjm'FזŮKũbI7Νk.`} h8dvP Snv-]&>"'읨".VNjBs@FȂj),GV.&W:ws5XŰPXVcc%ߡkjW,^5N PAP:Ӵ3 mhCxG"Tք 5A(ؼjQˈB$bo詋\|bwWXAs3 } DaY nt;;fXܬ qdAiQM.'@U+w{:Y_thH\8G[U:啢&4t}=33:X(VEy&YW⬭Rք D^Uk2/~Vp"9 djxwkB}@A7rѐbIdd;\so*B.\aZE pk#GBX7(\n$&Wu(8xsm g~!G-זrq׵{ªk napӸ*"kjUV"s}Bggv<ǔJ6@"5 IS;vFXV [X XXb K 5OlVU) n1 B ~D+RN@ `5p .!+u;X(>lB\5ZW" 9-U`9":&o-DڻUg2Ue⪛'7$:9p55he"Q>nt_>BWjB!65#"3.nA|5\ ZhĚm)&KIzXQ$D>  8w0 *$-2P>ZE(:X*) )[ĪKfX4{9Hhe)rtK- V~1+zVYVD+lb}s}[<cbp"R%`)rܨ5I`aohxfu ŋ]>BzǪ8  ,-aZ6%V߶]ܛ')j!cz` -ݥ6[Ԋm1=+zgCZ4)%@iH:|Moy\^UQִnTB4Z*]xutɋ7oѫR*)`:YĪoVv&50a=nŊA⸂X3XYu}w,oW^c/}Xk`XpAa943UdZ6z5,4E_N=0s<L a6)A-&ny1.vH:ʫigن+(Hue:Y td'ptGkΣX^ o)\q&Tz7joض .K1u&B~Hף0U+ UX$F\M{#ݱoԒqhXdM`III_5:XIu ^EES'*LX>xjʹJdmXY8 t1J,(-+ )* %̦B#٬l6+0.,XaE<d#]f"n<Kxȗq&ޝTFMZ ?7Zpqdz5`=jn(L&/hpu/!(%@Ã3 O#Ս}^!`57KBkKs["ӎ%F<,? ,$Fӄ٨>ayA6Ki2U͊Lz P8߹c~ߖ"^]QXFdjG qsnU vQ`U+]sV ssm{, <m#6m`|Ux`@X@f.;,V& ˾ " & D@m~zs ZL-Xj=)*ȩUa q ~q G R׽el5^gXNӯ`Q9bB*+s(vCjDY}u58$]Še>OCj%bM.yJ_SV@PT6A ` i~T a3yϾ>>8og/d ؟8XspI2L`Y^1"v'`yHo2^TXq"TɘhN1l?&7MFJ wH Pi1eYW7O@haMIHV6R quzuT * I,$%[ -M8\'2UIwyN:] 3]Bkt ,D,V={`GoR4R%c<cUk۴bǬ [ ffw@Vf] jG}^0UèBXab!TIKƆN|hZcP`pzV;>!XK4\[ ^,V3:Lv0cU8;Ii(ibXP(lH5͐@HfRR YWLaPݹKE<@(lnBU(J@Z]nyR yz i?N٬+P`'_jtG9- #% y($jJ5vgcÑ\27utb+ 5֤LiS QGdDurloe^=Bp KQ3>3p~xVܹH(D/)pˡze]@WmϨ5%TBr(TҀo-zi5xo^^R  ذJk')t^y?k@ĺ% EsD-`uLa<ԔU\q*~-wn܄!Y Y ף4:hpp+#ŮoI.t4jPuJER h֖u!Tgԇ2qKX u{ zq%@nLStey 6y/^z.3XUp?2V,mwE鷧\mSJG KFB>k/A!UoUH){E&L7QY :Z/[/M\ ǯkhƅCbf<P s_L;pPo!"‘kR#Ҳ7f(V-wF݁L.ENR)7W$'P8 B8B%l^5*>&iTe :Ԯ˅%!ngy/$'$}|>Wk0 pݹ0*AI,$A5ٰgr],6^5\b0;<Pچ\* BaTM&uHXU6 F{MBxh B6~m_=\0B|(_b \]"Eˇ!6 bs)BfI$MMq .wRݝCACHTW/89-@LЯvBey}U,**hb6p+EG)a)kvtJ\>eܜ;n 5J me86kkQ![YlcbҫacF5@\*Un3BS T`%* E#d$d$!I16 *W` %W&(`&wPGO&$Okwi0T IDAT3''sb_&𯭐9uֻ,A4x1^;%,0 B&n;3HB&.Iџ;`jyS]*W,^ɹQ(2{y]·vvr?@ɸ|(nA0ePb?c`5Kp^[5XiwyDdmD6jYi'<(UW.ͧ9$aR<}]:B+M~wuDc& 5ȔX`9(UV֖9mj:6 b1u4Xph0z(*,$WM`错D.|UKvw7Kʨѽ8C״߄Z]]ި:W_`(տ̤g9ޡ9Za\󔋵Ƥ-,4]wB;dh^⺮LQT7?)YH {DW= rgɋ'4q|#x&Lgsᕲ<0n>T Sw kPW Xa}?nW2${~,F˥"8yW_=Uψnm!ȫX&KFkqaW$PXd2q虥jDT"T! vץ{gh>^%`)Bf.FfU\: Șt5`xhȫ~k|Y9>wI}Е6Q'c0#6lD^uyͯ!h$Jh.z&*,IEX|*⵩測nRzw JVR:/zn B^e&'t,^[ZZ&P+ nD^ky%ƺk?qBi<5-d,=OmTgߥk>NTT"n/#|Zr٠L\m[IVtN#@BOxۿBY_0~_ŊPԐJ\>;w-]qc};b:p@Ꚃk/2r&=+YMU~żR9m0R+rNFWBgjԄ6" )Vt,smׯvi\QX[3!qg?Q|-yX/MΆHS6!f䯀غؿ:= i+y^&ldnkZ uiwi|X,DlAlpy%^ꮚe{H$G? G#7젆K'䜋-4 ,6*?m3KZwX7)wZ_gAzr r=kTWK}+}"Xh║l!GZE HW5Fvy q|톫>FXEgpOanS=n𪲎ǝ5X:5!x<قOGwx :^ޭ>V[,kx@Ɵu }b<VPZ>1e`Ul)bmlHlȻĊN/u)ꅻwhQͶGlyg̈́},o. 0QclFEw9۔=2;x͛dʦ35,Η'V7z'R!^<QS3 h< Lg6I,dJuʐWXu cׄ=FgFa2#ʎ4c5BT,@]5+:%5E7T4Go.e\&tѵXqe+RO[Jlo q$\zLJ^fՄ5a]]ЋF<Iy4;K3tϵud&A__&75VKaY (,r*ݡ۹Cu ?az0.͘F2Άv,r@^yQN/t2Wj$zqv_XZ#^͙{(,b(6Y@;:g$mWݻM";:H,%ڤ۫FzY5HCxL% u|yt6DCb epox2<5a5`^QoX8ݰ΢ٽ.{oT,uՈ8wL,G_3yss ijB2HLO/讙̪Hl bQ QiAՁly(GoƏ|߼7ݙv㈼1*ߜ^,fwd {S`= 2>TS$kdev͔ܻɛƟS&щa!C6,\%ք9먔uJ(W}^) `Ŕ͏pQ%?iͫ8{&^Ұ}nbifwdVn\(eVxօތ25}Be)L>sz#n>}:IJDC8O474>RG DX2a߀*(mnpWb\'q)Q`5%k.}|:6G?Ѧ3/k:X:oX۟ K%D;)i/m?uV9/0dmH8Q~+xt60,iWc9AUH_]hm}xpXE% -<f&lڗ>X^I5>Y;s+-StOok3yu&h/ĉwp[-⌭LmXJz>'c Xp_ tp=m kB[>W^9>Oe"r}ĹyE?Nk,^FAXT@Ah`K kkKTΣxBbQ7O+^ +OԆ+7PE?`'Kmu^vC+;z޲:<4`V܂7cn%]^FEye~-R[$CɖqrZRxaQrA=<j4 S@jb5 m"?੃/?'fk|zӅzp^sWaYMxWU!w>2OŖ,* ꢁ-7St˽Ͷ7i^1 &ǟHWU) |dЉeRkbM8M9KiUiDqJV:0l ~+<ئ80MyY -@Ý$D+]VxA/ԩh1KIeꍛ,Y$/&EEi`{Qq3 |D E5.:FZ/$9FW=Xj-q6r m;gAgD\Ozc+ݻfQkd-oR+v:2ea~D&VYJZjP6ֽ&^ЊZ^Q5!\{Z&š_m<->XKVyւ'>+!n$ Q&zsO+q+A -)%^KW(C*VԅGGTͳe3DyV݊9j?$Kpa+i`m xG-ʱgnxʔig^~jC_WX7:5!NbjBdvv⿇)bFs]`B<$,i"ONGÅ$C\^GfbB yU?pqnڒPbئIK9ӰevD?8xp C$}w;ɳZ祰-%]Eըmll9:#)8fvV/cyPdrX*ϷN:_.g"!m ^ )}X沢=IuXQsVw ,2`}C+Nw< M{O~P滇Zm߮2R |:m'^5\M$˽߿W=dXFpvE0N5:ֶ ,|I,W^~WOzSP__Ļ &2( _uʿ۾nczP\63گ`$r>4Sѹ>۸;j0lWM `jyŌVB+Z^)G+,nw ߌ?2Y fv`LY ~q͚_bucߕg*>yzP*R`k9S0}m7v-} I^6Hy7rU3Gm ǷXz+OEɡSٜ3/CqPf3P_?^ugv{zjByw=!xlүY)ژU>HgrNʀ^Pn;@`^Hs^?SJ=ށ4 5{GK%h7"*Y$uj9p)Խz敗;W@n'_|ܚ Q 5<][ wV7@ 9Um)V7/7 '2+:$֒K{;Z<R+ڊKg3u?ؤ$, { BVIK9MK,60q W&v]/P, xu㏿x<M4L~}}.kj+{U":W%ֲ|FU BhJ \cfJaDU&e^;wh&Kgj\<iggdr XL+˖cMwz/I,fIdE< ;m>C迂͟,gX20{떙M^j;;u@?BJO?:Կ@Jͬ4)]o843`V腜 ?\1KFFz~L2UX?!fc^8^[+,=E5ݛX3FPɃ|v١q߃zi֭[@\Yu̝i\tvw!k]+;[T=43ݨ=-M4lb'^,u9R}*Yk,f|hBGGQ9kW3<UWaENHU#ݝG T)32(N4q/|pW^~>?t"09~)j4|?C4Uam<":UX[|TV3ψWbE!^ aם0Gs<!$gT+6lI8zB]~/~|_;WW;::;: =u1/}ٽm}h^VWqƳboī\~¢𑹡w4v!%VurPCW^~gO>>VX4VS,&f#[b}К&7@k:[Kt-==cF\U=^O{X5۟9+-_DM̗Jj<lxD`YX<a;3ByA̫On}r+,XᧀiHĬraUnbumŊͺk&m:^Ik;Q`E\@}XcjBsC4}*Oےc7+k%^~ |{xls3.a s1螺~8 pxXVwٱYMF<,eY ^IJ2VcJ]{w CF(zXv#=#TKd;{,^~^^|V[_|"$rX4/ JXiv )me6F xaHWy2.Nw[XtqȢ[4ҍ%[).P4lRK,  &,h}C&c > [uX2\ WWpcbЄbU}w}!xvJY#!+\-hy X{8СA v~\Y󵅊*<$$V"wQDk] V<+ݫOz峠FgIM5ܸ(@QhX7 ޵ jZskAVT0P''ErWĝrEu(^pĻCr"-8LrNku6aa\AV-dg>/ڞ}LL b`ˋQmAPnjEO\&k1.NB2웋= 0Cbi(ʪ<th@_` 3"\YU_cvUA ,UhL8)+r LX^< *1l|=1ik ywdwhm6uSռј=يY` Pw}5Lۯ`p%exW , RH2m [{-+wW*%_ċrrnTn &\5|/Xp5 w-=쳿|! YWMgCO`5mK_t5!Nt_s,}2iR!WFWejG\p @ԁD2O2ChzG-!fk^kWA;8Ѐi:Zz%ol1/j]Z>?PW>YqtMxPqN~ُ~{ qGk=+r?n;h+XQNĖȪLEMVdVQٓ wC!k$V#ƺ?W0D=% ,*<~MXiT!8-A(9Y~D&, W,e.~ N>%`nhM`ՙ1 -Rby*#8aU3I]t` '%g4З=9bR;Ի;RrM6lMa ,PزeỆǷ`nIQP ._G^ mHg>^Z"7ofxu_x_J֪UϢi&-"g3L2c‡to K]5Ѧ:X,ŌMto,T3pg'܋@]p+D_ۿ~^=." $Vs4Sh Y;qhzN_`!?T>CYYG2^Rlk`p*vj{{AS&,^֨Dh[WQȒX8_Xve.\L)x(+"NB[o9}'JE,+SIyPʖkͺ3Y⿤`-`}򮈑+ ֶfMMRW4haY˲|"7q9K&W#\o:vUYe ~OEj )yJT>wY EZ3>j1=\bJLW!'rF1!]-,+>wzǴÒO!'u+V~_ !-|]_8}څR[OZ~e 穩h̫FS9?HUp"߸<>:%{fu- p/;Rq6X^I:m&w}E,ux%!n  Fr0@n/}1 2.q ?Fй듐Ŋ]1-gׄ Wư`KѢfZI3 8KU ˨bs\akd&z 0+S먇XmX'<,IJҗ75Dcp!.7m%H5|.Z/ǟAۉ Nkoc!^܏M K+̌/S_ 2<KKX^ DVzί9P6?(y#rd Ż0YML0{ZNm IDAT]\I S3)M4p+& Y-,g y0fF ~ Eݏ{S(ޝyf<%T\Y{YWKEf kU5 }Cn\;:hL*ZiggYﵘa;/a1 gVk֪~}kQW!C w[*AB+!*ϨgJbZ wAPY@} $;Cf=|s~ _ԞID-R3Q, N}ccy> a@WUc]$ +B/:[4e/OET_ʾz? )קWH}p|rxcЀQ=U`柽:*Ty3wxXf+~l+1oQbiߙCAMh{A-F (޾_6M5@ecMm_& ߽p[+J 6\> <le TyTˆ6Zeq+mo)ӽ^-e7[Ѷqjpp&L;RI!BA>N8UG=,egn| ˙sŊK5śwxh2Ah5yE^qiҊ}+N%TK+nbW dQy,?V:U3ņ7(sh <Rqjr썥I[s+[T50*ah9;ЁڬaP}WbM}QyF$I~6k` o}5/$W2h=sesgΈ?_ڵ#'ln~*f +Nq8sTk؛㻎R*K/ eJo.K;2zs*P9Ͼ A2 `Jo}<jB-zԞQo ,Հ\=5S9# +_a}ry%9_}G#CCC2}ukl`}WMK\+b\V52=1 [ut(hb {~ )UHFPb@߂u%{BƎFV*Kxp :q8"|\!P||~gsAɑ5Ujs~xxxϞo I_z`4=Wv>[(XG_׿/ḳzZŸXp<ޏ d9KTZ-ebjә.[dj{w([@mcՠaM#wIa<<O8곚Ԡ TQڍFDTr3:WIu|Mb7$&968ϟ2Z$ KKE[׸'ƴbĺ?8q Pf^ ZoLXQvXFՄ$!`v|.Gipl;:ᖻyרjS<,(ҪѯhzafCf:?5ڹk=YhXEfw-Z}qՈpտiy4hNX<QX꨻t,67eBi{ǖm VՍ6f)k'k/IE.EÉAM?y8O˫{Ұ6yЬsX^j=0۝Fwss} ߨ7|K__hy߸^ *k̚-ױo) j~2ZG/͍i`]VVv-~){k` DY-`Ά=;*|x1+*KRbqhL* UFD?~FVPs~ޛ:ZS5P~_#Y*}/ _Bf]nD =SbzpfYhj3G]>66OookG\kbߩ;l6אַF۵ E˨vAHݽ't zMwWth9\;$sXXcĉXWX_U**DV+_ƑQywÑ4DS,M}@deF m՜oaww5aAaÂl";*M5x``m\WO)}Q)02;$E⿼^5Oz{9OVBav|*4$pAnIpȑcN+ǯ,ԅUq V5*t,(3uQ^\+ka)yCLkQ"MK!d !ɁPx<*:i-F%a]y?p3gמ@sg7V`}||`s /ۏ:q/?{pi uXF'55a1s| fCet B0AKb*`mA ,,ȫ^AX1w:ˀX~C`zz 뫫ZBT#!.j#:v<'N|¬iU!~arZG*%]q92_>y}(CbMxдR4RG [䘚mda@k$79W=ÝϠHa3Pln<8MEe'̂B:8dgoߞew_Ь+DQKQza)!bbYDo-<<iQ`:wyw׿\`(SZLv?sxuj 5ЂzM ׅ @qMO7bnSH,"zwYY{O%$,1i SHitbb8Iy.v3נ!2;k,Iby(eղJKFjH! yqeMb# =VN3 ՃnKaJ=7nܹ:ތZ "pno:37rͻ24WM^;'lT$k0Z4XE3 Z_at{gNٷ :wע6acF!ϙ_TH Bnb0inX阚nZYuxE6_mw;Y=~kfe;W<d&GɹiWkk,UQoR]R%3-wFu4TwzĻ_v!ySfЁJSCW,߿_}{OpGGDݍyNvTC-Z }c+QJv Jq7r4Rf|UbҨ#?{<.7BX9?MspG7J:pHyR5T6S_?hlHuOm򪣁yzTdq*j–pcߵXf򪆤foR)1˔& 1ܷ:f̏2U . ,~bxCvyU,ԝ? ԐĬ uG%Zy1%ea8)ػKN|q+ ,XDz 4q줎;ڠgZa>M5k‰>.SpWʥ}xF'3Xپf2Y:!dyʠY١L[IW\ٜʨ} wɒ,RH t]*#;̮yKZ˿-`uf+q8;/K"_#7Amf!ZJX{yD `Gk´^WW:vmn>ܱV;T]I,:#!,ZbyeWgbjQ;쾻C"~EYm,ЦxeL0Ux0"D1.C} `ƌ jRE~9#!%Hל7_ؒNp|& vf'b i$hd]Iezk9 (BluM4H1ޔE ro5GgO dii+I@~i5QCj]Hqwv} SF9EJRqW,(F˼+;&49 <Iw\U6y(dz<cϿ1hGS̀>|?ZY%hκ_*Un.(`PfyېϰݙU,4G2u +2YȪCd."*hWMթV{Ď;άqk20R<03",TKngO_l. U OQZ'YX*Edj5/D+ѥc{G/",{9e'|%kXdB,egga'vܙ}wώe XXymiӧ?z I[*~iO<nC "r6r$i` Қ>Fvx],QF&R߶58bwygt}(kVkH)`E&;mj3."wC ~+g?:ݮ*w,=8Ń_ ,&Y}}HI4IfBaR@dז.-](j/ZWH<֦z%BXm [Z OJAGv14c]NCe:ǣHK caWϞ~V<W?#{N :lXYfVs)X,ܘ'z~wݳF+[KLC&IRpǭ6۝tQ(ja(,VwEWϞҬ![sx""TN^^m;*sc"k+Ɵjz*NR?]^,svPoL,PgyGR '0`A@+X_o YYajJm (SNij,N^u )X?[b(O,| 9Xí2=O>KAE`% ߊ$eh|*. <вQחVgǻ̑;;?y|4sm'?I?yORj ^c()LHr;%ݬytIlo;Gr`/NWc}b!dɾ!YC=3{&k0_S6dxi#x~w')<?}&xU(ҢyK;"‰hJ=,UQ(A=\ۧ6b;/E %cw 6 qÉz': rY:M8s */Y%|\ȵ44v4&!ڗWUOO* WY-w hقGviO`Fox5``MZ/;#_CXpB $Ӓ~9 S-vBA"?p9k&i|_C\W|}b$g"Oӧ) XOwęvot4, ucwK(™wȚXgΝi%X S `I]wŠ &ϣu(PYM ^;;OW ĖX#([^ĪY*yHSN|ZuSTڪ) ՚ dIH9L9VXdҔ+05HzMu[/`$_\69 ɮk?[si5X9%EV&MJ^QE!ΫjSVr5%EnWߓaƒBsw G_\pfkqV* 35hm{#ʘLa`5:XY,tL\$X}Gc_sXy'ռz'(d +b&ĒCUoIѰa dM7hId`u®;w֐vİ@ŷc H8Vp/wY+jdG8ZKvL'%IXO*&_}i&^8t:$w_ ҒTwG2 ٱG(Ķ)'S4tuMhχ)h+ryRz!uIHk/ C9'u=x7hia:#D*2 BL߇|IvAHՄW, ok25+uA\^i8|[:ky}%I,*-!XAhk)DN,prt%dDA-?’'W|?N4bՔ 䊰''Ow^InXX7G\f: *^ |bK(ă9EgBju9K3e|<̍eI 2kcϓhbs,6al.WEe.`M@%yedƑOH?FiczG('}T_`aͫ{{ׄ$ЏTg>.gW߫UBXNW5tNF(5$Ӧkӧ|K$V_y=dѽ,ӑ*Ȓؿ~_O. 鯍twk@i͑O;O-`MgEU>~8^!*ټRpN$5<ηJA XLl1є =bAd>HWd;]+&z>!XޚeVg̥hi]^ ,%!,Y Eg.s n !(aGmGjE_B]/Y45YĊ rĢ8|_V: ,ApϿXKR}Wyq!Owi'ΫxNYtYuqTgmJfjkt"qP1F(5:* q %M,ShW'p4Ue`ś!K[email protected]Q,pC`%KVh,ov:zwN=SDq,yH% Ce.@XKM(_0BˁЎYC5!1Qvwplym9NDVOdw7jJVK}w}-ԯ6) /ldLY'q}1#?^MaCD33ywXgvJToǧ7ׄJohVlFΆΆU!Xmp>NuVqK6wߧRX).fZb&&v'm_<oyU^$z6[dyXīkQ:nըխ7ʦ+{M~xtXUq We/!=?KXȗQ`y?1Kڊ/ {VXw+dԈ~8.T,&rc}sg`EW_EaCJeY| =PM6i:NKq^3<pO3۪ _UYTBEzީO?5a U[_1wÇ5xE@ج}Dv_h<F'.Ug^_\,d{y/3ob|ľ!͙yw8h:9` fLd^Q!X1*?3iE-qXb/fVi(_:4*CkinSF=!7L5ox2"˞WTsB`EV|Q#Pu>`Y`(l1w0]S\䚐уTB~ϩ.'\A#/ׁ nH_|Zª7XA/X8l^K"{XcpA`M[rGi!H66犬EWXr}ӺR`E7_ \(` IDATj/=j͟8xYKsĦ9^TuhX^k;5I !1=ao9X[jf+f`p;%6Zf40T;(bLjgw|l4R;C<*(!KQd9$!r^Ad]G֟#()@Pj Cm*,ps&[HE=_huҧW=)~TL h,2гTп b?k/ ѽW cleXd4T6| ʈWˏòAO6m*yV Yg_P>jeG臆ZteXbKGבA= nVB5V7n mAz5$!k@\ RTw\`M3;ҽ1,3z85UԵ21J·upp?O(mU_^<?,Gw TGj 2}bł2/*-x9kty(\skqy]pfJmo F߆Hinr𥷺`tq"Isv[M^(Sb]Hϫ)^ `W^t& hx(s.&<};}BDoWP`?h L͊ݖ#:LC?џnF{nwf^]Ա7-b1V)W-$:~)h-Wyye~N,3 .u՗sLXNU[!痍WrSuv*1?XS BѺL G"5.1řdNLpc[].b2BϨZXMN'[_qfȊ"cNxE$ո#:<fzxW`Ɏ~%)̨Pox@5l( |܃Ga/Лڹ Vqj#OT*-g=>;Y+Y`I{1kB"a"T"LA;"l8_0m @bU: U7]uzY/4$V'hїk=w9݉KUaĪ9`<OpS8Gd%蚐x[@v=Htd^NWy5_YLXݾh-V] XAh0^F^ɆwW-KU`Y+AgА_6(e*Y1Vòe~zݷ׾-4tv~qfe׮0g嶶j VW]=K$`%+jW4+_7s?|2t2_0M+-˅ *,H* 1-XP:?{A"L5;P5*$I`o cV'2f`>ޠ+8Ԭ+bXR:7׬HĜg"f ^˞VȢs! V|U`0.B ,Қ+l_WUhZC aW <]mߏӬ-KBNp`p6mC#)~Uum g\R<Y#VR" NwkӄLEn n"6a+DԷ#@L|#HxdW^ڣX3 |c{ (jG?*נj3{w4,Mc{3`3f^mCEIv}]y)FkPHYB-BXlE}X/5 eʄTka@0 `i䑜ېao]v !ѱ ub?wzk`a4&%̰ s4FzY\<)mpG/\qx<-6u5tz`MUU]-ӉgރUxD搮Km02 uD2XSxo-Vna66 4V;`[\2nNa`ܹ6_ [5/WU ;=r栉,x@0!wBO殂pDLFr}*sۂXRWWNp}U%4&G1Y2HVx?ɬGO'_7+bl`A)Wj+AzɒE)>K|T|76TĪR.^?XSs.O,=-edkȰ A.aykSG)}tڑ~Gϫ.Hg9yy+;͗ n*7>;o>}`w>W 46TUnq,)|uXuC*YxJOZ PSVⶢ%ұ =1k|tXB30f,aK_΃vld,WoX֡BgKrt1N˨ H ~˧hYVplT ]|$ֱ_do#GqR-ަu42VGT%sjX,Hh8w<d:ΏdFO=^H^V1Iq4qOSd]NW#^{pp`grĭ !`<H5=7ޤU0OMmj/"Փ R-!oұ"^䟋4F,%, $:8GyljTORr?cX.בw\S׽^Mi~ԁ.5իt+!Pj6,.n D}vj}!G# $L3k0I}KFL>E(`Q{@ʮ\p^!%Vj$ËY`x%y6#:@7Gxk k5-~sp+ d֑JZԖ. "KLJ TiHEmw_.axw*ְ<ϟpetx끑cy:*˕w%[lcg Ce&v!Cm_PXr/`id,O%18U[mL q> BfLMuHԈxF'4R_8xA,YNXd;I63[GD͟PxRg|#10k*.+&!GP!Ƭ kn4oEo]_L"ݹ _F$cuNO~u`GtZ.\ 㑈e%F1"Hl(JtSU6V L S` }$GW/ r⥎M K*5P(Bn ,Zuzu}G#)Gb9V$/B7f}rk#X#JO>o>4o~OgJ[ ,0X^y yulq  K@-_dl*I1+'#M/Z3X|F!zw#{~n97V,WEkE),WnhXT2.!IyFq5t_TEp%k]]#"x`97=_#cCsJĽ,Η6e>9YlK*IXXh8̦4}becu4֜z.i,, ťL_chV,˲aQ<&vK+e4 a\`ȲckXkH>1\! _QO^YW np)*)R[9Bdob33CtvNתSgtmq5&4"hJXݮ4_+)LEW@Ce~}nUjip3U٫kFŒer-S f#n{7h#-#S ڿ8ntȟgsSWYQ3<-"r# Fl3Z4j<ᔬb fXOa4iF쪏;%Ri,nJ4a:3N~7fe.!vA [.w*`8+ 2B-8BMoJ0EUVwu ^;`㖈ELX>#4xª:=~Y#G՜y),X1J`Q]j'ƨqki2W H4?R zb+l, ͛A W=ȗw&X+0$r4<EiU/Ȥv, nTg#E/7V8k-!#:~dqqw>Evk(O&o;BZy:)J'*_RJ9KBD ̡ntm!oj/`L {ʎ upAhTp3[/ʙX^4OӰig3<mQeRYQ1vN;}7j6n ރS=YD}ovgsY`f*#%*d`l~V_5W堜8UJ,j&zz3AML4ٿgSl.Ϭ+wd2ߘ?}_w HAw括_{C}*p?۶m3;mܶ~Cm3ffLm[8 ]a@eIģnn  w#K: BĉEL p ,rmcxkSRrIع!0Ѭm dd[Kg5/"t{? v|s:14YJJxE[߿ 'tgf ~U(q;2xx`|v*nq7V(u XԶPqHXaW$?7768˔WW_*O`dau0ސR:8+N]scxnMvGA&e ¶?36pUҐ%ʅwf Y] nҟ~` HB<偅#_ݵq]E-+<(@/r5^ҕi\o;%Jwa*WI͵&qnjS̶|Lc+'U9r򖫺WcL yUܳZ1.EU)$Vg n )U UU;gwV!"km@/Y_V#SQKv[@?ubެ@Rx~Y_td=Pq Pia2WVlK/# 19&8"98I _{֟*S)]L[qZ=]\ˌ]g2Jn -`|=DU*X<t2mvGEm СN@F)Zdqzs9 +VwWi*?)&J iNuol<jF\GIQ@fUQk*Ud !\{Nݽ{+VƊ&wy5}[ՁNyj,vpx$Jn=7vnpNE !qNĊ*مU*FA_=VUuuA-R&6(ߘ"mؖX s}8l}[V3ܛ u\\87*ESwE> l۶s {m\o6|b͆ik#5Э.h$ ƅ77˒2 M]%+npNE[> ^JYU=p`qu4R]U.]+Tl3 CzB HRɈ5\K ʎr-fG8UT&f>% \l] OCCO_cLQspcRmνmAژ~U!ҫrݙ U*4Zmq YO% 12=9 u3 <NsЖb:i1w4*z@)՚)u6XN=ĄSb53_xeҠ/nߪ)J ڱtRŽN}턿;Ѧm;=nAy>Z6.r ]*ו%nA`˭'O|ݽxk XJ 9Rz8S_seohn,b k|ɔȫd3`Q212:9Wɰb>i̶ؾh^f"V&_65jj5UXVlImAmb5;[3q5x ɓu, 8 |዗ʮJ,p5e$ ~8`@qst2M!Hkb(f‰dC`iؑU^l3LܽhX*/cq\U_[j5Kg;gvn(vOoXn_*7zC {Eնm@抻3<w.qY48]ǎ=zp;qlΩ%vlz0 4W'qVDo|{ "%// :|?tnX뜳VG&&j, tnÞw5X_yB`V/ūW Ra6Q0+,:/wUkR,,]m,LB]@|Y3\n !5|~.VvC֢nߎ/&)C(Eo_LDI**wrAIZ :#uT4Ȍe,RXn3Hn^Q%Q/.2U*@ڋ~u+Lyw*t|х|XV5ӿNl6TlC"<"bYٯvYBk;<߮!atAH)TشQ XV'$n_2KR XLUlVUi>46/jG`WX6jEgjXV~ժĆCbV$bqV.qTq;Lj$|~@ d)Ua  ~<sܮj6?7&$|W4Q`οߓs-WP'TX "XMX^aMf)ab*tPwxSdߚu4 _S Ƙªݶۻݵp8'j t*oy۷n]+QoK\Z羴 4:gsK*d bKHf ] {lo|0hhj|XH<>PryE5amOg7f(KZ,s𣯲K;[ډ%u)̚,K: \b &V$[ fsw Yu4NiI*T7>0ӛ7\?-+/ve%UDd[b ݕWVn9w]pR'_|*Gb,XlDn, 125ʳL N-+?Z\dS )"V,Rq71!X\"R;;@zA{Ϯ Kb1#/^uq4<:^mb 9Ts挏Ci*_o**zpf >7oxm ΀`40Q vwgĂ7Z S]ZzSYHa OX9G}I4 Eı]NX]+_ |3 [cUUdW)u8 IDAT M)$t<bjc\Ij׬v4s@{8[n&V&@ 噦IbeY(>:9>QMo*PR=")62-'d3 !hڲhd*8xM[;^ӛ.VUQG>?O!{{I9Oi 9U|K  Ts!.&,Ǭpa؏)DS!LcݲmLDlU*QMݥ=Lք-,z ªj<2YU=<O{@UQ@$8K%%Z ,C8iz!Bri58֢ꮺ*R V縭_d)X'?oz㍣BUgooz2s+,hI-"֬s`},։s~BBB@ XTto\ܸJۋ)L QD$g7ͶzF TaL2Wƚ,44YTuM$THgi}JJV*b&|QgXMޙڳm6 Q`۱ lpdme;CH73ԯ^=Tga1XH}&y='0)?MEtoN*xߐ^L/=BbgT XS  I uH &S|aϻ^I >+(\ev QD}MtX8!,A EWXl߻ӆWg[p믤cЪȓ:@pEפXw>Юzg7XzYXR 㞐-ⲆΔd}ᣂL/mU}$rO1W1fc:@Mgz  kUn~w8Y~9x%#zq(j tV?X6h"% Oq9׺>s^!fry5s׵V07xk(u jX7^LA*AˇU W֭!3SY4\a^ qp q|pkmX$ICM+?<1ftν2@bQ~?BNNuu4,olMf}oʪja3gRa[ "VW=o(8gT[B;R\޿/<v[ߣ21 pJvqLJV}BgXÖOjRj`Q%boc#'w277Ӝ5drO YcCkscMMcK;mPȝ ALlʪ0.+gUD~m/|kz/2=W07M%uuy*q5vGd,:>O@/ lY3U.hxמ_WYĒ{BfKbteq:a*/\䰚i\W6oJSS̊n0&[b4&͌#h0 >$ X[*':pδX0:QsQ^E__oXC|z]9j̫_-`) h@]s+A ń=_uRnΡ}gfAj>sQjlSA,pX@߉œK5-!, \rmϟ-OvuǬ]tyQUh~:``}cu#V!79X- xqE5]fX7o>f:D,Z|K,^mNݻVݪ5`kn8b}nWtc`U9VMZ! ќy%H,y82V?;2ULj崒h8Bz6>,Xk{RnK-"a8\:kK1#&M/*D'Ch"c+<9̲ u>&eNO݃7o\r4G} %FC"1 ϶ WIJ/F*s ) fa&pWdsrvsE }re "X}lv G$w؛G;H0Ea`F, /+&X th4 +{8S g7M  X!˘ә*UX^62=d5]?]~ -*be!-P/߻,I_Z{Rر‚ǏwAsEjz{<Xe`}o,i8gC]K_bpM Fss}#D>8W6maGM;๎,a4G9uG(H1o};\LSXu=fU`. ;`DM`cxѬt=]OjN<QyJn@+XV->eO\RGX=?BHyu JaDzb|ׯjUb}ݢAH';zVXbks4s*+"5}lbC5hƫ--׵+:%|C3$ ~%Uv Y$RjtU9PX8y$cW?}FjP̺+KlDfjV?咛ؔVEOJH?[B-!cJc鍛hZe^h-X*sfaKL^T=U92ksH 9go ~bE𱓉PbFG#pyPXf)߄/o"0b% zGnjJ9 T@(tإ-4Š}K1 JY` j*…?wH%3kF*0asPQQPOboε o,,.*y j\+^YiH=]mP}^{, ^pI^)>zpa\2bf:ti8* <N`h_`|[V_WiUr~35*2MlڀqYe,N)iņ0E"?kpYXy sYV0/ V.F8b(AГtN3UUܨ),Oz4 NASE,VgU_W_YGci,0tKA΀mRI{`I9L ؘ bEL{:sXHU~E%v[\n7 =8Z0bFOFNFf[zqgB$eA7[a<B*s A9`F>z[W1B*`_YajTX̿TEQάNqu^N^K1Vh<e+ۍݧXZ`gxWOJ,װ_j BnWl2|H7ʇ9) z@%>An 8=X!A#] $YUyrPiBGk:Aia Y*[z՝*,I咅%)`V{Y`}zIu /_l  %||)~ xSM /G0/vs ZEZ3 he恡ŤiD$Qc)c ΅b#V Xī2Ċч6˫T@Ua*T"x4)| afs"&#:qP 'L iҋuk K[~³i$M^^`\]+{_r6Q(>cVu 6_kWJbm5LpױSNT{yzyc }9%ڽ}p3#|p_^*,Δn.A\kfb ^dRqM/e;Uե,'jVX *XpAa*^&9MFs ,DeJΞ*y6T7n,\ %c60j+D!fHAT* [oJe  UL|%Voye91e- %_ńj`-_Pbm0)XDB,O͍{fR`b/fRM9o\T& b46<b?(.HBuNU2bX*.\`Gt Q,ixl-Z\,X\,ŸŅvq)\Y\ɂ0b\0M7l^̀Ҫ-&g*cb!pFbJG?c,1Eek;[(8b'}X~{G3X17kD]bҵ,az\@{1EE@X67_u |fcTaDxS𻘀ӄ aU*o7:55-&nMj| $o]~FEw%q(Z||Ck+Ǘ-yVlxә_JiyVH%]aWHjԚ*rRXx1a=_b|G;W瀉BNn?brޥF+Q1&vO\Pc)|CH0 J"PnR| y,oXQ$ڶeUѵ[o{Z*y `My B xy_$TGOW$b^X{kۂN_<FFBh^4WBT,ncX"9ۜJz+_Oj #WБ\h:xjaJ.l.aijV Kɪ;ry߈9XA^g{Z_`w2>W"20_BXzECs_:{Ln%ׄ _Dk,3zߊ7QddXTqmۖ V^Ͷ!;bo4L4z#* U\L=_d19BS Vğ\{-`뗎vZn,2$Hd*GC,+%X \!D6aت2}@QKݺD!x o|@ 4*"F(1:5+E ųDuk 4_dY{ݧqwװB Sk{] ʁQ{+ |rb]zW,fmv-^uM!1t n3+UDiozrr2GRԜ L+L Y :{ dm75)l+u<jVՅ8҅Tjk&#:ʋ@2@V_~O2H{NDk* 9:+5[~ eXOU*Sfފ Ux-K4C:zbk%APyņ-.fG;Wo soYV?C^Y',:nrW#7u.^>>6J:JS+[{4ֈB!B~ˆ5fy HvG3:+<]S`ˉv.<#f(S'b>șRrao)Dq`+lrf4:=A+cWYFXh z]ᄋNvme΀V@K`XaSnbu0J4vx L^nNDczd(Փtod_|8{V*xH-ֈE} p ЈN^ϒ͈E|x-t]TES6k(`GHJeGX& 2{[B2Quwφ́pTοjĂ%+<)&SYS|1TbńwoDp- Wtl^@*0bxO$- (Xt*l;cJ5y7H$ݥccYn+rV2f]2|g"wn ;f_>'vE\elMt,ZBknW9ȋr|TPU!-PZy5]XĊ塛~K }/B }9b&=_ۉݝJCb1pFC3L~c}\;'X>Q*HaF'?bH/Q]><L|tw[%ķ~vZ%Ff%u7 }XEfiD֞p[qؽ^kZga.|MNOcj]U ٛ mXx=\ |>/uTqZ ń$J Zp ٟdAR}h<OY'0;XX T 큕ʕRL(QZCg2voBs躯 0v4)>}qoxٿ!wOLH go/..>{*c:~>#)n-ò7Qh㓴.0*UYZ*{.C.\㚡]L-X6Y~fxbB X& Phi %; t{ҹ҂Ew%*-p]!+b,%nP5[OpOՎl(N*}vWuj;M _D-(ZY|*(Ḍ qa{ ՝ƺߔ*,x;19SIlog?(>ת# .z1Fت]'/oǤ% m֯g~mW\_P umybTfI\^T'>;wvխ h&CRB|Tna @7^n(%B#:yÄDRN\$Y+x'aK€2  NG>+aqb*+hJD,*Y--p.`f o8Ďؾ`U'([[-X? m>6[1ȋ0khގj!lRu_Lg9R066#lBLIur㡞=mxD#cQ( UHm\fgH1̭Qg{UXK^/8S[~Rt֬ů^@IDu} h?3sxJ6Q*bVUVb!ݽ*Ϩa2qt1aLZ}]$Q_(-XfQ**8HFpmݺ'kB"bMT+Lbqu bTBl!fR<@||zTVx%Y Ξf=Ɵkt3!CnެZ?ga"K&͟.ܱ#2<́犯uڬYd6P3LRݻSBg+g\(IrRb%mjԬƢ{2-R) P[ocAMpA5Mͳ&$ +} |ï ?3\c%+,QM6 Xl}`?GbTwk]eN,f}=yGUk%(d]L`YXi3H2w ƨ kשh!`2[L‹ Fb EV]tr=߳gF @elU,]5xi,$җo/՘aTbXXMJCU5c1Egu9!9b%9`1Xw}_M:T u^zCWX|,]<b6Xv}p'x̆opjZ9d~sȐTX:+*z yD$!v2V.@){`%-؀P^#.נ&$/x#VRX t΍ʧ۷Z\ x'#6\!E3?b56QPŝ+۫LTm5mf]eՏE,xSUX.tFN wջrgMŞ/gn @/3X8jpP^m%V'fXMa.)T\{`R5):` IDAT0+UW0gR%bud"Q:K^&Rt)K@OQ&huvE-٩j뮒,"uw,TIJb,vC}}}r0^}-[V別LF:]f>g `׮=Puk 'ȯ Onuڰ!&%XxRKAD |ADVpou%-Z`Y}$!@҈%5THk:dW^-.#Zu^>.X~d>5Va]cUuUye @٪'!VXpJh,>/+.u5gXQ"ʹsd=g=V7"9"zk"FB8IehH;^r% VCIB  JXR{N5t_L _7@Ti0Sv$g<'J7Q>/SVXU0Kag] &]Pm'zZĥ|7Ȟ'!h3IQ.QǏ[O0#kD(TׄטmE9&/),v; ,OG3H]VT+TՄc]Fυts@'*V !ܹ*g&o:#YmsӼhl_[*T_V/.4cwz1fЏee3߷%ʺ&g=bԥ5_B%H1a5&:*&*b`|q]SNQRe1ϸĢTw뾴F‘ ,7<[M4VUY^bW;q+`v> eEXLxZz?sj„B?mma**`ׄֆŽF"ОXB bW| XѪ@{O\XkߙVe0MjVҴ`>;PʺHX'tKH[x&֝ߊÇ{¥9~jLj}e`m6zUL {v=VXR^&b>`ɍ==M5_ÿC+ZEQsXI[hDó"c>F_4#\]&n"83b<2˱Aʭ8"L{GUvka+5yD +DAcuD{ܖՋrIV<oqW.-ao{%Z R֞CH7$}޻"|Kgi.؆Xo'2>s)W~Vr:R*ܺUOFUF,k[-&t Y}V/(a{rD zn[qP5͔iĉfEk^/ Xum,^˭ӱ\ v]d3%g9;-Ლ?T'xr5)Fq1_˟< Ny'ΪP*iXˣX] .gUbB1Al΢i$ڮD&%P]6߸O*.`p8VjFi:@P'W Y^8:"Vi“;vDcǎ=B[VeT0OSA1* K0'K,ڪ|MX_R-D:bgpIXF7&$O׍4ԽZ=@}UsjR!Ow QX9}]$5$,$x&ֽlZ\ٜjJ"{l7QXjkM?S*mEjWе'w Ҹpw* K*{?2Va<9:XqX~ˢ)ȫA5kBtUPy'i|*Ix*+OF{ e#5f9\EtF<^!1kO[qQ1n=cD߀OY.wW,^,bUr /)/c481ab.ْ{:1R TTjPIz"k+ZʸnQj<NΦ'd [ETZ`{ Ak0,\wߥ9,T.hc,<E_% +uXySU܃bCXE#t"B׊XVQ뜜̛dꖓ'7>?uʊRسXpM(`6J jԽ+b4kǤyn拗Jh0e%>\BT9v`T 9tl)pbh@͙Ô/&ֽdY/pz:t-ոvE+LcH{dk?>.565GWlXtү-ք o?:e=-X'ZZZ<蹣T;Itf3AxW& ې=,&$E}]m"y yt2zm$Ιoь&<>gnxkoU.u( e~'˫X齫TovSt Q9Lŷ\8,6`zh5FYEcˉzxG ,5H:mTN{!U̺M=+#k༫^%$!Xb>^c ;16/8_B]yCmQ`䦰,\G?7}>2X5ʦXHA܃#`]Ƞ^'R`ńz=Ȟ/ȽqL*,׀ot&F^^<B5_[^1ׄ"[]B*Xɡdn2դUnTPx,]e*< x? [q¯iLPg \z[+#D tQwHVޞOp^UMJ.>s<U"YLjf{%QwX0}iXXR B(Bf#B԰6 \1l-DD,a1:J_ *4sydP4񺫌X׀װ-0Nx&q Ӆ}tPe[];<:^=Doŗ(SF6E!v:uJ)MiE*r¢ݺӤju,Nj,|M t1d%e+$LXN:cJ'S-!\oSNlĢtNz++ Ly-`bem]^(>^)9!}_7eS+oW/!=rmq;V8%0YTMń2 nKJöD#F9J,rMxQ;C=&"LUaҚǼZ߸ WC)i*HG*#)č c*ݝ#Ѐfpߤ 7oUw6֝Sug+@SX?T5(r㮶_ykz{{s} HV,=_xOa,X-gd~>C^5hXmMs5*b56[)Qz "B{Ս' ,7ZIpZuYcPD,kH,Ct:G{T1EZ]u KL^byDѪ#T*j;ëYnXb$uc-#ÌĞkj^b%Lk0<g%{gHS#Vd`&<IF(x`E4WlyjYOyeD08uNC!L"}:#860tl!z݊u)H pkЄ-aw!˫ \_yԠI+#VroAO&-}xW|gcM!J7Mx>>ܪz [ϪD,g&TXHBET]+k J啫WX ׬ &a4v}R-o3_)E$yI &Kb_& L͎;b6/O8UK,;B¡ȕi"ɉ> I'=D_1bWqX!+R󡞵Թn|+K%;lW뛛񲢜j䨜<M; IEhlŹn)`gZ¢ Ks~[>ЧCz՝D^aY4O+ӯjL͛qtBۨwjY,Ui|ŪcݥH`8q3t?)uBkč2,O-3OŬbGA)ji\y+e=Wj;؄/RTaXc0=Piw;d:ڊsn)C&q={Dll?`(J`MfPܕ׃Y{ A,>xE6,bK(++6?3,`I:3A0b9Ti« 2 V{WĎh 'ذB lsIUVTn<ӄF/:O܊# ZEۺ~3!] mw`W/_d!nG2"JA?KXwU"& 31sVU0źuhcKXʵ9#5A؜ 5%ƆG/Z7Ą" r'j8m~($]}=І,jefB!b$jacxUƺ+X tׄ"X0+:j3r{cMMcM;E"lխk+h$IENԔ:@ZQ-]^Ү&|uxT_YE"QX⮾_pbSrW. X2VVm(/ AV&b8&ui D"=Ṕm;8ƪWizLg }0]1E*KDޮVHF99F [Bzqfȥ:)B;ZEPty"שy^E7d)W\agsaR,G ۞"+X+ٶ,Ï UUUxSnfR f]@y#j:'2/ˇᦘXrt`'@k抻rD~7VXkנ2b9*nyLoG`u4\ׅ ;^ŒajJlrkNiB4b,rsHM+E&h?n:yfq\\omҋXA-g ?{/ y`KkP&t-2O %^JbvX.3sQUUqR`%OȔF,™c33Pѳv; 6YSl X#Kr27׃?g{wDK#+XLX8PZ%L9LXViIϷٳ幂W!_5M%Cj<c*9Z1_HX5HNTthDrpr+&mtaD+Wj}{T),~Fֽ'O✰KqiBAJIJVQ_}uJȫS$dLz``e3-df {T?ΆF,t>0S nP1\5"q<*WTNsv#kg9]ݶZ~X䁅H߳>lE %bWK$b='ⱓkBr, RfLNrʗJW\,-},R+"-^ӴB?xڭJETwkTPYUpR"׌M jw{6vYbv98\Lxǝ U*sbi| kTC5!-X%cUDqwS(䤼 㣓9y`=?sVi;#hKao-9Pɍ!uꞧkRGqe2]0Nh4"9V-_e~֣GuX+S51 wW&xރ "l 'udnqiwS稪DV/ZJDJi #ӭ [~%`ud>(T#UMj*,ad@jeZ|9^*,B.xDj}k" YGq#y.?Oe5 8&Y$pb8@I(VأIF i% 95b| ~T\cxXj n*׬ Xqu7BQ3|qhE,FqWWY*YXv+pPV_9`m snMn'!<{ 1bew5ᥚNuw;xsPUqEHE%4[1b+6K.zQ{XzK+0EbBP#)>gTa;^W[Ӄ?_]TqŕZf%1*e*3ԁ  ɢ kH)uzAw,PdftV$_9㇢T/xy5]Q%b\b X̻xŎr -TcJn|R*:UP`JUr&K,7V֣]2nXǎ^lCu"bY DQs*X 4lqz܊Fm̑sqع8L{s`4x`13;vo/UyC(lP(1xJ(l} Ҫz<d*UVnyKh!VأtB^dqkױs(p5D>&Ai 1^~\3X#Y}F'!x ,'āVRʛ,(Xa>;?<>p+-R ݣb_$h9-\v(1ke*,+2W>0l1X;Ck| b"VOZ[ Gum 1:@'`K=$l6,\*WXz0& xBݺ Ň`@Q0EYZèJ;>ejZֱ]ΎdmN-\'e,]^`A?u:~KΪ*^z.|%"y=WCQRBnmf<GõU9㓣926%FMP Khǟs"z޾uvzV{rK!`=4#"c)o 7u`szn7,&bA$ϕi ~5UUwXU*N΂PV"0|>Xi|isy*^@T6D~*7J,iGHskhU<xJ5!~6ߢlK#dY3d1a1W@ʽ]D9Xu| h#VXXw1`A]b?[~E9 g$WXLfFdTK;IMq+} &PU= ʪtu7®_pe֩g4P _@C++_R#EH &X%ީtcۼш,ׄ4^GUD Q8>Y:d0Q}򔓄`MvX84d*:<UDĺhԮ $} ܳT^˥-=(DAK/d쪯/rbyaQ?[xsOXwkBTUqUy[ZN|qI}VX{p'GGD"`) - 9ˮ`GC IDATw0P #Sn<]ZVu'ou V e魼 riXs %^u-+_Gń Z蒍lR%/G|aUw} <*_5b7PJ'Ǐí?"J;w, D4_(YIC(S!iϫٔWaĚ;PtljUwrTZ]Ӓ3UXԂքo p>+P \l @dR&&bd:ָ#Zh XNP(YWD˓=EU| iQe>vltT Aaϱ {HoەVd.> LqҊXԂֈ# H&U\ͧ !d2&kRƽSiq#K.5b"VF" 'Uը5\]M8+yFG'7#4B!1 p\-F>UTUU JaOc,_C]i5;hJLKHԂ֌rK |,cn2Eo?@jNt] > N*%樇ߔ>`"8yIbj'=$,=(ѹKUUUDR C=/o־@LzjWӐPL9 H"z:U++_BwH#0bYRl?FU &PD V "5{>*TPRS*BIT&&X`u;Lj u@ՃgN P2į@P#_e_f!5EMOc).M`v P2&~QUNOaKg , G #o7IsXʪ 'C:iDbVű *Y)1N@S_uP?V*J12TRTJj5ve7nXG3-6:+P^M5!? Ñ!Is\XB(j𔤡Ln"U9ÓeIkVJQb9i2ĒɿتF~A:q_pynnɫ"ցZm qX>?APmv?,%beb!4dDAFʈ$pVZ`#o~.Iŭ!3aUy\њC*_Xn)DM#*t2&6O-?[;cFQ5\["V끹P\mʁuXXu|59>DLzBrM85)Hj=3!3):&ȮU]_DBƁrʖ ưe GUe珃 'j m<4癯 =;%Kܭ!r!@Y7Úo ,X遅cd+ XAZMؓ5!ZYp|C6.OV:`2Gy}_>PklƖXn,Nåʤb?d< ܀ kz\ .pFvTbMc A]D"(\ fl[{gRc`r'aK;֡<3K(4*U*sN f1*j|YU3he(} MNEDxj;3V$o8Sn嵡> }Dł>}x^D9]%Xj8l[h@zBX1)aYX֮/AZM\vӃo"n;=.'>9^mW` ҜEI@lV6ԣU w Ce*U .T-8' ΉLZА.ݿ~ iJ斄 /Ll8MCv0*iw*t{cXX$4S0 ĉ6>Vfx:b&VU>-VUcQkXt,bUGj9.DG\L  ˪Μ kCD}v0Țc`a&a'c-ϟ+sXXp26ͽgTe-=TxK\E2'r*< #QXU96QuTZFˢ>}~*{;l;zX9]gWaٮ/fm)R#s=#^ZuH]IV&0̷Q*A X*\E| |8aUcRؠ4_U+FHX$^A bE lxu}}&J›(|v0e9(b6AW%*+u*uX4`dpN<%ˬ , -΄@B5`p"\5h'JIٔ+k .wx%dVDba `XCY#,Tgo`KCuo\ڻG- `%sѯB6}ږWCT~<k Cw4|IG 7(aAiZ'rUHk`-X)pJ)܇ᠴ2iua2lBkF F2hd ŨX s[<;T&!g_kү~&X{"Էlu+JSTcsb]:@+"{+, :iT׀SD;J*E–,:VD+۷^t.zGUɳ ) nTfGo1gX!Xvq\a1u)96b=>MP@( aYti5[H"+N4`X0cU\40z{c"Y[-4[E%7!BD>S^͙4ѳdYtlhPKܥRx1dӚ׼N5x[NQ} Ѩ)|>8<?DzsdRV*7.:O0k6qciXe+EH*PU6&#g ^훞9hm%,)̖Wc,9%a :\S%F=˧5xkWpW:q֍X\`8.+d0@dhr1H`ChJ+leTZ݀υ m+>6Im,L#f\{셱U8+M Ex74 iM(رRHrc_S^7T 1N,ff6yq{{s?Rqi$_9w[wO&]*ג~=96=_ދ޶ ޽ǦM&&|rY_.2۪M6kBd`mτ< Q˿rBݔHGِL\R4X#`yµ3sq4` !uE`]焮s+*9 O[Aג)zGvE+7w]W& VVVqP=d}9Qˆ%oQ]53ī/yገ EVNbx뉶Lr`4 '5UwɃ*XP! ks: αi5Î-~]Cog?_"N{XGV*OOR!늴{7>;ibL݃ؓ#(-NCZ `r^5=<A~JBPX)ܸ*p`B?KB$/V;Vcκsπߓ%;b.ɹ.ܱݧ+]Qv'IR c^R!-4:9bMrxeXrxu+B`bB N<:u/دbbJ)k)6M)⟹7ݱo~'Yb妈]U ޶& u;:NXoYѤź'3Kwk +rkÒd!7X,Wj\RCSӧ\b&U # X[%AJ#;H[q|r6ȮX-N> MJT@K,z^kb>`d vh\=*IJKk5ٳ7}X}ztEmK X+%hL;tFt +,4U#V0ZM#`m#;#k:x֊u5ώ% ʡJ?vlr֊2޹]g޼Ve`GUl -<oyKRVh^"<[Fu UXF_*Jh׌ 4X?RjNs@MgJp|J%R<E$4WvRMX\WEڪkπgaO=ӲK6۴9vv^LJי,uLX\Hctz®YoVhz Cڌ%\׀ Necr]("R?`,ҭ(;,h>cëǔTP91 q7pwPMU>` bKv>!!J O(\Ge'kݱ.JY,|q/.`OTZ#}o*Nzː*i%>}`0X #i`bͷ֮ㆩVj|%:]iF@MVwĊ]Ҡ)*?uAewŃ(v^lrQl핮Hυ1zT!6'Zy W)7  ,PC"83HHw(U }ynV~lmE94X,eк+l{ yʛi^:gUP+r0۰<U`=r5X'*` Ѵ{T٤ ǔJAXZk$8iYD|ZϒA1o=D֭A3c4('w,ϋMA^ɂ (9y术ݫJw +>Jk"H5?xeQ)@kEq$cÓk$vD:Ai6C\pr;hiP?@_DY`N$`ݼi.r\tX6gA;,MLD S:(߱k =rE Z=Dm_"'&V ٛabO[JԥhB!vm l60"K DV`R I2(kKq$fQ5QW}v0]AlR^=V!kgu$Xr yغ\k^-N>WJ堮R'ڿ Y_=xjiXZ[[HFf*PY_u_UyP`=] *5"MNKj`]RbSJŭ6UfyM+I> gH7>{i4 3:>}V/:L#PSbH4 ̱T@1agKZ"MN4atyAUJ:?PRmz" bwlW;T,,ٻ^u]hZpu۠Z)핮&K]ZX&s`Vg FXް6s"ZEMHb=`=>f tk\)Ym4  Dn5dmRE}B,gyac18;ͮUWH\:::faTcym77DV Rj--r QYlT_u )&΄6XpbamPKZI#Ext V aτMG+6%ZB?G/d]F5 Yk=_$bݠ2:!(kkl{C (J5_*6a.6Ψ,r8Z ; XPn`j$Y(QLXuxeIeSٳ'Oߋ[|UQ= 4t?2rΟM2\u_ Zˠb- XhԎ{˦i^h*\h p+Td r^Vk\`$`t^ތvGUS#uMpTmlؤz24.AxGE='a&# +E\?W ]E-cN8RsX׉!j]Kktbp@ 5x\;U,p41͌uJԟ:T%K XYdQXN?RM߲9b!T QTea9?ͣE7Xbll__vń*SzL/u}0?N2c}ݹ/BNciXS8 XwakwFfU^2ϲ)*]ٌ!F::+͑K9880G,k^a""mhɓjJF/,ǎf `1Z_쌹)W1Ӡ ^VFX7?~R(_*l^1![u UVS}eon6#&<2?򻚌u3vXJ(آRLLb pJ3TbRR 9|G9vaXH<[U,}ù]ׅυFah·J$X KwGMUlք5N3a5A_"\mE?`FXU6$a*A(~ M+TsTs&P rƺ5|ݿu'2/yw{{DS}e-A]|7nw_uX:!T*Qu pp 9f3aڌH*,xctyk|#Vǃ'PshS%II3{Jd;0~_8GraodN;Um۠˛ c؜7r'_ *XVTkkMD<FbIVg+uwVt饋E k(0B?B&>sQ!DΎ,dwWm'ĶBz*隷4rB8zw4Xj!VN|Q78[zO{,|+.MwSi\e4*:܉%]OGGNPNs_eû{/q5LM4 #ow7Z<D*Y 3u: "mbY"*.2rOP5* "bB%Q Xwq< T2iPYeS}yt:RIGo  2\ӮE=/V4U=)$U(:!;,ðD_%:fك6Brfϒ<O:&t T.>,Bk Z)냭ɸvh%Se>$8li=`jPxj@~^-FV[*&:Ip^wV}tu[J5O=}7C߻" ˊ8Mhq4ArLQoB,+BJ_ӱ~ uX'ԣX|;"$:yL_jbd꾾J,P'rsߺYM^^Ы@G7',OQ! lF)7sl\ }C*PR=,BvxC_x;,(gN~|nZ啮b&G9mpaC[cY XĊnБ֚TtT( ;T ){p<FZ57 lr.Wlݭ^^mVYG+6g%Pȁg:э< Rgն*J9.(؂r&IDAT~4˴¸'Iyzg ىO( ]B=C-JlvZyrWYڧ:&:gF.XCdl4#>3<.sRS%-aԒ;)x|:[aȟt& ʑ<l=m\xW~UV-<E+߼p`FTOgq)[Sıv iu?eL GA7XZb\W"O bi3=k"3C?. QՏ]C=<vK~Ȋ H7v6ST uNe1 }|iq\qԻv]lY,yOvͯ; /cw z=˛1P/Gٿm5.~kAABua'CE1¯sc q3/]N\m\Ӡ0V? ;\5SVM:k|y}Z*>2~}j&l6# ldLf2e$u,, t >Md*< ?hYժA]W Yg}U[00bZ~Ӈ_~o~z&lK\?g2T0VPϔV?xb%rĥ6 A]E;{'!Rx} X LGz!%Y+gFq% ܥA[q st 3Ǿ8Vs⯱؋q_X)Rj\wȚ~wSL f!V$`_);>x~kϭHqS4I]"jqJyKQ]f)Su!bIA9Bu/݇ExOѸ"+-zH/bgkf[ ^=O*̧.u$l**,Juri2|܃-Vlbq ӊĤ- h%Y\KzGΟ!pZ1_ `-aτ3aJV,6Qpϗ1GX"\yXٻАBv= Ǟ '5t]udMt+,X2Q4X6XgƊwOH3o`qۙF#XHzKd{/\5dJޞ '_?{Eoh\uݷiI[:)Gu4^bm{τt YH4GsA닍Us?…X_ه*1zlGwl2!_|; k?eiTč;}&!4a֥kFc5[s5U͡U(Aʦ 2XU ԒTqűdN`P6LݝָI!+͏sfG,GmjH<̲~˴ ւ|MX}+En]Jy3K R=kIA 5xI%oP3bcweWd'(-ky~?dwuMJC7(,X9u-G_=τg;)ybMU6LtTڨ t CȪ*<;3!;A9}r2"+ܔ!Y ֩.3f6#5X/_-_`5X*#U0 ?CbX`EE\0iૉ;~aԺ+]u]E|ynE5[C:G\/XETJT^!kx1s)EP̌᳠ƕ(\^t ĚP/loIqvM'VTFt:Mճ:.=5DFvpr*(™05t] deEXuK q%NOU3ׄ}4# i^l>T|[bPDVA9=Rst]b v6KZ<@/+gh3BlI֫63eGOUXD?Esfe NLJ,ͪy,O+A„XJxL\`ɉ-FXf]5BK:70t u+t}_7XimB+]W0\0P.(u mbgHQ_,3ɰIe+GOelްB*:cX*9(esu ,Hm 9B>X-<Ր?rQ3*>`58YTkUj尾AnT_C@LB!:[U<aDsқv]YJZ X!RX5!T3XF^mRA Xgpf`DZ*:9؋wÛ+/^ } BZ,3!mEM?#Y'H<NzQdRXrԥk6UQ^s\1 lՕcEFYk0+ra=τJ9LYwXƚM*![~ōGF E䑍 xBAdB,wpHhYuw ߉4 ՕOY#=Ygu hb3a[` ppcZq񬪔8XbsJXe:9t'^]&C*+<q b5aleo"1`G~`[>`^} 9DLpqD:54>j׮)WFD+= $'C#*jt фXʽ;<op=X?9`w*QXY2 u')"-{OGib>f3* wY:}833󏇧g(5DR5 O|J1~sTAא5`Ɉtkha%YPק;Fj ʨa-2X,Ю3aYo*HVfпR4Z}_T|UOڽgOV;h>|6Kbks KK"IT<*HE%U J,<D ]?5X'yllAGs 1:m4ɕ/V@iHNEϣ͊EgVq ĊdajPd{,5TPBf%wy;cd^OǏQY*=$B4Bն3Rg9Rl]G3"ɺҥ,Y ]CD! \L?JZJaMae E+ T1;;V~by<DQl1нr9Wh>7W6KnXV/G,w})D3!`F"g)kdVoVKU*gY*!kPDF 3z_,smaW j{[F+cK(Vp ,s e=Gh2V'ϜG=ϡvTZ Jg;^K 9Wof_0RF=:ZX,v gKB`4 {OlTnt0rUsSS#̌2xzgZL,ŸAS$mV+U*H {}>iPr Z5yϮtE m6{,!*_iUҒgB#^S5X.!j+R1t9"MQwH/$B5sj+"zԥ `V֪hyn;DxU&Ez[XUzY`|U7e3",:f@*DP*"3*']Kt::ˬ+òrtk~Մ]Iwٽ>??R5XΫ_`%VSDX'5ڈ}Ht;,o+@`!ٌ>ŕ.]]gٍV/- XK}ݒȯL8?hܯ~VGt"t5BLDJDG{  ?ViZHZYX k->L&'XFk~~oY &%fOqHg]EXeaxJLV5f ZT!V+%Y*U?sSt]$jWej{F6Y?<&їLxiPV[-uON5wOVY.kB,1-̾~^]` ~J2:ȉu4:rtoCXE Xy}d{1qm c_T3TjnX*t DEEV}Jр, Xut6ȇE€%ck&Y[Ӝg/^b U?tY>gz ku{%pMc€%cA",j ܮ63Yu2nT́J%v_;+e׽.]Yy]j-ۨ"E6]5_5iǑDX"xAEUv6i6sny, YY)ak%.]aVR|P+O:Ǚ_d<y]Rt/LJZs'd1CXlv|O :N4t:o?P4RVM<T%zȶ[NXbrjc'T:$hlDjIU7hqBIPb8#V AԗѲ1K>{!+wgr,4=PtragaYƢ 9Y~kVt} á赨gBn=Xa9y8&MUΧZlUAPKh js x&C8Km?2|[VN"jL6v].2;4ɱŻ-Lhk*Aj5r"W7<)fxR*a_Ujnt04[Uτ)X=>0E7Z=~SW V]g \BVt]=$򝵕)aT AJ`^7(.f6 xT2뼧"سvLǝs.]WZ,2sxje V {<a]w b %U<WSK+=uEz &^ZK +@"5UzkqOu5s㓟 z6}?BYuZ\6]^/jYEUQD{] H;*Vaאp(EON]tgK#ve$'Ͽ)m5HIBF+3%,gU5 jѭZ..KjY.]%`ho,,P<> {ˣe?g,DM1J1je~r/5PϫBHSqgPr 5rE^ϓ-S.]W>}JVl60 J+9 ~xjeJot麺Ժ>0y*YK'Bk}muulH[wt}֧mIVt[Wv#o \].]eu[6tSKzNҤҥK.]He6ҜҥK/8%? \#wSt0zQ| $ #`{)]t]:îQunt?@%9IENDB`
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./docs/content/en/contribute/_index.md
--- title: Contribute to the Hugo Project linktitle: Contribute to Hugo description: Contribute to Hugo development and documentation. date: 2017-02-01 publishdate: 2017-02-01 lastmod: 2017-02-01 categories: [contribute] keywords: [] menu: docs: parent: "contribute" weight: 01 weight: 01 #rem draft: false slug: aliases: [/tutorials/how-to-contribute-to-hugo/,/community/contributing/] toc: false --- Hugo relies heavily on the enthusiasm and participation of the open-source community. We need your support in both its development and documentation. Hugo's contribution guidelines are [detailed in a `CONTRIBUTING.md`](https://github.com/gohugoio/hugo/blob/master/CONTRIBUTING.md) in the Hugo source repository on GitHub.
--- title: Contribute to the Hugo Project linktitle: Contribute to Hugo description: Contribute to Hugo development and documentation. date: 2017-02-01 publishdate: 2017-02-01 lastmod: 2017-02-01 categories: [contribute] keywords: [] menu: docs: parent: "contribute" weight: 01 weight: 01 #rem draft: false slug: aliases: [/tutorials/how-to-contribute-to-hugo/,/community/contributing/] toc: false --- Hugo relies heavily on the enthusiasm and participation of the open-source community. We need your support in both its development and documentation. Hugo's contribution guidelines are [detailed in a `CONTRIBUTING.md`](https://github.com/gohugoio/hugo/blob/master/CONTRIBUTING.md) in the Hugo source repository on GitHub.
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./resources/page/page_paths.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package page import ( "path" "path/filepath" "strings" "github.com/gohugoio/hugo/helpers" "github.com/gohugoio/hugo/output" ) const slash = "/" // TargetPathDescriptor describes how a file path for a given resource // should look like on the file system. The same descriptor is then later used to // create both the permalinks and the relative links, paginator URLs etc. // // The big motivating behind this is to have only one source of truth for URLs, // and by that also get rid of most of the fragile string parsing/encoding etc. // // type TargetPathDescriptor struct { PathSpec *helpers.PathSpec Type output.Format Kind string Sections []string // For regular content pages this is either // 1) the Slug, if set, // 2) the file base name (TranslationBaseName). BaseName string // Source directory. Dir string // Typically a language prefix added to file paths. PrefixFilePath string // Typically a language prefix added to links. PrefixLink string // If in multihost mode etc., every link/path needs to be prefixed, even // if set in URL. ForcePrefix bool // URL from front matter if set. Will override any Slug etc. URL string // Used to create paginator links. Addends string // The expanded permalink if defined for the section, ready to use. ExpandedPermalink string // Some types cannot have uglyURLs, even if globally enabled, RSS being one example. UglyURLs bool } // TODO(bep) move this type. type TargetPaths struct { // Where to store the file on disk relative to the publish dir. OS slashes. TargetFilename string // The directory to write sub-resources of the above. SubResourceBaseTarget string // The base for creating links to sub-resources of the above. SubResourceBaseLink string // The relative permalink to this resources. Unix slashes. Link string } func (p TargetPaths) RelPermalink(s *helpers.PathSpec) string { return s.PrependBasePath(p.Link, false) } func (p TargetPaths) PermalinkForOutputFormat(s *helpers.PathSpec, f output.Format) string { var baseURL string var err error if f.Protocol != "" { baseURL, err = s.BaseURL.WithProtocol(f.Protocol) if err != nil { return "" } } else { baseURL = s.BaseURL.String() } return s.PermalinkForBaseURL(p.Link, baseURL) } func isHtmlIndex(s string) bool { return strings.HasSuffix(s, "/index.html") } func CreateTargetPaths(d TargetPathDescriptor) (tp TargetPaths) { if d.Type.Name == "" { panic("CreateTargetPath: missing type") } // Normalize all file Windows paths to simplify what's next. if helpers.FilePathSeparator != slash { d.Dir = filepath.ToSlash(d.Dir) d.PrefixFilePath = filepath.ToSlash(d.PrefixFilePath) } if d.URL != "" && !strings.HasPrefix(d.URL, "/") { // Treat this as a context relative URL d.ForcePrefix = true } pagePath := slash var ( pagePathDir string link string linkDir string ) // The top level index files, i.e. the home page etc., needs // the index base even when uglyURLs is enabled. needsBase := true isUgly := d.UglyURLs && !d.Type.NoUgly baseNameSameAsType := d.BaseName != "" && d.BaseName == d.Type.BaseName if d.ExpandedPermalink == "" && baseNameSameAsType { isUgly = true } if d.Kind != KindPage && d.URL == "" && len(d.Sections) > 0 { if d.ExpandedPermalink != "" { pagePath = pjoin(pagePath, d.ExpandedPermalink) } else { pagePath = pjoin(d.Sections...) } needsBase = false } if d.Type.Path != "" { pagePath = pjoin(pagePath, d.Type.Path) } if d.Kind != KindHome && d.URL != "" { pagePath = pjoin(pagePath, d.URL) if d.Addends != "" { pagePath = pjoin(pagePath, d.Addends) } pagePathDir = pagePath link = pagePath hasDot := strings.Contains(d.URL, ".") hasSlash := strings.HasSuffix(d.URL, slash) if hasSlash || !hasDot { pagePath = pjoin(pagePath, d.Type.BaseName+d.Type.MediaType.FullSuffix()) } else if hasDot { pagePathDir = path.Dir(pagePathDir) } if !isHtmlIndex(pagePath) { link = pagePath } else if !hasSlash { link += slash } linkDir = pagePathDir if d.ForcePrefix { // Prepend language prefix if not already set in URL if d.PrefixFilePath != "" && !strings.HasPrefix(d.URL, slash+d.PrefixFilePath) { pagePath = pjoin(d.PrefixFilePath, pagePath) pagePathDir = pjoin(d.PrefixFilePath, pagePathDir) } if d.PrefixLink != "" && !strings.HasPrefix(d.URL, slash+d.PrefixLink) { link = pjoin(d.PrefixLink, link) linkDir = pjoin(d.PrefixLink, linkDir) } } } else if d.Kind == KindPage { if d.ExpandedPermalink != "" { pagePath = pjoin(pagePath, d.ExpandedPermalink) } else { if d.Dir != "" { pagePath = pjoin(pagePath, d.Dir) } if d.BaseName != "" { pagePath = pjoin(pagePath, d.BaseName) } } if d.Addends != "" { pagePath = pjoin(pagePath, d.Addends) } link = pagePath // TODO(bep) this should not happen after the fix in https://github.com/gohugoio/hugo/issues/4870 // but we may need some more testing before we can remove it. if baseNameSameAsType { link = strings.TrimSuffix(link, d.BaseName) } pagePathDir = link link = link + slash linkDir = pagePathDir if isUgly { pagePath = addSuffix(pagePath, d.Type.MediaType.FullSuffix()) } else { pagePath = pjoin(pagePath, d.Type.BaseName+d.Type.MediaType.FullSuffix()) } if !isHtmlIndex(pagePath) { link = pagePath } if d.PrefixFilePath != "" { pagePath = pjoin(d.PrefixFilePath, pagePath) pagePathDir = pjoin(d.PrefixFilePath, pagePathDir) } if d.PrefixLink != "" { link = pjoin(d.PrefixLink, link) linkDir = pjoin(d.PrefixLink, linkDir) } } else { if d.Addends != "" { pagePath = pjoin(pagePath, d.Addends) } needsBase = needsBase && d.Addends == "" // No permalink expansion etc. for node type pages (for now) base := "" if needsBase || !isUgly { base = d.Type.BaseName } pagePathDir = pagePath link = pagePath linkDir = pagePathDir if base != "" { pagePath = path.Join(pagePath, addSuffix(base, d.Type.MediaType.FullSuffix())) } else { pagePath = addSuffix(pagePath, d.Type.MediaType.FullSuffix()) } if !isHtmlIndex(pagePath) { link = pagePath } else { link += slash } if d.PrefixFilePath != "" { pagePath = pjoin(d.PrefixFilePath, pagePath) pagePathDir = pjoin(d.PrefixFilePath, pagePathDir) } if d.PrefixLink != "" { link = pjoin(d.PrefixLink, link) linkDir = pjoin(d.PrefixLink, linkDir) } } pagePath = pjoin(slash, pagePath) pagePathDir = strings.TrimSuffix(path.Join(slash, pagePathDir), slash) hadSlash := strings.HasSuffix(link, slash) link = strings.Trim(link, slash) if hadSlash { link += slash } if !strings.HasPrefix(link, slash) { link = slash + link } linkDir = strings.TrimSuffix(path.Join(slash, linkDir), slash) // if page URL is explicitly set in frontmatter, // preserve its value without sanitization if d.Kind != KindPage || d.URL == "" { // Note: MakePathSanitized will lower case the path if // disablePathToLower isn't set. pagePath = d.PathSpec.MakePathSanitized(pagePath) pagePathDir = d.PathSpec.MakePathSanitized(pagePathDir) link = d.PathSpec.MakePathSanitized(link) linkDir = d.PathSpec.MakePathSanitized(linkDir) } tp.TargetFilename = filepath.FromSlash(pagePath) tp.SubResourceBaseTarget = filepath.FromSlash(pagePathDir) tp.SubResourceBaseLink = linkDir tp.Link = d.PathSpec.URLizeFilename(link) if tp.Link == "" { tp.Link = slash } return } func addSuffix(s, suffix string) string { return strings.Trim(s, slash) + suffix } // Like path.Join, but preserves one trailing slash if present. func pjoin(elem ...string) string { hadSlash := strings.HasSuffix(elem[len(elem)-1], slash) joined := path.Join(elem...) if hadSlash && !strings.HasSuffix(joined, slash) { return joined + slash } return joined }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package page import ( "path" "path/filepath" "strings" "github.com/gohugoio/hugo/helpers" "github.com/gohugoio/hugo/output" ) const slash = "/" // TargetPathDescriptor describes how a file path for a given resource // should look like on the file system. The same descriptor is then later used to // create both the permalinks and the relative links, paginator URLs etc. // // The big motivating behind this is to have only one source of truth for URLs, // and by that also get rid of most of the fragile string parsing/encoding etc. // // type TargetPathDescriptor struct { PathSpec *helpers.PathSpec Type output.Format Kind string Sections []string // For regular content pages this is either // 1) the Slug, if set, // 2) the file base name (TranslationBaseName). BaseName string // Source directory. Dir string // Typically a language prefix added to file paths. PrefixFilePath string // Typically a language prefix added to links. PrefixLink string // If in multihost mode etc., every link/path needs to be prefixed, even // if set in URL. ForcePrefix bool // URL from front matter if set. Will override any Slug etc. URL string // Used to create paginator links. Addends string // The expanded permalink if defined for the section, ready to use. ExpandedPermalink string // Some types cannot have uglyURLs, even if globally enabled, RSS being one example. UglyURLs bool } // TODO(bep) move this type. type TargetPaths struct { // Where to store the file on disk relative to the publish dir. OS slashes. TargetFilename string // The directory to write sub-resources of the above. SubResourceBaseTarget string // The base for creating links to sub-resources of the above. SubResourceBaseLink string // The relative permalink to this resources. Unix slashes. Link string } func (p TargetPaths) RelPermalink(s *helpers.PathSpec) string { return s.PrependBasePath(p.Link, false) } func (p TargetPaths) PermalinkForOutputFormat(s *helpers.PathSpec, f output.Format) string { var baseURL string var err error if f.Protocol != "" { baseURL, err = s.BaseURL.WithProtocol(f.Protocol) if err != nil { return "" } } else { baseURL = s.BaseURL.String() } return s.PermalinkForBaseURL(p.Link, baseURL) } func isHtmlIndex(s string) bool { return strings.HasSuffix(s, "/index.html") } func CreateTargetPaths(d TargetPathDescriptor) (tp TargetPaths) { if d.Type.Name == "" { panic("CreateTargetPath: missing type") } // Normalize all file Windows paths to simplify what's next. if helpers.FilePathSeparator != slash { d.Dir = filepath.ToSlash(d.Dir) d.PrefixFilePath = filepath.ToSlash(d.PrefixFilePath) } if d.URL != "" && !strings.HasPrefix(d.URL, "/") { // Treat this as a context relative URL d.ForcePrefix = true } pagePath := slash var ( pagePathDir string link string linkDir string ) // The top level index files, i.e. the home page etc., needs // the index base even when uglyURLs is enabled. needsBase := true isUgly := d.UglyURLs && !d.Type.NoUgly baseNameSameAsType := d.BaseName != "" && d.BaseName == d.Type.BaseName if d.ExpandedPermalink == "" && baseNameSameAsType { isUgly = true } if d.Kind != KindPage && d.URL == "" && len(d.Sections) > 0 { if d.ExpandedPermalink != "" { pagePath = pjoin(pagePath, d.ExpandedPermalink) } else { pagePath = pjoin(d.Sections...) } needsBase = false } if d.Type.Path != "" { pagePath = pjoin(pagePath, d.Type.Path) } if d.Kind != KindHome && d.URL != "" { pagePath = pjoin(pagePath, d.URL) if d.Addends != "" { pagePath = pjoin(pagePath, d.Addends) } pagePathDir = pagePath link = pagePath hasDot := strings.Contains(d.URL, ".") hasSlash := strings.HasSuffix(d.URL, slash) if hasSlash || !hasDot { pagePath = pjoin(pagePath, d.Type.BaseName+d.Type.MediaType.FullSuffix()) } else if hasDot { pagePathDir = path.Dir(pagePathDir) } if !isHtmlIndex(pagePath) { link = pagePath } else if !hasSlash { link += slash } linkDir = pagePathDir if d.ForcePrefix { // Prepend language prefix if not already set in URL if d.PrefixFilePath != "" && !strings.HasPrefix(d.URL, slash+d.PrefixFilePath) { pagePath = pjoin(d.PrefixFilePath, pagePath) pagePathDir = pjoin(d.PrefixFilePath, pagePathDir) } if d.PrefixLink != "" && !strings.HasPrefix(d.URL, slash+d.PrefixLink) { link = pjoin(d.PrefixLink, link) linkDir = pjoin(d.PrefixLink, linkDir) } } } else if d.Kind == KindPage { if d.ExpandedPermalink != "" { pagePath = pjoin(pagePath, d.ExpandedPermalink) } else { if d.Dir != "" { pagePath = pjoin(pagePath, d.Dir) } if d.BaseName != "" { pagePath = pjoin(pagePath, d.BaseName) } } if d.Addends != "" { pagePath = pjoin(pagePath, d.Addends) } link = pagePath // TODO(bep) this should not happen after the fix in https://github.com/gohugoio/hugo/issues/4870 // but we may need some more testing before we can remove it. if baseNameSameAsType { link = strings.TrimSuffix(link, d.BaseName) } pagePathDir = link link = link + slash linkDir = pagePathDir if isUgly { pagePath = addSuffix(pagePath, d.Type.MediaType.FullSuffix()) } else { pagePath = pjoin(pagePath, d.Type.BaseName+d.Type.MediaType.FullSuffix()) } if !isHtmlIndex(pagePath) { link = pagePath } if d.PrefixFilePath != "" { pagePath = pjoin(d.PrefixFilePath, pagePath) pagePathDir = pjoin(d.PrefixFilePath, pagePathDir) } if d.PrefixLink != "" { link = pjoin(d.PrefixLink, link) linkDir = pjoin(d.PrefixLink, linkDir) } } else { if d.Addends != "" { pagePath = pjoin(pagePath, d.Addends) } needsBase = needsBase && d.Addends == "" // No permalink expansion etc. for node type pages (for now) base := "" if needsBase || !isUgly { base = d.Type.BaseName } pagePathDir = pagePath link = pagePath linkDir = pagePathDir if base != "" { pagePath = path.Join(pagePath, addSuffix(base, d.Type.MediaType.FullSuffix())) } else { pagePath = addSuffix(pagePath, d.Type.MediaType.FullSuffix()) } if !isHtmlIndex(pagePath) { link = pagePath } else { link += slash } if d.PrefixFilePath != "" { pagePath = pjoin(d.PrefixFilePath, pagePath) pagePathDir = pjoin(d.PrefixFilePath, pagePathDir) } if d.PrefixLink != "" { link = pjoin(d.PrefixLink, link) linkDir = pjoin(d.PrefixLink, linkDir) } } pagePath = pjoin(slash, pagePath) pagePathDir = strings.TrimSuffix(path.Join(slash, pagePathDir), slash) hadSlash := strings.HasSuffix(link, slash) link = strings.Trim(link, slash) if hadSlash { link += slash } if !strings.HasPrefix(link, slash) { link = slash + link } linkDir = strings.TrimSuffix(path.Join(slash, linkDir), slash) // if page URL is explicitly set in frontmatter, // preserve its value without sanitization if d.Kind != KindPage || d.URL == "" { // Note: MakePathSanitized will lower case the path if // disablePathToLower isn't set. pagePath = d.PathSpec.MakePathSanitized(pagePath) pagePathDir = d.PathSpec.MakePathSanitized(pagePathDir) link = d.PathSpec.MakePathSanitized(link) linkDir = d.PathSpec.MakePathSanitized(linkDir) } tp.TargetFilename = filepath.FromSlash(pagePath) tp.SubResourceBaseTarget = filepath.FromSlash(pagePathDir) tp.SubResourceBaseLink = linkDir tp.Link = d.PathSpec.URLizeFilename(link) if tp.Link == "" { tp.Link = slash } return } func addSuffix(s, suffix string) string { return strings.Trim(s, slash) + suffix } // Like path.Join, but preserves one trailing slash if present. func pjoin(elem ...string) string { hadSlash := strings.HasSuffix(elem[len(elem)-1], slash) joined := path.Join(elem...) if hadSlash && !strings.HasSuffix(joined, slash) { return joined + slash } return joined }
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./docs/static/images/contribute/development/open-pull-request.png
PNG  IHDR)m pHYs  ~ IDATx읇[UIڝMt=:Ms APrHTrNdP^y<<߇޺uΩSܗﭪ0*Gp:`>Op:`>Op:`>Op擙7s΋tn߾v֭Q;wtttN(`!ܹs̮*`ttt<|Нׯ3`߻wϝ38tT%u;9q^<nr8t/:`>Op:`>Op:`>Op:`>{hhhϏ9qĹsErr$>x׉ⰰ z8xm{x}gܹs'#A^^5/,,:טgq(8tZ^HTm8fffwMRYY)os'/V044tʕ䜜7nDGGG{{YԲQ =Ijllr6l(**U&Aʿ.y"ڼ%ڵk:P!!!/sM)K!^N$;U~j9ۿ4$IKG=ӧOKQKtBM%H }?BU!/AŋP^*p^%nԀ.:ҕ &ֺ`ttt۶mOmnn_à|ԩ_fϿo#""y$??M{mHOO߼ysqqIw8Ɵ2kT{y$$J;݌Qի5"IԒb8\mmmRȳgrS%kii $s61_<==~s9rY oQEO<999o5… 3 LJJzIԝ.[SSt_xPZ҄{{^8.]7YI7c{nٲe䈷z޽{ζ;uwݷoÝgddhr{nL.1tAշlЙ. )l~0!AksخIwao1/M``è":sʕ0v먎ǡC +**dWo{{PNsjI{&5499Y"j<==5_[__wIIFS>#{[#-+Wjo_{Išb et"MMTLLFONZx~$/n޼)?+CIWWǓ:Lcl ?ckÇ?CcȡCz{{_׿USV^٤) $uvv~7uV}J|_re{-C_C&C*auf2Ɯ-fEzklb>5uзz+++Kzgk.\HII}<70MI$b ݻ%%%6瞞hi&JǏK1144455b}vttHݻwccc*%o͆rPP/[:uJڻϜ-JNl%d&Rmw!CS`9l~3g$$$<3So! v3F-iq~$y4`gs =*aAenp($HȲ2 #78 ARRx2<<'1MU[[MI,;%<---#u䟂) 9KKKmv"gsdsⲇ"ٿ%CPPPyy0C/s35}g&QZb;P DvKDk`t%7q'Rjmm RfiIo3S\rE,XČ1//_ڦ'YI7铺IKK;ydQDDMP5}:I #1A}se3F9Y%Ib~~-CH6Xds^R[nI1֭[uWqnvtRDBlZۊCvfkɗS7qGՁNFݻw;*11Qp?i\J02C]d, e4x KDj@y$ƍYRv%-͛7K-)ׯ +X>{:1[IVR$,JN9c<&(Sv%[ٳGweirI^Z{yi&ٳUzjOOOiJH*׮] @ 111Ւ63Νm>vtt?v߿_"t)&_I46hy!_m+!BC|${vy+?55URrrr$ٿFoրV[[f\D$YR@:-+;lǒ'U wLRW r+"AOJ=I'M`0YgنMMMՖ>Dy!E1J;tlN0t$AOZnx``m۴}hVqHKEնw>ǖyZn`M~%VWDnƞ4}"m3 jH/}ڧ+// -7 ___˖")ٲĤxr$q2޷9ӧOKzGGTbnooWkOcS![ZqwXȡ! ژ|*oq`WY˔Hw%ԚY/_1tk5ޓ>/_tRi %Q.166?qH'VDh: N),,ԐdR$RK6qo$93C 44w*1ѤV5ˮ<eiu<2-5#)+%^ju=>KG8zƇvlfOv t(mS Wb:K0U?+>>ަQ)m8^>|֕dPI4kYoܸqÆ &vvաHK,}  [Ot)M bBN\y6v褁nr5kAlʕ&:_Ƕ"qUt,5jԚ1J;tlN0,onȶ3xHpo5hW4&eɒ%?YZtǡsocKDڧ@d^!vj9벥klVFe\uޫ˴ĤٌKఐҽĴ4a#uby9v\m0Xi^=݊$8jX8΀g}]iWio!P~_K޽{l_WNr̚qmں=y{9_fC:t:BSxrܵ5iLNN64ZPRR")n:t[nxCQkC'm)}!'ILq5y:sk` 8<h1f:tִ<K7X[)5K.uf (m;)tM5KUH49A3K.PPP` K^4١sYtEEE 6 ֦ u:;Qơssw-%*-iK3֜fzqqqV2777~Fnƞ/`/ڧi[eneVСs2C'?[(q D(c Ie:.VVѡ Z{:;;z}u/':uƍ83υxm͛[lqv1k.NO2pV$]6vO9Ǐ[7MI/zRCCCt+MЙe:iȩ06`d 8.JktttddDEWY6۫SqsmJ&]qOHtZ!MFwU ~bnV&iti(k.H.4 ߚNqĝ`8cKIzه۷Kvhin@b &/LOGޟ򗿔ݶmDKo+o͓qf fgg[Iʬpc4o;wЙI .:-ù9t¡(MtrQȬ,RZ,9:;3jFN8tfr \LDu+ >͌Q~_kHktjzzzg=jYKؠ?7:uN)rfP΄Wf-иi):F>R xlARECxyO,<C'CiG6㣸fT]?N&H,ѣڱbhfͲҨ:t:B+:A?_~Hpt }濒^^^NNN.x=5IfeI4?w׽.of:tnnN0tRЭmCCţ4$XxO}koh"kPz…;C7cO0..N2gtct@ttk:WԙCe87NrE氐!!!mݺugΜu2:t<8wr+V꬯;00`±u*~ ^?u5hAǡq4&[l)QǓ;/nvn];t3SY=Wa6:QB╳#DEEiRZ%%%555:s;+NxNNpGXbhhHJ%`ɓ"9<}ƍXx4!Dq6?ap3JX:77q'n)ɉhJIs {gw8lI" `ٲeK.=vX__tXI'W_GӘywtl{R+H8rѧsӡi9t\ IlmàOАJWWWll..VfZzu.g8U&v\u?Q&JSIBi!8˗kmp8ˊIl?5X5^lSy]9qȀCg t$ZWss[o(n:t3Դ_j~8:Ѻ釋ʡՎgڡ<^Jlԩ6K/IfҹٲW̓">Y 7աsg7-%}ᬖ<0$|frw%[O3᰻7cOfL:-Cg>ƙCñ. ixSSS<== W gzq'))ɅC뇋\7.m׏$/iP$%''罚͏=2#cccG%ҕɟxVԹ3KȽcqoC'P gէu$G~cEal6 b}.MXgf `K[Ppǡ=zG*`Uޤ5l`۷[4O_ҵCf:tlf0=[nA0?g.Z$h]̦0[}'e/5ϯ~+yp=Au:8w?Ce(!~$,KݺpsTm];3<ЙCgt!9kj:p 7ux\;t<p|C LaN=yy_UUU4D:7M4),,ԏ$&''K4/e4Qxٲe6lؠ)l߇jWNNk)5xI\IȆ&qjykW)ln^޽{m &;t;Аb/-Sv8i;fwJx>ufM: }N۶m*C7>>lkpႴ a0`L:++1M08/~ }x%8 D ΝM tx pv2-秬̌q}{I[>f?fr{Ynƞf6u\ ӟuǡʡs2|葼<hRI`֟Ϝ9cI /ݻ%Bu]afrkNװs6No\+~9tf(6Qu.7<>sJ4j)//#Jw&]xQ]"үЎhII<:t 6HkRbJrt$WTThھG C9-NO~>,A@"|#=Oi-Il</Crq6ఫWJ;ݿ&C'HEIp9+++%~I'T+P2ɹgeemڴIZKjҹӌ4Qw܉6; i)I]ɓUUU';;[Zu{I9(__Wzzzع;;=Ai:jsEYRi[믉8t6]67:7[ &#H>jNF]aa&J[N755U,NgBdTr 555A.IyrC Aws=:t 7 ()MGY7 X3"NsɬC<99Yɰk. a=̣Cxr(L-=d ["fWq7 wj̹4*)%@!Qkǎ4#*`pp׬'C'ǒެN ӽIshhugơ{<97DT(Rc ҈f;2x&ݬFIo2wޑM wC&CwZJGbs8t'3{iU'Otd7{zt4x{{YywqlK5%FMь"'\chU$ID1{vXH9w:['200]CFo9sKY}ܞ<11!:؆>i?Iń HL; }3>ZQkI3bb1,ѬR'g(iWXZN/U.H/Td0%ݻ[DY!CCC9 r k^ 9X'QEg?j&nCwZJG}Hs 'C׮]kmmC9{'K?l/e((tѴ}#Qv; l"l(ٳCե&u$CNrjϹXd]5C~$X˿.^?ps{нNHNN r!&V̜ s'{ͬL: ؛qs8tpgp%''O"/(&&NKLL c I鑎.+v7VK{զKsȥKOx1ƘÞx{K(IEee+///33snOqxk|C0'8t |C0'8t qgwrxp: IDAT`>Op:ݻ8t(C0}#!B!B!u$]~_B!B!r_}o~1\PB!B! !B!B!4oCB!B!B!B!B8t8t!B!B!B!B!CCB!B!B!B!B8t:t::E!B!B}uN:t}}}{^@.uB!B!l<Cwݲf!B!BY9tg?ﯬm9\`:B!B!\O?}%zN7Hn0'8t |C0'8t |C0'8t |C0'8t |C0'8t |C0'8t/x555RfmO޽+ʡߐN'N9sÇ޺uѣϟ\rã,ޥKxά9&wiOO|*~Cj`VCK\\GgΜ̓'O8tC711~OONkzyyG`` '={СC-=8t.a.//٬ۼyݻw5e||000ĉ~~~졩)::ƍaP__$IIIyyyrЈ'O޿_N>}ԩ(3Q q9Jzmr^eeeR珍O[[[lُq 6H šؔG ,Q&ݹsGN̙3RRWR&O||˗[Idk׮Y|!!!rAAAmp9߳g&'' Y?}葜\2HKtd?qqqrd֪vv}1%Ӕ]Y,e<R9cFMMd{C*70"<<<233`zC$ĉQQQ~~~^^^۶muf||Z]]m#G<==udܲe͛3Flݺׯ֮]+)/^n V $6ӧR)Nݻwq %%##[rI %ED>D9 EBBgIHmܹsz"ܼyS> 9| v%)Gi)}[]vM򤥥\ycǎ Ȯ䭩|zFϟ \f455ݶ}v(rrD9!66V2H"""b7m$eѡk!uu)7//O)V7n4[ɝ&;?~\Kas;&r_ɹhmHڐ2K^RHɆIL=su١߳gϚ5k=<<ͧbUWWg3C788(6o,2>=6m:yyrmf4Iʾ}V^m1I~ykF)[n6##CjRRRvl֦)RRZ,W5رC6w uf4E8qj~I-ڵ ږjݪ'%o[[[4z{{堲C)!dIѡFQr\f<\V|9۷K?&&&FvOkƠ}Jyyy=ŋMn߾qF%_s3w2{zz?~|׮]7n ۺu0{zyy=x۷uܓNlؾ}d]*..Rt<[_@@5l6Y&aԡ/Zf6rQrdS)|ڲeթT(::ZIyc=)ԓ.'9ZS CKbWW1zruڡۼy$FEE9RI:|d3.neU&C-6md=333u """\|ĻwJѣGm2Gu[t)QQQ:|"TVV 222sZ=Δi٬%'f> %6..N,fP'ܹs^I<ѡ ϷO{R6͠0`hI0gtutޫknݺӜ]_ettISNG.N5Ӑe 6XwuuQz8qM166E T^^nf݃<<<|}}ٳgm2wm+t۷lbMpႇ$CAAvC-3t:tօҡSHc#9wgNVhh5QmcǎTooo=d򑙤6l0ԶmۜՉ֤V93:t6 +dffp[n߿_jGM^bg׆p95-zDpw }85𷰰0Ioiiyġ;|Cwb^c:89C=rGw脃_~llL*D>*,,tvdT536C`,G<aFOjǎriD-=Q:Z_ߚ u;00`Dw?~Y?m>|XWW'Uo4==n\$ڬܯ<yR2bMasnm5BBB}}}]]]cccRkڌ 8t:*""bݺuf;{ɲ5fF=~vΞ*ϨeI+٠\ϟ??Cgs^$:*=Amn:tzX3 6c˖-7n$<Cxڮ9>x0uHQcc>S١օ[[[###sްa~*98zjl\CllիW;|jɱ֯_/ǒ<tu̓FdI}||tDpQIe$ތ>Bj 5 )|jn>"ٜf ^ Gtա3˺j.BjRa9rD1-|wxvyիWرСCV3 xzznڴB2߿k߼ySv.ڼy$Ç`ƍk֬ٸqcII%00'NwOf:Y;w:~֭[mLFd*ښǎ3d۰aömۊ}||tÇruRSSJ咥xyy<yR3$CFFT\w^3:tryIUK֯_/˜8qC%!!AAp3:trʁdoRcRf9ڐK冗 RTuTwߡ_TvQUUePTTcMMMZ񸸸u֙<y k֬IJJRwFimm=x\rfffOqSOOO}c']ggڳNVxxxvv1Oo:X!^tƍZK3tww:u2'% {yyWxubݦJut[MMR,>>>''z^mmm.GnujƍVG#=)wyQQQ!b/"5p`F~v444lŮ޸qc``ǘ7>>+G7˓011'Й s+訜u .9'{Ί$,c#U!K8;͛KNY2XV!7٧U-rLl8222+%5&L}!d >? ~l&&&9q,Co8t?"}}} (UϜ5en.CCC#2::7󏏏|C0'8t |C0'8t |C0'8tpk-!B!B!j)Q?11%#ͣCm!B!B5x֒zB!B!Bkt8tB!B!l\82]K} j!B!Bjr8tT%B!B!Bs͚m8t!B!B!B!B!CCB!B!B!B!-~BG$x'B!B!f)Q\B),pn B!B!Fwf{"K"B!B!F(hB?Pu!B!zٚ}ET*8t!B!Э-b[7J?\~?0B!B!f8tE_l!R !B!zՅo !R8t!B!mBB!B!9t^WnU٭O(-xp w(uxB!B=C]9h&VO+%_>ϮmԘH^Wr?[#k4+]yqٍDUB!BhǕO7Vuқbڤ jU?]V}ggsᛠ,vC?}1<rjR4y.K} k+ w5l+ {QjevjJFJD޼<>mn}΂5Z>K=V.\˸G?ٍo@sYư{NMxtK{^ª ~)drSO˅W,Y5+BǡPzDzg׉]u@g܌R]>yim蕭gucw,ٖ˟H|юy兼]O_[QZS޷s+U&%ŝx:(6,tMyы}[tVMIהKvo/Y|ڍn+tjW WtW>["S:n7TeY 4~e?ҍQ|%(?vƛܾ2.5p?L뎎8DGo;HgoW 97䫚t64x硾W6zROQM G!^nU2+]MM1oup՞!7y}.MxE¤C6޽\~wWe:ۢ>ô豉ZQrZ/I|-CVG7J3>>Sl9aq;/CWrμH~3cOn]H ݝw29 9[C{:bW¡G{Զ[7OһWDܖ,*Vx7Fkcpwx34WŹzCWr5k5е6KIFn5ݏyY!V6K !1u{S{In+qaXkUΧk9b%K޷n/Mzq% G >!CѪOʬO&$~d[IY[^2֖|a=k ?QD>m_(d'A!ʞtW?=KeU^W?Nm tvǏuNKci,{Rxkʙj6ki\O4]N\S⛃g).!;|r-`2x}*_}y w2UxK2}8۳prA#ͣ\'~#C}фf-{b"5끛>aBvJ·}%{S7qKƛʒMġ{~=ge7FX2/Ṹ 4m?~Gнpɿ-WΡJ*Ҹ!ЫЭ}LJ᭧FGN_W^wGkI|N4:~Ϥ[l?$}6ؤ>zu#D}՞~dj< fU|7Z`M#SM\f[ޚ5e?6ZLN=?S4ϷO~Wfʩ-H?},HfR-y)Zr-R7ㆦfR96G"i6ӱn}r4%❥(ԼhSG/致{pXx}]Ի= w*wmcvuu iѬ(WIjb"ZCLJyQlpIwXgi]UYsE6*KReс}^ zAswj٧hyvJfݿŒjz3'l߶dۖސ>1zsF#FN!%e+9Ã7Ε ;&x?\ >AdkݿC&ƞ[7}G'j5&ĜھͲ{ݖ\GNgt]*_ʳwJ9ZzzF\j9}{VmݮDY3$ƞKoxD 9eRQ"k&k1o@ߖZs3=u\g;OT$g$NY2$|OjFc#O[+ّ=N6t[U}&=<yWk ͤf,en'yKTH{v.OzN-ϔĐyp^tg_Kzƚܧ#z[4Qp27oE{v|z҂(@w[#kC5:Ԗ Q 3u_Y9tykLC@SըSOW%TlT}9||Qɖr-ÒBvJIdy}~ڡ{-ۯ_MO>'I;^Yh͒,ILI<q06pvFЍgG]}޺Y;zJdB1UVz@_WnʶqG&'(IxAr8N^_,D6GZDr[aEqlxvےy;q{fmNf䏋:R&ue6^#yz:}Qk+RǬLOK:+qi$J-OV![Im$S{¼RI'J b ܨ `R$+BJQm.\,Bw;mB!JhUg˳?\]l|jƙ)NY7:>)i]vhx4~nͧ{}!)~/k˻ﶵ5_>uK woM&5-e4ɶ<Oa IDAT-ue!&xQ+ u؆`3m޼usrSl4Ͷ*S9L;7Fگ TEW.^hmOvm5eG+s>ͷp9εң߆}3^;nKT6]Ozcqݥzvǿ|7٦۵7v6}ҚbU#e)Hr~45c9QorFGufwmRҝw0g$X7_~o ,9*n/<VMnܖgvKfs,9,x?HyU /XqF̵ o\ǏȧtlbߥpDơQnM//R'JgU6ue?|v̝uO[7;gr}m̲Yjwluئy]z|$:t`=Сkk,fw9уzy~yI3AdGz˩O~4\]cOjvjbVZ]+BlC~vMS?ڊLǸ95͚sڿ kVSfxNO!8`>~:<?,03xg˼yrjS]4(iɢw(0I͔dYlШ)Uz?ۯ6uky|X'o V~/}f_+;MZo(Er}.Ӌ{>C#f 1g41#%xúY:F_gͺ5_PbŬ:B?m֒[%[rɜ!]nrSx)dgZsvd?7cۀs4䉍<$ԡ ^]t~KZٕL]<ݒ_u'c*ӟ'C+S%gT''uܦ5F&J6)XjT{m}] _r5:4x{FV|N K\Ď3}cJ)7)mn ߚw\6Q3➱Ns54>_Rh.re9ݼJۄcNV־*w!Wҥ%O=RdI)+.(!)}Y遒M/^ҷA!^a.ex~6[fQI_$˓wYF)t'=luE_ʼn n?vs)_ѪO% oM,Nifݲ8gⶦ/@&^:p5H/4򬏓1p+&$譠qZҿ}7ܣ67.Pj%𼺰y^u;OOL';cMu='we28o<#mrOiJl,^G/Pa{vqyImĻ]#/}>OTy}qYyUIw [\2H?W5ۯwɯCd ]t0/,,d9[^S7ڡ^nI4=;H28t.>0p;rjHMY'ۥpۖ,gP\vJ1d?j,2H_yy~~:=zBJu&W1Bۮ'}>K?\X` KGm*sxӶ Z3 22Rz:Lׯ1LʹDڡ3Vڞ  b/zA[enfXUijz39S)ɊeFxdRmtVD|._}`kN"7( VoMtǡڐ=hR)M:t`O]W3XK{"3&q<W}k+C\Û{N;r+\V(WASw,7˾6#e騪*K[Çzh]w&6ա{8q!7ouZEIIM:cF?۔\KbgK;-f?5bdAC$2CɊ'ճQswfPmt$ʴip~<_ur8lU^֒&zt%ѦյsIƟ*jnsӡ6%v(s$u?TII?iRғ$JP'V /-i7grzOLĒQmBWڡ!}ςՉ/m>-6j6ypWW>y8ypS=x0ef5|rA\mC@:M99:>Q֟-z04T==obcηzYrLͺ2'Z)I+Kr5Jk)>;ro$JU[-Nnwcg}V|uğ.Uݽ#n&{}U؟{WKP7Qdۻcw›OY}H&e|%|K~0ޖusuRSb5%5Y",K)'W;^ݥv,*| L?"c<]Qcqm=gAS4%1rORV)m Iyx"O]lb&߫Iw+&`pOa^xRܓMunU瘎MDԔ;\7ބy}7lk]T+511C*KR:u9Q:>۽*.jjp_6eY:t6ibibfu4 J 55l*sɢt.\/}Nzmr]2 gOn=vhR_;mu8tk|yTx?صm" E%Ss[JPJ3OJn ʚsƤ?ksV$ueYcL^8Օ CCަ]gnsMۨ&l+Ɂ6'tp(ꦹï;sY/SC-cm<_E,6V)p`DϟaQWeX]]EQ"ecw'2ת3uvo.w2IJGs3yλ9oUyYqG$ZUdV3~z:+t8j>ǚR4ŶR,$he"g^V$GԤ']a~u꣕<C%v0e^mE c#]IM[(? $4xաړ-YTvYm9(%4}Bv.qDš"աsaMͮ|xygiI&ݷlĘUYJʁҵf5[@ٴ{hOx|~kWVl5Sp9D8I]e5%ѵǿ_Gܗ!2ǭ__W9ڞ)Xlj譚XK"?|=[uj6˧KS_?.ߪOաfN®aa5$ŧ{mY7HкsqR\JOبzc>j5)"#9K2HġYsPvmJZPȵ8xPu3˥6wO*/uy˵N2W]8t =iCg]UZ[9f:̺͎cƙ2%9XrV{~R辮j<|`I4FPImjΖL|xse6õXSaFBRduFn ٴ<RfR)os3ݷg6v:t+b6Fz9tƁ}L 9hp3Iٹi7F\^CT4Zcc#+t fۧp׆&{tf;]Yѓɞ.:~f[|ufCu61ì:=dN/ﴩZbu "lT{h!776`])[%ѡT7J%%2̌3?8tlNa4'27ΝK<ImtclCOoZ?낰mBW١[}UW>l1|y"աsac?̮6|0éWfk诜㪎{WjkSZ vfL9Sug48tQM&u{IYoo~D8Ilh:=O ԹۑjMU4H&(MKz{0~ygR(τ/e7 ~좘7vʧ&=yj_QgVtۺo<)~\FKŘx4]I?PL(6"jlrLsWe=Rm:Mq,9d+9\z;y/=fk_.7I|:O9'kWy}ڌN̪vu˚{rUޚټk{^ }56:+.nݺ:T=O/K&wzv& :[*~5:cXiGfo]TY Ԫ0gǚSg>N CC}ےg{?Cg} }(Mܵ:= 6n)+qΞ~k:\D33:t#- 1g$Xibw)Cّ6]B1]RNU*M2Շ:nlRVvOtMYAOܾjdc)ଲq˞& 7g_ڣbb䝙 neXKԡuz|Fj.O:tйyyrԕJB]mfêdNR ÉD'S}/oBV<[lENC0GfW2;U}%)Ȼ+u_rۦO4G}%k;&OP͑ϺMbzK&FiJuO2_!nCe/qW겮'얓3['ΧxI.ڵ|am,OX"4`rܿmۡeurڂ/]S3mMi諒 LM½ﰞCjkJtC㜥(Ԫ5ݿzYb]ڼgơ7J='Yґ'_C,C-=hb_.7CW^k>}~eGǘn.:3 Y=mS̠5+pO3ѵCg}NC'.K߷{K[>me:t(ΟۮW,υ>qگE|.>sb_U;s謏1h.qǡ3sB1kyfO_ep\ /< MY؅Ck2kN󠏽Vp:,#%ݽl3aYu wnԹNc6wƯʒg.bA;6|efX<-_(ܬ *]8t:?4#JE{Y'ʷ41!s4$^ͽd5<c#)J cg_/l.:pgI >j9We6^h.ԙ3:t6V.+}]w wܿr[7:\]ܐ'9;[LC'E^g:t5)ơSM8˝-E!: B!J;tK2]luzk9nh6y,OhϔsQmy立|y7}g<M>2>3c$eo꩹MCS*;Mbb~bWM3;UԣUeWx<i/)8tk|i'|δN}P!Օ8ԋ'[Wxo<[ڗ⢘i[I+?ۭ'k[SodijkbԴ,E1:,HX?uF5̓;K/=Ͷ3:ЍjgA6-7#-<>1\zşZo> vSe`-dp&9'+*bκkNs1TAr H "APC=3 is3S]]]U]] W?:Z{n6] ]EqZ2kG=t [W27W3UT[։źYTNݨ(G:5'Du젪[ح%تm4WSMUvkjUWU rqz*tj([Ǻbrdm"6R=6bvO;3(tFXq^fKCi^f{Ɨ%]vSujmά6V:q+4\]E~N?VvrK+=idYmH$Ir`+tAO4 ]oV|j:K~b&W$x w{QKq=W?|r|MSekT`l=lKMq\へJSnԢJc`Ӱ̤Нڻ$pL-Bϻ5;.?inZ\k~]zgʙe!$4Эn6rzv7 ̹>Iv.1&]ԟw鐜'ul5(D6(xܲCP9SP1H$g=y,\" O{fA>\DCS;?᱊Gc;cܛwed:Sm Xܥн mL-7En2l_} 04jQG')nɣ1_M L{G` jGW#7|TqX\:V;|̮"y:퉱]=QQQJMWr6+27BdoKK#3TUe]<m[,^:aNz\@5J!j_x I6́g7VaGwXf Ryũc[M3>8mgs (X*!k(yzޝ"+޼vDboy}HKӫ"Urԫ]n : ]SZ7SإХ%vli.1|gq(\EQ. jQ jef7{Aury4okfjuG\CY_O)tl "u|Ue_خmm.;S$I$I8nQZcV|j:K~S]?2c24/DN\qw\8Ȇ7u] 7Q)GB'.J / PkՑS7|zs˵?Ǣv*ׇzQfh^.Cɠ1K oMq;Sj^P r}Jߙ$0,4Ma<һZޙ68.yzQq\DCM1sDDI"Jo_Ȕ3w3 P Q x16o:ypx^7-A~ ~VO4eo{[GĮ ]pBgwXZθٱ6JCMqЩE7%'nXxѨ*t~!K\ =̮=nKH屢My%iF 0+-7[+Q7(6ԒBÊT =j]j*t,W{"(HFs+tjNZe@Mc]Z_W|81WNG*t̴O{oKDmTsrMΞֵW\U]yOuTGTISBw7*NeIJXu5 yN)0-EV>x`Z&K.%깨mQ #:zZQ^>Xcv!~'=^M?E Ń0<UخUWfw{-.wh=[J ⺣Հ]Zh IDAT۸-l)tiEO<[h:y|Eȇm1LE RyVBnM0tb6$I$9:_GRn>~[Wۥ>- 0"\7#ŇJWL*۫}ϼ\ϑ!)mTnt1մkd#04of9qQ ݻCћf]kJ>OjgU5DnDc[[j52nG§RֆOצڧ4eޢқ7TBrͫ\Ց|20œ݁Wݝ,!2^$,5 ۻs ioyez(go 5ɛخowLzܣ|oK.V}@̚.1`աyL(m(?K}ϋg+3hQCKRTh67]9 3zФ.eso +p̫?o+t~'ke~4uig?lpkѩ[tϜ]8/+ +'X-]:Z]<}+jYAFifLETkk~fEF[^G}Wz(nw` wp\C]$y=eՊ)uGd"OԒͪ0bʆ8(UH7vΘv)tjYd.$q,XWhX%Acz(B+tujEx7[SyeD6nCt5[O " &_;CodBWVJJ( +^ڢɜ^(tznn ,N }LV9NFr@Ya|YaBFJ5ݗ&S?,^\bΓ(tmM7ol͊3mb(;c ]vFCAvDEQbj=+p +-}][п ]OBdHVZН"B<:M~k:8;Rv}fZYorq{fj rsNt LzPsǕxz^)qB\KFxʺ~]HRې$IV=-d+e&٨6Ê,) <_yֵj}˫qKI!Ze«]ˍ>{KMc_g &1EbZuwW*-7<{]BnzSpZۻT4cm{SXfu#甥Z1Nh|Y7ŮZDKR^D+ŷuϢ͋G%!sN7$S\B,i .~ gZ^@WoڨJHۗcuRM-7UAI7vNWw,mX bHdJ/h6aG+&+E0Y饷{f9o4 ղkjڬQ\T{nԢXkJ Qb%7Ёo-#DAJXdojIӥ_dngEX׭lQ<uD o]4 'nMN}ݵ텳^j:Uٲ@y:iBVU;qtKEq72V)^SnX7+-1PwFn g n}N(kVMwXsGj_N!\|ed:)x+E޼*>gBsU+t5MV|x_[mB&*ȬBmUzrU^;5vjQnz5F>/Obڏ53{vxQvrե[C]zP2f`.ّ1鍍%^ s:6Hp]+0\=1[nwJc`PUvoHx,ӄk<k^:ZO$!+-CKpA]qX29ީUVPCu.6$I$9>c/J(tɛ*t dڎ엩ɔ?=9]ӵńSBDW$v @ JVBWJ ^iR%l//ho2T2k7F9\\BC&|.¦ϛ*.fQ"\b++9C l~v'ɾWT9e1L;Td[VP F ʧ{ȄGj`q}[gx7  )b+a}{ B䨊 J{SaMU˴J׫5 p`zQ E=Wl`(t=ʼ,l}]^^TYUN8fnLAEqՕO e'P5 ~d7|iI^|UYaj#sS\|km҂DPwli,ê[\V{#VmCiEqJI~Nsf31Tf"{y'4M8,%n$V^m[_<t$0z$˟t!4YI2AU\B1㻺"GKo+zYYSM}cYWj|ۚ[.CȨxFİyjjA*s|ύ?bE6c4 u DKCrIMov("Q<em(1ؖj?$I$Bk%9骛ߖ|^Krm =do Ưxuϛ"i .+vыz^6mWYZքMvn" H2c{$UH*҅{Wy9r8w$R-+n=󈛕s&]:K)t–qVoѿ"n(<$|gW:2U;DgSǷjhP6m*$x^9pƇ?TwL…EF5W/m׮AF=Ų„Ԅ{Qo2J#J$I$9#W273i#~  S ~ ޮ_^oR=Q] ]m KڐJ  ]l6L}aZP_mCv&=XœqfE8}QM.y"sJY=OdcpwMrv.-mAK$IU<7GFo7~e9rfTO> "lƬT 1ZN]KO;l޼E%iyڑnI5ƫMxI#"o_<EVU#ɞ\8\V߸Ɯ-}!+vI$IH }}_ynv(C[x1qv']H1 "lƙ҆A] Uu.|mCiI~Ǖq7kzUz3;^ $I+2Mr7z|A7Rb}HIfZ`Bx{WyD$IQk_x:e7z7;<=m<xRMSU˴as6ɮIiZ8֮{ꓣAAEۢ;lMG!lvGꊽogB粠 {:!;Em"I$I$I$Ir+tλ7t{T䭺mێ5M}EI~ *KS^>%I$I$I$IǸԹ~C<!ĭ>ĮO£GrC#I$I$I$I:!#Iҩr I$I$I$I~2 JSq֝Б$I$I$I䧢q$3o}G$I$I$I$? }0cDSqQ#I$I$I$fnϏ$I:]nX< I$I$I$I~n,{Ĭ߻x@p-kQ#I$I$I$Ƣq|&̾<  5`#xǾ?.?|ߐ9kK$I$I$I$HG_?$[G,?G$I$I$I$I$TH$I$I$I$I I$I$I$I$IRBG$I$I$I$ITH$I$I$I$I :$I$I$I$Ip ][s%s$I$I$I$I$eMEZ틢*t uM$I$I$I$IE!D&I$I$I$I$I„Y?]S[Y9K$I$I$I$IV*0ƞQFҥD> #I$I$I$I$I jrZی     :    OP#    :    OP#    :    OP#    :    OP#    :    OP#    :    OP#    :    OP#    :    OP#    :    OP#    :    OP#    :    OP#    :    Oت577&ʕ%0y Ijs YTw1g**"k-fW@ <PWWLӠ &''R***Doe̢]Ұ!`4doT6 Όϟ%dee=%#X{555VRž Aaa3UVV} z(]eee(if:䍕X3eObU{*8'PKcckC}}}~~>TJ,ήfFq=YOՠ3D͈" Cff&|@@I@y1=+篋;y:r+<0gCMM *t:'r3Ek"i[lB=e677#FV˟8PPPRmMCXh꘳DU(otӼ+{9ؘǍIEـ.#*t:dTPtx9U[p ٳg=eH^VȄBmm(t0/ۅgm?Y<w_Oyli^}@Q̩[fn/uoccSvX{ [C0̷4 ͥ&ERa8M[:^B#k!I%yeS:*t:}9O7i$1P:cM΅YJݥPveWYK~xFn e.>;RsN-;@6448<-o"d 7l9/e A8BUGO)tϟ?G-%5DظF'AmN|QBGP# 2F B0 1ye>;RBGBGPBGs*tT*t ݰsAߜRBGBGPBG)t wwj*t'нUG#x֒y.mΖ97'lLt&9l:@v\4yɽK_3Ò v9Bի7D@:珧Sޚ<>xH3R*t=򂧧}ȑe˖ƍ{BG < +t6vn\vg& 3 yDI\[zg6j:RBGBGP _鴤gϞ}]7X N8/^O)7#CN>}׷W9BwȑQQQwΜ9 kcBS蚻pr ={j ^vmϞ=EEE=~֨9eS .hƀntg77wq0|9T4gI;1+C8:TjkkBuulCC*++k.X~-Z+VAAA<x쭯wB\%g<hjj+dc>Zصk͛V1znȑaRR\"~.w, ' $֊g;JJJ$QF G =d^-`Nk,:x+--xJ<xp޽XXmWP0ƏoOtg޽~(&fϢ tӧOqmw}&Mz+}pҥ2c?fU'Tiׇ7nwŋDFF:PuP#Bg;w|b/ҥKAVw 7mL ks$CV =T)gH]Xvb\{1q ŭr0YTBtaźVZ/5 MaÆ_~)tʲ7-((P޽7˜}-[M=<<x;t?4uV||8q1 8NŐ!C LǹHBӳ vZ*K|rmdX0f̘3g d ]\\BcǎyuO?-7|~<E٠Bg#3g-U^^7t/B{iTs:C7ֳ-o+tO#hKJJ^z̝wS{|O5I K_Ś,PJv'΢ݻw/xP_Ò۳Ξ=iE1ięBdِ8CU ݁U 3VN^?~Ks4am49.v ' qAf<x\>n:~cqGX?]\5UB^2Y.n(=BK.)Κib!KUE^n%u.v. 3Fx*T₼3$p6L+HǓ>'~CA8^1l<R < }رYYYj :gSƌ#.\>A$]>St:%۷;*<J| nԩUl_@Մ'rԩn&<Hv;v O ٳ޽Cѣx:UĠ ŋm?l0u@T,U:ٓㄝw>ږݽ{l%x /_2*;rQs 'OT ݡf8@B4QM+em̴E>cۣVMu.UW>WGM51gF !'--6vx[2I-5Ѧ;*=\Dnh{UĔf)b~e&vyxCpmWzw7]9CY7w#\.R ݸq_Wr}VQs6oV &_9FmTG5,X@.[L/Lt?kQh{]\rzϝ;H?(.Sƪ~ƍ\ڊ:uJkH>R_ Dztf͚(cx8y$:uf#JUn$[Of{{ԩS񰚚3<dΆ 1o# IDATrQTZ?(40΅LKK;mE_"Ћ]t-!88Xxxx8KJJt ۷o\x1^Ǐ7448`~{6mB x((*fFFFnݺ~QNNC*++D! 7[[[x믿FhSHz(E8o9p7g. .<r6{AIyQUmvĉVVR9s ~Tԃp,=59XB2Pܳ~a咜|MT^YYY`KSp)4Nxp ˗/Yp600SRR^5) 0%,8Dq@u?V **J߿0qPa6mT4k׮E1o޼۷o.EI3gOk.$_mϱc&L0~VX!|):hb;vhEk[ٳg7J:@$6 9#M} ݺ6uiilihGk^?w;nMT9XaR%W1ot<y|ܰB/˚VƔG?nq0r\ .$C&a-Yp}anqBB4`x;Eyf^{[ܷ/]z\~K.FO; _d>-+؟Y!/{5OKc*-P¼yN![o'і.wwէ5'Yؑo1O$HN\es*tN9PW@cmeTwWWZ0QJmz^Gm)$ ֈcRR.V Qq  xF#"tu2<l߾}ƌE`>޺:.]D3 Ŀ-2˗/=z^00ж"8ܹӘ@LL :Ka4xh:;ܼy)SfΜy!MZlzy5s{tOB f _d =##î.BXPO?d'Z4RS 62yd%HZd2ߐBgvd:ֳ]Ϫ,a wox"ƳWRw ֲB/,gQ x/^cK^e_~ٰaԩSTZȑ#0_O҆ctdU_Ԩ|.>hIRB D1@$QK#_L/f}K~˿;𮮮"H: ,zC$|uP$p4@SP̆@.۶m3xO Cn_p!*dTp1ߴ$Doi['T%̚5k ;9 ,µȽϣIhH5ՈνOFĐFGW_-P? PDO=<VY7z"f?x RGDD}-)tNG:C4:G#'h7׎ t6i:6 {zo]*|||`t`܀*tiiip6%44*#\ZwØtҵk>hش"\(§p`Q3Sihh@[G5haΕ(tٳWB^NNXI Ep%:B?6`jTU~PB;jW 3^VV+wtbS;6B7еq(toZݖf\Y`U ޤ"l{.f'cߔ0GFfX1Qa֝%& T=6u=h~ v-=*<T{JmAǝgϵ5ͦ}3hV5SWNjGݷmoL dPޑ`ʢ7bM]+ZTˌ;d8 AСڗUTЬ0f:L `MSO&EEEV++f)L>L 뚚gVi}s_ ԺBj`։ :T bbbd$:<:Ќ!߼yӨǙU5CV1 :%Y7K$QQQ#Gԕse666.[LReMYRt:YJlETgV(<D[ɔV[NIr˗/GrgwzhȨoFE믿FOC%Q;Zj۷owXkii1bѣoŏ*tPo}}Zp٠D0S(\g≠'#Up֭[$YL$GS<|.+VP.AAAF=\ԊhSojj*<5 +M/*޼y?S)*o°d׿p x-]hh]Z%tGC"턬 ͠L_.!aŋufr./B6%A5m999K<[^^c .`49;+ X{6ى'.DiQuPQ`FZ#.>=z?=+**mo(RYBVwa+ zX<p,~P"<+@ȰGO<b%iӦ!_~EC.D py=X*("yyydA"ԳZY > >=ƅwm/=\ !^SްaGZeTB,AΚUNu/%MsZ^ZwƊI8ХI\K}aCv$,9Cxzf9=AwY˚uLJ=-=hوeH1CmoSj>sq+#'ÛV^:9yMgH+U~W%+a&͂McFEEЩ[owU rS6WJ}qnz$WTÝ&e-yݢ ^ :Tuym?TӋV޻wE⢫0a*̐\o+֣WQB *Z={6" *]׸:Y}CS^'l r ً5W ,H.4KttE[ahӕF<GZZc>ES?@}ܺv횴#j<}<b%.~T[̿>,<_mj􆆆I0O ޡ΃a*DI xk^;jݧ2Xaln(dv`(9#oiwXHBMkjɓ'8p@uub2 Wu_B Tx(v)t}v(bBZ(H[#!eՖȣifATAENv=nĉFA m \P˥锵 i2dn)vBFM#{fR\]]˗/WDxkwwwxM*e(֕2IVœɸ:{eQ0#"".tpZN$qt2֜;wN8\{xuA:@"fg+tvA:Ta:q3gl߾u(g-(=J0LOOO\P%55U 7a(555 ҏx"K >N ((ڶ茢Ԋ!(qPB:ᒝzjTШUh2k^A oab:Ο?_ySa<)GtVQ],lt+e E:6A:fT ژ^ywDa>p6"ܤs%Qus{N}3='VpK6X}[PݎQc&[BSYiCrcZuKp::+1x6m%#}r|r+w[be7r:k\&fje+nBy8*QH)tlkﰐ*Ju+܉m?\X JvO]]2QU>Za&fݴi&.%wc8:9S i)G[$5@OgŽAi:[iFYϞ=k6GM.жw}B{ʕ0(ŏr|׿{UiC:c˒gtQ,((QJA@ LmxԎ BUhʛ%^^R謣:ԙ4Uy%0t}"Q#9&9Ѝ9R"RZ=yyyi?H5P) PQt@}-5Huݤ:7fBo2޽/PlϽ{:GB)M?s2))IjEYOF춹;]eU,Uڶé:+Hd*9;uT\j++ #GSś>t{*pMU`M, v)PQ`j2Qܹc%Z\'gΜ)tЀׯ+7~(t:%U:Txbo5\wSUQ2+E\]]j5Is(q^C,l&֒HyΒB*zEOƎO[m,u PnRv/Ylzn \9k2&~?]\N:gPZaqBv,QXl)bJ>wQ9ugfBW\)tsmgRXr1һK+/ҺےVSԵB'.I<Rl)XbʝV&f9ss3? ݠT`௚tR -,Z.1b|< jodFuLbSullC:Q@/5cR{!rOdXqT(H'B_XeeewftmoXՅiO*I&7T5QV駽3X:gua̘1J;VM(<[T>E+9,9vm%8x ==RYYjP?GgSV_-Zu|M*t7:.p>|'8lڴɺ0tb6Xi(]:_Yn̙hekWXHԶm۴$xguWBvS V +ұiQQTSjdB'KPRR2P:XwAAAxD3VCP;$2NtB'MpG: ctt մOOO(+jՖ-[PoWSoܸ;퓘UFeSBYmEns;CVFMrJ[5 fe?OwsD|y熳%־.Ϛi-moe {+VEMnje'8{"Qe4d.&SWxrLƖh$ObwiMزoKVN#ꊴ^L;d%KqTy@)t=;L [oyץ\uTBŒ -C+T>ʜ/$o9B׹s54*P>\%KEQ&ՙJ n֭VGmiB\>7Nt9)w)tB2@M,34;8aT+`{GuGs~NT@]]AЅwDޢ[K8:B'fBS@=zι-cidȤ] ̳FEdK._,QNQ1_JCOXRr]_.l5"3OU(z: ['F ;6TTTOUBBB~JKKEixة<*M֡Ӆ`RDU:HZGٞd5L9* 6rDŽE53qD֭SV>z_T @u:f̘YݻWS3 HM0*t Y9qED{/J #KZu]lڦ}gR.3-gVT]Pi1 ?r_K/:gb,Yփ; }-p3{,Mgc*wM5K .&.viXļ]Jmxۥjݣ5Y!4Y1XZ[,tL`/ ]N9\B\+.6 'Rv_ap~]G쫎9BWSS@"K8B'.dVIoWHBqMY2e&CMI ۶mSAGl]&ƌHʺֽt9ViJZ}$gpU{Aj}*Yl>ˌYeZ8)YF2B Jhլ%(L\TP,WkO m[3oxw;cIJKP z؋Bȋ`GڝlG91U*K ), "6lypVWW4 o>ϨGQ" eޙ:tIENA6mڬV3-[ѭfJ7822%J^С7]>OEՕSN5$ZI !놼+k.uԨQ#FSm A|t-I]]]{\}E]~@WE/5Ml{ l9bחK++R%Kts<{|[ [*tf;U۩:ad:+ lq8ke] zqgVVXapFN20"(V:i9S-lE,)t'8B*|_"[<o 3}Jߐ\< }{E{Kotcf[{ۺp.e17Ru[5R2ugQ{{yF}gf'gQX/^[Z1[ɻ,y%Tu%+%w{{x8.xR)tralyT> uyM# 7QN?$d0\uK䲸} @np+t~,a-&fgaL@?A<߿%v$(..1ֆ :!"_1nCMS trss3ju)OѤo)=KIqQbdةС0֭[m[+m}+tf"- #T_{Cg*tk֬U<tϪmQ\)t(SLu?itkoo_˦&va!)^ znW? *᭭ ,pXsuu5Yv)t VʡjyOVf+{]B}FTf, X`ƍS.Rhxaf:y@>|mQv:DGG+rȑW/^l|_z\M/sHYUWȮ/|W60Er難f͚eXosQT4Pg+V_oPjje j)t ]@h,f,lSS'!XkSʛ(tX7Xx]]] ?}𡿿˗/ŋ^ ؘ^@k*?J~:%4⡠@ͯ Ǫ*Hr_tԄY(vj8XlZC;٢C`fsCR^~֬B>=l.ned\FoɏK~!-əuula seBIRLDvlwU*[H^4$GVk([v k]9><1$}P1cWm%<˒xEBu !䆋ǰU>.n]:~WX;U"IDATW"d ŕIhKMTQ w3v}E7ƹxssf{+zg9~ Lҝ.׆ν9܁C9:]5n#Ĩ@cQQntwVc)̙3e-EeʀZ688JԺB[RZ X9D0G%D~MVI HD @*j2VCKjb?#6\z(C ;͝`YI_u ]d_.*TP3:hMc[o;(m>;lh?1cNJZZلG =v+P4՗񬒒_EY򉂧^lI8 n ݌3d]EX(]ϟAe] Cp499?~h惗Ϣ1믭m$|gx:tӧx 7oDD64 ^|KvzYYY!!!(24OMСC(tG$df??a Bzq/Tbxzz:4O)Sh:k-R [$\\\2:<k]sojjk- 2}mGZ9@86VάiMۿ\:]aΩ*q- *ƞC(tvA)DS_<NK.rARǏ:- Pk… f:8Ozb[:ie$^Tdl{QN1˦0pD[1h6zkB0iY8aڈ-un§4X:0O൤Ӧ]e~r ͭM2")-Z{@ +SٻCћf]kJ&QwS\v{^yjк-b.,y'ˤ=ֺۘ q<1LҾ&"4T1- ߵ+GTu/m]&e+Cďկ;fnm r2iաsn sP  ;i” _V/n"Kf(/^Ġ\зH0ݗ $C#'rQC X8KqF5Q$ d+qmU9h=އZ%B HJmQ#Fr}>YN֩pU-RT ]VVhOj\p``]~DCƪe Re(G: 5){i-=z4'(<QljL k/tu_-vj AQzQ"Y#44T^mp/4@ꬍ %"n:UJŒZA2<<uN{> ]h<׏ ՗9,I"˥ !!A}mwe #PҘSJ=U!SFj6nС_Ez6O΢С5RһmL ]DDax!20oߞ"V- ]AA2\p;T ]/:<Oo(t/_֮ lDJimVҎ҄ B?~zΜ9#!+GԪTF#l4XSi:>G)tZ9'2-OwnVTUƴe"f3jԵR3Wf+KfEVkwW+uٺ1ELNi]1ziҒdbONْJ/rЩ{?W xN?/V9YH7]2>U3cK}q]^yCL[1w1y@B)(tMIH-&jou-,u9,1ԨvDV A1t3,c4I7oT͇& 5Xl|@ۤzwɪvJ U GHs#g޽2rH')iyh{\`T9dwB %(A竏҇D**tZ,::{!KW߁ZJB:OtQ&uڟ~,%P*q8v Pi[,fٳgYNݻBΣG'bZCAeXdwo=ݜhСv±SBXԨ:JFC|'Nظqj(aB*|t컲 |OȀQlˣpڵ՛[:+ E  g!UJDR}YQGH8"'33S)trCgc~zB'4_0q0f7"dmgF:9t钲5[HܣQ* \-:?-}<u[C'jhq{uho% wB7D^~;:"trgZ{+K4)txf-jMQ^mU+C' [fIK:ے>"BJ}gmɊYG^>ǝg*Ny3i#&o5xQ"v6}dyc̃pb+?L=ȭpPsZ~ȶhNOsJ}X0TJCӠa:(Cȑ#㦾l۶M9*[bqAݎȑ#;Qr mj| r599YS|SLIIIQ7h%Dut;俌?7a5C'j̅ H/~(S^ԥ %(D`Ո`wA?߱Ǫ}Ԕc*Xh6lSx} 2#l*tƳJ۳g[h:YEDɴ%SF3F#[uG99P;Eo\Ȃn2qZD<q>D[ z~iwj%,FƩ:c~˥ߕ9THBWV0>ֈ=] ݕl#]4gN1O³ǫNJfYnIY{u[27*t]{"K7EE|քM|%+m1IbKBu>Ÿژȓqlإ#8p*tI)##tXQuVthgѐ!>if&N>9b]дeff.h,50)) -ֱHnN?8D,!!yR?BgCӳ ,Ng^_߸q#-- o5A:+nݯ:zVs f?ӧO?rYcsN_.l+R||||%V0s{jAAA|O~Й*Q I6OxA#>5ULL4M=}%TRBtBQQ> K6{j+t :*TzCdV5 F@P(h%ׯkʒmQs|{ =T 9hZó5Č*Y$*tΩнx7V k[?A% c9_e9:ĭq---r GqqGwoc΁Pv oo߮~,.t *t6^Twmc%liga:!TQsNBG A|BgAcOA< ݯ#>9T n\<Ȓ#Mv!x~ǀTQ%dggɓ'TT nݺuİaÆJ +swZ9kTfqr1#9BBԶ?~"~KxAf{̙:pNwfh.FccOkT<N6;p*tΩСUc%)+t:*t-e A 龜UX:P#BH/I : A ATNv᪣<k~֌Bw̻7AwG*tΩUUUDԶ?~ [~KxAf{̙~)T ::O#>q[ZZt Aƹ~CNJZTTT舏 : B݃ kcBS233Q^_v᪣<kx% M[js_lg ;9.?̼)gz\1"z2my KxogQjnnIqAD+tN^uQ#zhzF+--Eye{OM͈+<{>?:qLsPYY ˉ'T@ СިS#@@7Jʛ~gUCg~9xYww{SThY[R#9P)!-uJsrr^x\BGT|HAAAO%332Sr^+tRr; z(W(]-~{w<!q G{8w~ZY+..Fuǚgɓbb!Kxo#d㢶_x̱:p6.;; R7+5AOP&m/BW >'ʕvVů!*Vy%>Ⱦ[W[[˚gQ XByyyA'X{>jȧxcvP.**BmVC'^LNX777^2i tv(tAAANW^U*BS|1}r+:    p P#    :    OP#    :    OP#    :    OP#    :    OP#    :    OP#    :    OP#    :    O|\{ESKY[$I$I$I$I$?׭mv)t(ԳSIENDB`
PNG  IHDR)m pHYs  ~ IDATx읇[UIڝMt=:Ms APrHTrNdP^y<<߇޺uΩSܗﭪ0*Gp:`>Op:`>Op:`>Op擙7s΋tn߾v֭Q;wtttN(`!ܹs̮*`ttt<|Нׯ3`߻wϝ38tT%u;9q^<nr8t/:`>Op:`>Op:`>Op:`>{hhhϏ9qĹsErr$>x׉ⰰ z8xm{x}gܹs'#A^^5/,,:טgq(8tZ^HTm8fffwMRYY)os'/V044tʕ䜜7nDGGG{{YԲQ =Ijllr6l(**U&Aʿ.y"ڼ%ڵk:P!!!/sM)K!^N$;U~j9ۿ4$IKG=ӧOKQKtBM%H }?BU!/AŋP^*p^%nԀ.:ҕ &ֺ`ttt۶mOmnn_à|ԩ_fϿo#""y$??M{mHOO߼ysqqIw8Ɵ2kT{y$$J;݌Qի5"IԒb8\mmmRȳgrS%kii $s61_<==~s9rY oQEO<999o5… 3 LJJzIԝ.[SSt_xPZ҄{{^8.]7YI7c{nٲe䈷z޽{ζ;uwݷoÝgddhr{nL.1tAշlЙ. )l~0!AksخIwao1/M``è":sʕ0v먎ǡC +**dWo{{PNsjI{&5499Y"j<==5_[__wIIFS>#{[#-+Wjo_{Išb et"MMTLLFONZx~$/n޼)?+CIWWǓ:Lcl ?ckÇ?CcȡCz{{_׿USV^٤) $uvv~7uV}J|_re{-C_C&C*auf2Ɯ-fEzklb>5uзz+++Kzgk.\HII}<70MI$b ݻ%%%6瞞hi&JǏK1144455b}vttHݻwccc*%o͆rPP/[:uJڻϜ-JNl%d&Rmw!CS`9l~3g$$$<3So! v3F-iq~$y4`gs =*aAenp($HȲ2 #78 ARRx2<<'1MU[[MI,;%<---#u䟂) 9KKKmv"gsdsⲇ"ٿ%CPPPyy0C/s35}g&QZb;P DvKDk`t%7q'Rjmm RfiIo3S\rE,XČ1//_ڦ'YI7铺IKK;ydQDDMP5}:I #1A}se3F9Y%Ib~~-CH6Xds^R[nI1֭[uWqnvtRDBlZۊCvfkɗS7qGՁNFݻw;*11Qp?i\J02C]d, e4x KDj@y$ƍYRv%-͛7K-)ׯ +X>{:1[IVR$,JN9c<&(Sv%[ٳGweirI^Z{yi&ٳUzjOOOiJH*׮] @ 111Ւ63Νm>vtt?v߿_"t)&_I46hy!_m+!BC|${vy+?55URrrr$ٿFoրV[[f\D$YR@:-+;lǒ'U wLRW r+"AOJ=I'M`0YgنMMMՖ>Dy!E1J;tlN0t$AOZnx``m۴}hVqHKEնw>ǖyZn`M~%VWDnƞ4}"m3 jH/}ڧ+// -7 ___˖")ٲĤxr$q2޷9ӧOKzGGTbnooWkOcS![ZqwXȡ! ژ|*oq`WY˔Hw%ԚY/_1tk5ޓ>/_tRi %Q.166?qH'VDh: N),,ԐdR$RK6qo$93C 44w*1ѤV5ˮ<eiu<2-5#)+%^ju=>KG8zƇvlfOv t(mS Wb:K0U?+>>ަQ)m8^>|֕dPI4kYoܸqÆ &vvաHK,}  [Ot)M bBN\y6v褁nr5kAlʕ&:_Ƕ"qUt,5jԚ1J;tlN0,onȶ3xHpo5hW4&eɒ%?YZtǡsocKDڧ@d^!vj9벥klVFe\uޫ˴ĤٌKఐҽĴ4a#uby9v\m0Xi^=݊$8jX8΀g}]iWio!P~_K޽{l_WNr̚qmں=y{9_fC:t:BSxrܵ5iLNN64ZPRR")n:t[nxCQkC'm)}!'ILq5y:sk` 8<h1f:tִ<K7X[)5K.uf (m;)tM5KUH49A3K.PPP` K^4١sYtEEE 6 ֦ u:;Qơssw-%*-iK3֜fzqqqV2777~Fnƞ/`/ڧi[eneVСs2C'?[(q D(c Ie:.VVѡ Z{:;;z}u/':uƍ83υxm͛[lqv1k.NO2pV$]6vO9Ǐ[7MI/zRCCCt+MЙe:iȩ06`d 8.JktttddDEWY6۫SqsmJ&]qOHtZ!MFwU ~bnV&iti(k.H.4 ߚNqĝ`8cKIzه۷Kvhin@b &/LOGޟ򗿔ݶmDKo+o͓qf fgg[Iʬpc4o;wЙI .:-ù9t¡(MtrQȬ,RZ,9:;3jFN8tfr \LDu+ >͌Q~_kHktjzzzg=jYKؠ?7:uN)rfP΄Wf-иi):F>R xlARECxyO,<C'CiG6㣸fT]?N&H,ѣڱbhfͲҨ:t:B+:A?_~Hpt }濒^^^NNN.x=5IfeI4?w׽.of:tnnN0tRЭmCCţ4$XxO}koh"kPz…;C7cO0..N2gtct@ttk:WԙCe87NrE氐!!!mݺugΜu2:t<8wr+V꬯;00`±u*~ ^?u5hAǡq4&[l)QǓ;/nvn];t3SY=Wa6:QB╳#DEEiRZ%%%555:s;+NxNNpGXbhhHJ%`ɓ"9<}ƍXx4!Dq6?ap3JX:77q'n)ɉhJIs {gw8lI" `ٲeK.=vX__tXI'W_GӘywtl{R+H8rѧsӡi9t\ IlmàOАJWWWll..VfZzu.g8U&v\u?Q&JSIBi!8˗kmp8ˊIl?5X5^lSy]9qȀCg t$ZWss[o(n:t3Դ_j~8:Ѻ釋ʡՎgڡ<^Jlԩ6K/IfҹٲW̓">Y 7աsg7-%}ᬖ<0$|frw%[O3᰻7cOfL:-Cg>ƙCñ. ixSSS<== W gzq'))ɅC뇋\7.m׏$/iP$%''罚͏=2#cccG%ҕɟxVԹ3KȽcqoC'P gէu$G~cEal6 b}.MXgf `K[Ppǡ=zG*`Uޤ5l`۷[4O_ҵCf:tlf0=[nA0?g.Z$h]̦0[}'e/5ϯ~+yp=Au:8w?Ce(!~$,KݺpsTm];3<ЙCgt!9kj:p 7ux\;t<p|C LaN=yy_UUU4D:7M4),,ԏ$&''K4/e4Qxٲe6lؠ)l߇jWNNk)5xI\IȆ&qjykW)ln^޽{m &;t;Аb/-Sv8i;fwJx>ufM: }N۶m*C7>>lkpႴ a0`L:++1M08/~ }x%8 D ΝM tx pv2-秬̌q}{I[>f?fr{Ynƞf6u\ ӟuǡʡs2|葼<hRI`֟Ϝ9cI /ݻ%Bu]afrkNװs6No\+~9tf(6Qu.7<>sJ4j)//#Jw&]xQ]"үЎhII<:t 6HkRbJrt$WTThھG C9-NO~>,A@"|#=Oi-Il</Crq6ఫWJ;ݿ&C'HEIp9+++%~I'T+P2ɹgeemڴIZKjҹӌ4Qw܉6; i)I]ɓUUU';;[Zu{I9(__Wzzzع;;=Ai:jsEYRi[믉8t6]67:7[ &#H>jNF]aa&J[N755U,NgBdTr 555A.IyrC Aws=:t 7 ()MGY7 X3"NsɬC<99Yɰk. a=̣Cxr(L-=d ["fWq7 wj̹4*)%@!Qkǎ4#*`pp׬'C'ǒެN ӽIshhugơ{<97DT(Rc ҈f;2x&ݬFIo2wޑM wC&CwZJGbs8t'3{iU'Otd7{zt4x{{YywqlK5%FMь"'\chU$ID1{vXH9w:['200]CFo9sKY}ܞ<11!:؆>i?Iń HL; }3>ZQkI3bb1,ѬR'g(iWXZN/U.H/Td0%ݻ[DY!CCC9 r k^ 9X'QEg?j&nCwZJG}Hs 'C׮]kmmC9{'K?l/e((tѴ}#Qv; l"l(ٳCե&u$CNrjϹXd]5C~$X˿.^?ps{нNHNN r!&V̜ s'{ͬL: ؛qs8tpgp%''O"/(&&NKLL c I鑎.+v7VK{զKsȥKOx1ƘÞx{K(IEee+///33snOqxk|C0'8t |C0'8t qgwrxp: IDAT`>Op:ݻ8t(C0}#!B!B!u$]~_B!B!r_}o~1\PB!B! !B!B!4oCB!B!B!B!B8t8t!B!B!B!B!CCB!B!B!B!B8t:t::E!B!B}uN:t}}}{^@.uB!B!l<Cwݲf!B!BY9tg?ﯬm9\`:B!B!\O?}%zN7Hn0'8t |C0'8t |C0'8t |C0'8t |C0'8t |C0'8t/x555RfmO޽+ʡߐN'N9sÇ޺uѣϟ\rã,ޥKxά9&wiOO|*~Cj`VCK\\GgΜ̓'O8tC711~OONkzyyG`` '={СC-=8t.a.//٬ۼyݻw5e||000ĉ~~~졩)::ƍaP__$IIIyyyrЈ'O޿_N>}ԩ(3Q q9Jzmr^eeeR珍O[[[lُq 6H šؔG ,Q&ݹsGN̙3RRWR&O||˗[Idk׮Y|!!!rAAAmp9߳g&'' Y?}葜\2HKtd?qqqrd֪vv}1%Ӕ]Y,e<R9cFMMd{C*70"<<<233`zC$ĉQQQ~~~^^^۶muf||Z]]m#G<==udܲe͛3Flݺׯ֮]+)/^n V $6ӧR)Nݻwq %%##[rI %ED>D9 EBBgIHmܹsz"ܼyS> 9| v%)Gi)}[]vM򤥥\ycǎ Ȯ䭩|zFϟ \f455ݶ}v(rrD9!66V2H"""b7m$eѡk!uu)7//O)V7n4[ɝ&;?~\Kas;&r_ɹhmHڐ2K^RHɆIL=su١߳gϚ5k=<<ͧbUWWg3C788(6o,2>=6m:yyrmf4Iʾ}V^m1I~ykF)[n6##CjRRRvl֦)RRZ,W5رC6w uf4E8qj~I-ڵ ږjݪ'%o[[[4z{{堲C)!dIѡFQr\f<\V|9۷K?&&&FvOkƠ}Jyyy=ŋMn߾qF%_s3w2{zz?~|׮]7n ۺu0{zyy=x۷uܓNlؾ}d]*..Rt<[_@@5l6Y&aԡ/Zf6rQrdS)|ڲeթT(::ZIyc=)ԓ.'9ZS CKbWW1zruڡۼy$FEE9RI:|d3.neU&C-6md=333u """\|ĻwJѣGm2Gu[t)QQQ:|"TVV 222sZ=Δi٬%'f> %6..N,fP'ܹs^I<ѡ ϷO{R6͠0`hI0gtutޫknݺӜ]_ettISNG.N5Ӑe 6XwuuQz8qM166E T^^nf݃<<<|}}ٳgm2wm+t۷lbMpႇ$CAAvC-3t:tօҡSHc#9wgNVhh5QmcǎTooo=d򑙤6l0ԶmۜՉ֤V93:t6 +dffp[n߿_jGM^bg׆p95-zDpw }85𷰰0Ioiiyġ;|Cwb^c:89C=rGw脃_~llL*D>*,,tvdT536C`,G<aFOjǎriD-=Q:Z_ߚ u;00`Dw?~Y?m>|XWW'Uo4==n\$ڬܯ<yR2bMasnm5BBB}}}]]]cccRkڌ 8t:*""bݺuf;{ɲ5fF=~vΞ*ϨeI+٠\ϟ??Cgs^$:*=Amn:tzX3 6c˖-7n$<Cxڮ9>x0uHQcc>S١օ[[[###sްa~*98zjl\CllիW;|jɱ֯_/ǒ<tu̓FdI}||tDpQIe$ތ>Bj 5 )|jn>"ٜf ^ Gtա3˺j.BjRa9rD1-|wxvyիWرСCV3 xzznڴB2߿k߼ySv.ڼy$Ç`ƍk֬ٸqcII%00'NwOf:Y;w:~֭[mLFd*ښǎ3d۰aömۊ}||tÇruRSSJ咥xyy<yR3$CFFT\w^3:tryIUK֯_/˜8qC%!!AAp3:trʁdoRcRf9ڐK冗 RTuTwߡ_TvQUUePTTcMMMZ񸸸u֙<y k֬IJJRwFimm=x\rfffOqSOOO}c']ggڳNVxxxvv1Oo:X!^tƍZK3tww:u2'% {yyWxubݦJut[MMR,>>>''z^mmm.GnujƍVG#=)wyQQQ!b/"5p`F~v444lŮ޸qc``ǘ7>>+G7˓011'Й s+訜u .9'{Ί$,c#U!K8;͛KNY2XV!7٧U-rLl8222+%5&L}!d >? ~l&&&9q,Co8t?"}}} (UϜ5en.CCC#2::7󏏏|C0'8t |C0'8t |C0'8tpk-!B!B!j)Q?11%#ͣCm!B!B5x֒zB!B!Bkt8tB!B!l\82]K} j!B!Bjr8tT%B!B!Bs͚m8t!B!B!B!B!CCB!B!B!B!-~BG$x'B!B!f)Q\B),pn B!B!Fwf{"K"B!B!F(hB?Pu!B!zٚ}ET*8t!B!Э-b[7J?\~?0B!B!f8tE_l!R !B!zՅo !R8t!B!mBB!B!9t^WnU٭O(-xp w(uxB!B=C]9h&VO+%_>ϮmԘH^Wr?[#k4+]yqٍDUB!BhǕO7Vuқbڤ jU?]V}ggsᛠ,vC?}1<rjR4y.K} k+ w5l+ {QjevjJFJD޼<>mn}΂5Z>K=V.\˸G?ٍo@sYư{NMxtK{^ª ~)drSO˅W,Y5+BǡPzDzg׉]u@g܌R]>yim蕭gucw,ٖ˟H|юy兼]O_[QZS޷s+U&%ŝx:(6,tMyы}[tVMIהKvo/Y|ڍn+tjW WtW>["S:n7TeY 4~e?ҍQ|%(?vƛܾ2.5p?L뎎8DGo;HgoW 97䫚t64x硾W6zROQM G!^nU2+]MM1oup՞!7y}.MxE¤C6޽\~wWe:ۢ>ô豉ZQrZ/I|-CVG7J3>>Sl9aq;/CWrμH~3cOn]H ݝw29 9[C{:bW¡G{Զ[7OһWDܖ,*Vx7Fkcpwx34WŹzCWr5k5е6KIFn5ݏyY!V6K !1u{S{In+qaXkUΧk9b%K޷n/Mzq% G >!CѪOʬO&$~d[IY[^2֖|a=k ?QD>m_(d'A!ʞtW?=KeU^W?Nm tvǏuNKci,{Rxkʙj6ki\O4]N\S⛃g).!;|r-`2x}*_}y w2UxK2}8۳prA#ͣ\'~#C}фf-{b"5끛>aBvJ·}%{S7qKƛʒMġ{~=ge7FX2/Ṹ 4m?~Gнpɿ-WΡJ*Ҹ!ЫЭ}LJ᭧FGN_W^wGkI|N4:~Ϥ[l?$}6ؤ>zu#D}՞~dj< fU|7Z`M#SM\f[ޚ5e?6ZLN=?S4ϷO~Wfʩ-H?},HfR-y)Zr-R7ㆦfR96G"i6ӱn}r4%❥(ԼhSG/致{pXx}]Ի= w*wmcvuu iѬ(WIjb"ZCLJyQlpIwXgi]UYsE6*KReс}^ zAswj٧hyvJfݿŒjz3'l߶dۖސ>1zsF#FN!%e+9Ã7Ε ;&x?\ >AdkݿC&ƞ[7}G'j5&ĜھͲ{ݖ\GNgt]*_ʳwJ9ZzzF\j9}{VmݮDY3$ƞKoxD 9eRQ"k&k1o@ߖZs3=u\g;OT$g$NY2$|OjFc#O[+ّ=N6t[U}&=<yWk ͤf,en'yKTH{v.OzN-ϔĐyp^tg_Kzƚܧ#z[4Qp27oE{v|z҂(@w[#kC5:Ԗ Q 3u_Y9tykLC@SըSOW%TlT}9||Qɖr-ÒBvJIdy}~ڡ{-ۯ_MO>'I;^Yh͒,ILI<q06pvFЍgG]}޺Y;zJdB1UVz@_WnʶqG&'(IxAr8N^_,D6GZDr[aEqlxvےy;q{fmNf䏋:R&ue6^#yz:}Qk+RǬLOK:+qi$J-OV![Im$S{¼RI'J b ܨ `R$+BJQm.\,Bw;mB!JhUg˳?\]l|jƙ)NY7:>)i]vhx4~nͧ{}!)~/k˻ﶵ5_>uK woM&5-e4ɶ<Oa IDAT-ue!&xQ+ u؆`3m޼usrSl4Ͷ*S9L;7Fگ TEW.^hmOvm5eG+s>ͷp9εң߆}3^;nKT6]Ozcqݥzvǿ|7٦۵7v6}ҚbU#e)Hr~45c9QorFGufwmRҝw0g$X7_~o ,9*n/<VMnܖgvKfs,9,x?HyU /XqF̵ o\ǏȧtlbߥpDơQnM//R'JgU6ue?|v̝uO[7;gr}m̲Yjwluئy]z|$:t`=Сkk,fw9уzy~yI3AdGz˩O~4\]cOjvjbVZ]+BlC~vMS?ڊLǸ95͚sڿ kVSfxNO!8`>~:<?,03xg˼yrjS]4(iɢw(0I͔dYlШ)Uz?ۯ6uky|X'o V~/}f_+;MZo(Er}.Ӌ{>C#f 1g41#%xúY:F_gͺ5_PbŬ:B?m֒[%[rɜ!]nrSx)dgZsvd?7cۀs4䉍<$ԡ ^]t~KZٕL]<ݒ_u'c*ӟ'C+S%gT''uܦ5F&J6)XjT{m}] _r5:4x{FV|N K\Ď3}cJ)7)mn ߚw\6Q3➱Ns54>_Rh.re9ݼJۄcNV־*w!Wҥ%O=RdI)+.(!)}Y遒M/^ҷA!^a.ex~6[fQI_$˓wYF)t'=luE_ʼn n?vs)_ѪO% oM,Nifݲ8gⶦ/@&^:p5H/4򬏓1p+&$譠qZҿ}7ܣ67.Pj%𼺰y^u;OOL';cMu='we28o<#mrOiJl,^G/Pa{vqyImĻ]#/}>OTy}qYyUIw [\2H?W5ۯwɯCd ]t0/,,d9[^S7ڡ^nI4=;H28t.>0p;rjHMY'ۥpۖ,gP\vJ1d?j,2H_yy~~:=zBJu&W1Bۮ'}>K?\X` KGm*sxӶ Z3 22Rz:Lׯ1LʹDڡ3Vڞ  b/zA[enfXUijz39S)ɊeFxdRmtVD|._}`kN"7( VoMtǡڐ=hR)M:t`O]W3XK{"3&q<W}k+C\Û{N;r+\V(WASw,7˾6#e騪*K[Çzh]w&6ա{8q!7ouZEIIM:cF?۔\KbgK;-f?5bdAC$2CɊ'ճQswfPmt$ʴip~<_ur8lU^֒&zt%ѦյsIƟ*jnsӡ6%v(s$u?TII?iRғ$JP'V /-i7grzOLĒQmBWڡ!}ςՉ/m>-6j6ypWW>y8ypS=x0ef5|rA\mC@:M99:>Q֟-z04T==obcηzYrLͺ2'Z)I+Kr5Jk)>;ro$JU[-Nnwcg}V|uğ.Uݽ#n&{}U؟{WKP7Qdۻcw›OY}H&e|%|K~0ޖusuRSb5%5Y",K)'W;^ݥv,*| L?"c<]Qcqm=gAS4%1rORV)m Iyx"O]lb&߫Iw+&`pOa^xRܓMunU瘎MDԔ;\7ބy}7lk]T+511C*KR:u9Q:>۽*.jjp_6eY:t6ibibfu4 J 55l*sɢt.\/}Nzmr]2 gOn=vhR_;mu8tk|yTx?صm" E%Ss[JPJ3OJn ʚsƤ?ksV$ueYcL^8Օ CCަ]gnsMۨ&l+Ɂ6'tp(ꦹï;sY/SC-cm<_E,6V)p`DϟaQWeX]]EQ"ecw'2ת3uvo.w2IJGs3yλ9oUyYqG$ZUdV3~z:+t8j>ǚR4ŶR,$he"g^V$GԤ']a~u꣕<C%v0e^mE c#]IM[(? $4xաړ-YTvYm9(%4}Bv.qDš"աsaMͮ|xygiI&ݷlĘUYJʁҵf5[@ٴ{hOx|~kWVl5Sp9D8I]e5%ѵǿ_Gܗ!2ǭ__W9ڞ)Xlj譚XK"?|=[uj6˧KS_?.ߪOաfN®aa5$ŧ{mY7HкsqR\JOبzc>j5)"#9K2HġYsPvmJZPȵ8xPu3˥6wO*/uy˵N2W]8t =iCg]UZ[9f:̺͎cƙ2%9XrV{~R辮j<|`I4FPImjΖL|xse6õXSaFBRduFn ٴ<RfR)os3ݷg6v:t+b6Fz9tƁ}L 9hp3Iٹi7F\^CT4Zcc#+t fۧp׆&{tf;]Yѓɞ.:~f[|ufCu61ì:=dN/ﴩZbu "lT{h!776`])[%ѡT7J%%2̌3?8tlNa4'27ΝK<ImtclCOoZ?낰mBW١[}UW>l1|y"աsac?̮6|0éWfk诜㪎{WjkSZ vfL9Sug48tQM&u{IYoo~D8Ilh:=O ԹۑjMU4H&(MKz{0~ygR(τ/e7 ~좘7vʧ&=yj_QgVtۺo<)~\FKŘx4]I?PL(6"jlrLsWe=Rm:Mq,9d+9\z;y/=fk_.7I|:O9'kWy}ڌN̪vu˚{rUޚټk{^ }56:+.nݺ:T=O/K&wzv& :[*~5:cXiGfo]TY Ԫ0gǚSg>N CC}ےg{?Cg} }(Mܵ:= 6n)+qΞ~k:\D33:t#- 1g$Xibw)Cّ6]B1]RNU*M2Շ:nlRVvOtMYAOܾjdc)ଲq˞& 7g_ڣbb䝙 neXKԡuz|Fj.O:tйyyrԕJB]mfêdNR ÉD'S}/oBV<[lENC0GfW2;U}%)Ȼ+u_rۦO4G}%k;&OP͑ϺMbzK&FiJuO2_!nCe/qW겮'얓3['ΧxI.ڵ|am,OX"4`rܿmۡeurڂ/]S3mMi諒 LM½ﰞCjkJtC㜥(Ԫ5ݿzYb]ڼgơ7J='Yґ'_C,C-=hb_.7CW^k>}~eGǘn.:3 Y=mS̠5+pO3ѵCg}NC'.K߷{K[>me:t(ΟۮW,υ>qگE|.>sb_U;s謏1h.qǡ3sB1kyfO_ep\ /< MY؅Ck2kN󠏽Vp:,#%ݽl3aYu wnԹNc6wƯʒg.bA;6|efX<-_(ܬ *]8t:?4#JE{Y'ʷ41!s4$^ͽd5<c#)J cg_/l.:pgI >j9We6^h.ԙ3:t6V.+}]w wܿr[7:\]ܐ'9;[LC'E^g:t5)ơSM8˝-E!: B!J;tK2]luzk9nh6y,OhϔsQmy立|y7}g<M>2>3c$eo꩹MCS*;Mbb~bWM3;UԣUeWx<i/)8tk|i'|δN}P!Օ8ԋ'[Wxo<[ڗ⢘i[I+?ۭ'k[SodijkbԴ,E1:,HX?uF5̓;K/=Ͷ3:ЍjgA6-7#-<>1\zşZo> vSe`-dp&9'+*bκkNs1TAr H "APC=3 is3S]]]U]] W?:Z{n6] ]EqZ2kG=t [W27W3UT[։źYTNݨ(G:5'Du젪[ح%تm4WSMUvkjUWU rqz*tj([Ǻbrdm"6R=6bvO;3(tFXq^fKCi^f{Ɨ%]vSujmά6V:q+4\]E~N?VvrK+=idYmH$Ir`+tAO4 ]oV|j:K~b&W$x w{QKq=W?|r|MSekT`l=lKMq\へJSnԢJc`Ӱ̤Нڻ$pL-Bϻ5;.?inZ\k~]zgʙe!$4Эn6rzv7 ̹>Iv.1&]ԟw鐜'ul5(D6(xܲCP9SP1H$g=y,\" O{fA>\DCS;?᱊Gc;cܛwed:Sm Xܥн mL-7En2l_} 04jQG')nɣ1_M L{G` jGW#7|TqX\:V;|̮"y:퉱]=QQQJMWr6+27BdoKK#3TUe]<m[,^:aNz\@5J!j_x I6́g7VaGwXf Ryũc[M3>8mgs (X*!k(yzޝ"+޼vDboy}HKӫ"Urԫ]n : ]SZ7SإХ%vli.1|gq(\EQ. jQ jef7{Aury4okfjuG\CY_O)tl "u|Ue_خmm.;S$I$I8nQZcV|j:K~S]?2c24/DN\qw\8Ȇ7u] 7Q)GB'.J / PkՑS7|zs˵?Ǣv*ׇzQfh^.Cɠ1K oMq;Sj^P r}Jߙ$0,4Ma<һZޙ68.yzQq\DCM1sDDI"Jo_Ȕ3w3 P Q x16o:ypx^7-A~ ~VO4eo{[GĮ ]pBgwXZθٱ6JCMqЩE7%'nXxѨ*t~!K\ =̮=nKH屢My%iF 0+-7[+Q7(6ԒBÊT =j]j*t,W{"(HFs+tjNZe@Mc]Z_W|81WNG*t̴O{oKDmTsrMΞֵW\U]yOuTGTISBw7*NeIJXu5 yN)0-EV>x`Z&K.%깨mQ #:zZQ^>Xcv!~'=^M?E Ń0<UخUWfw{-.wh=[J ⺣Հ]Zh IDAT۸-l)tiEO<[h:y|Eȇm1LE RyVBnM0tb6$I$9:_GRn>~[Wۥ>- 0"\7#ŇJWL*۫}ϼ\ϑ!)mTnt1մkd#04of9qQ ݻCћf]kJ>OjgU5DnDc[[j52nG§RֆOצڧ4eޢқ7TBrͫ\Ց|20œ݁Wݝ,!2^$,5 ۻs ioyez(go 5ɛخowLzܣ|oK.V}@̚.1`աyL(m(?K}ϋg+3hQCKRTh67]9 3zФ.eso +p̫?o+t~'ke~4uig?lpkѩ[tϜ]8/+ +'X-]:Z]<}+jYAFifLETkk~fEF[^G}Wz(nw` wp\C]$y=eՊ)uGd"OԒͪ0bʆ8(UH7vΘv)tjYd.$q,XWhX%Acz(B+tujEx7[SyeD6nCt5[O " &_;CodBWVJJ( +^ڢɜ^(tznn ,N }LV9NFr@Ya|YaBFJ5ݗ&S?,^\bΓ(tmM7ol͊3mb(;c ]vFCAvDEQbj=+p +-}][п ]OBdHVZН"B<:M~k:8;Rv}fZYorq{fj rsNt LzPsǕxz^)qB\KFxʺ~]HRې$IV=-d+e&٨6Ê,) <_yֵj}˫qKI!Ze«]ˍ>{KMc_g &1EbZuwW*-7<{]BnzSpZۻT4cm{SXfu#甥Z1Nh|Y7ŮZDKR^D+ŷuϢ͋G%!sN7$S\B,i .~ gZ^@WoڨJHۗcuRM-7UAI7vNWw,mX bHdJ/h6aG+&+E0Y饷{f9o4 ղkjڬQ\T{nԢXkJ Qb%7Ёo-#DAJXdojIӥ_dngEX׭lQ<uD o]4 'nMN}ݵ텳^j:Uٲ@y:iBVU;qtKEq72V)^SnX7+-1PwFn g n}N(kVMwXsGj_N!\|ed:)x+E޼*>gBsU+t5MV|x_[mB&*ȬBmUzrU^;5vjQnz5F>/Obڏ53{vxQvrե[C]zP2f`.ّ1鍍%^ s:6Hp]+0\=1[nwJc`PUvoHx,ӄk<k^:ZO$!+-CKpA]qX29ީUVPCu.6$I$9>c/J(tɛ*t dڎ엩ɔ?=9]ӵńSBDW$v @ JVBWJ ^iR%l//ho2T2k7F9\\BC&|.¦ϛ*.fQ"\b++9C l~v'ɾWT9e1L;Td[VP F ʧ{ȄGj`q}[gx7  )b+a}{ B䨊 J{SaMU˴J׫5 p`zQ E=Wl`(t=ʼ,l}]^^TYUN8fnLAEqՕO e'P5 ~d7|iI^|UYaj#sS\|km҂DPwli,ê[\V{#VmCiEqJI~Nsf31Tf"{y'4M8,%n$V^m[_<t$0z$˟t!4YI2AU\B1㻺"GKo+zYYSM}cYWj|ۚ[.CȨxFİyjjA*s|ύ?bE6c4 u DKCrIMov("Q<em(1ؖj?$I$Bk%9骛ߖ|^Krm =do Ưxuϛ"i .+vыz^6mWYZքMvn" H2c{$UH*҅{Wy9r8w$R-+n=󈛕s&]:K)t–qVoѿ"n(<$|gW:2U;DgSǷjhP6m*$x^9pƇ?TwL…EF5W/m׮AF=Ų„Ԅ{Qo2J#J$I$9#W273i#~  S ~ ޮ_^oR=Q] ]m KڐJ  ]l6L}aZP_mCv&=XœqfE8}QM.y"sJY=OdcpwMrv.-mAK$IU<7GFo7~e9rfTO> "lƬT 1ZN]KO;l޼E%iyڑnI5ƫMxI#"o_<EVU#ɞ\8\V߸Ɯ-}!+vI$IH }}_ynv(C[x1qv']H1 "lƙ҆A] Uu.|mCiI~Ǖq7kzUz3;^ $I+2Mr7z|A7Rb}HIfZ`Bx{WyD$IQk_x:e7z7;<=m<xRMSU˴as6ɮIiZ8֮{ꓣAAEۢ;lMG!lvGꊽogB粠 {:!;Em"I$I$I$Ir+tλ7t{T䭺mێ5M}EI~ *KS^>%I$I$I$IǸԹ~C<!ĭ>ĮO£GrC#I$I$I$I:!#Iҩr I$I$I$I~2 JSq֝Б$I$I$I䧢q$3o}G$I$I$I$? }0cDSqQ#I$I$I$fnϏ$I:]nX< I$I$I$I~n,{Ĭ߻x@p-kQ#I$I$I$Ƣq|&̾<  5`#xǾ?.?|ߐ9kK$I$I$I$HG_?$[G,?G$I$I$I$I$TH$I$I$I$I I$I$I$I$IRBG$I$I$I$ITH$I$I$I$I :$I$I$I$Ip ][s%s$I$I$I$I$eMEZ틢*t uM$I$I$I$IE!D&I$I$I$I$I„Y?]S[Y9K$I$I$I$IV*0ƞQFҥD> #I$I$I$I$I jrZی     :    OP#    :    OP#    :    OP#    :    OP#    :    OP#    :    OP#    :    OP#    :    OP#    :    OP#    :    OP#    :    OP#    :    Oت577&ʕ%0y Ijs YTw1g**"k-fW@ <PWWLӠ &''R***Doe̢]Ұ!`4doT6 Όϟ%dee=%#X{555VRž Aaa3UVV} z(]eee(if:䍕X3eObU{*8'PKcckC}}}~~>TJ,ήfFq=YOՠ3D͈" Cff&|@@I@y1=+篋;y:r+<0gCMM *t:'r3Ek"i[lB=e677#FV˟8PPPRmMCXh꘳DU(otӼ+{9ؘǍIEـ.#*t:dTPtx9U[p ٳg=eH^VȄBmm(t0/ۅgm?Y<w_Oyli^}@Q̩[fn/uoccSvX{ [C0̷4 ͥ&ERa8M[:^B#k!I%yeS:*t:}9O7i$1P:cM΅YJݥPveWYK~xFn e.>;RsN-;@6448<-o"d 7l9/e A8BUGO)tϟ?G-%5DظF'AmN|QBGP# 2F B0 1ye>;RBGBGPBGs*tT*t ݰsAߜRBGBGPBG)t wwj*t'нUG#x֒y.mΖ97'lLt&9l:@v\4yɽK_3Ò v9Bի7D@:珧Sޚ<>xH3R*t=򂧧}ȑe˖ƍ{BG < +t6vn\vg& 3 yDI\[zg6j:RBGBGP _鴤gϞ}]7X N8/^O)7#CN>}׷W9BwȑQQQwΜ9 kcBS蚻pr ={j ^vmϞ=EEE=~֨9eS .hƀntg77wq0|9T4gI;1+C8:TjkkBuulCC*++k.X~-Z+VAAA<x쭯wB\%g<hjj+dc>Zصk͛V1znȑaRR\"~.w, ' $֊g;JJJ$QF G =d^-`Nk,:x+--xJ<xp޽XXmWP0ƏoOtg޽~(&fϢ tӧOqmw}&Mz+}pҥ2c?fU'Tiׇ7nwŋDFF:PuP#Bg;w|b/ҥKAVw 7mL ks$CV =T)gH]Xvb\{1q ŭr0YTBtaźVZ/5 MaÆ_~)tʲ7-((P޽7˜}-[M=<<x;t?4uV||8q1 8NŐ!C LǹHBӳ vZ*K|rmdX0f̘3g d ]\\BcǎyuO?-7|~<E٠Bg#3g-U^^7t/B{iTs:C7ֳ-o+tO#hKJJ^z̝wS{|O5I K_Ś,PJv'΢ݻw/xP_Ò۳Ξ=iE1ięBdِ8CU ݁U 3VN^?~Ks4am49.v ' qAf<x\>n:~cqGX?]\5UB^2Y.n(=BK.)Κib!KUE^n%u.v. 3Fx*T₼3$p6L+HǓ>'~CA8^1l<R < }رYYYj :gSƌ#.\>A$]>St:%۷;*<J| nԩUl_@Մ'rԩn&<Hv;v O ٳ޽Cѣx:UĠ ŋm?l0u@T,U:ٓㄝw>ږݽ{l%x /_2*;rQs 'OT ݡf8@B4QM+em̴E>cۣVMu.UW>WGM51gF !'--6vx[2I-5Ѧ;*=\Dnh{UĔf)b~e&vyxCpmWzw7]9CY7w#\.R ݸq_Wr}VQs6oV &_9FmTG5,X@.[L/Lt?kQh{]\rzϝ;H?(.Sƪ~ƍ\ڊ:uJkH>R_ Dztf͚(cx8y$:uf#JUn$[Of{{ԩS񰚚3<dΆ 1o# IDATrQTZ?(40΅LKK;mE_"Ћ]t-!88Xxxx8KJJt ۷o\x1^Ǐ7448`~{6mB x((*fFFFnݺ~QNNC*++D! 7[[[x믿FhSHz(E8o9p7g. .<r6{AIyQUmvĉVVR9s ~Tԃp,=59XB2Pܳ~a咜|MT^YYY`KSp)4Nxp ˗/Yp600SRR^5) 0%,8Dq@u?V **J߿0qPa6mT4k׮E1o޼۷o.EI3gOk.$_mϱc&L0~VX!|):hb;vhEk[ٳg7J:@$6 9#M} ݺ6uiilihGk^?w;nMT9XaR%W1ot<y|ܰB/˚VƔG?nq0r\ .$C&a-Yp}anqBB4`x;Eyf^{[ܷ/]z\~K.FO; _d>-+؟Y!/{5OKc*-P¼yN![o'і.wwէ5'Yؑo1O$HN\es*tN9PW@cmeTwWWZ0QJmz^Gm)$ ֈcRR.V Qq  xF#"tu2<l߾}ƌE`>޺:.]D3 Ŀ-2˗/=z^00ж"8ܹӘ@LL :Ka4xh:;ܼy)SfΜy!MZlzy5s{tOB f _d =##î.BXPO?d'Z4RS 62yd%HZd2ߐBgvd:ֳ]Ϫ,a wox"ƳWRw ֲB/,gQ x/^cK^e_~ٰaԩSTZȑ#0_O҆ctdU_Ԩ|.>hIRB D1@$QK#_L/f}K~˿;𮮮"H: ,zC$|uP$p4@SP̆@.۶m3xO Cn_p!*dTp1ߴ$Doi['T%̚5k ;9 ,µȽϣIhH5ՈνOFĐFGW_-P? PDO=<VY7z"f?x RGDD}-)tNG:C4:G#'h7׎ t6i:6 {zo]*|||`t`܀*tiiip6%44*#\ZwØtҵk>hش"\(§p`Q3Sihh@[G5haΕ(tٳWB^NNXI Ep%:B?6`jTU~PB;jW 3^VV+wtbS;6B7еq(toZݖf\Y`U ޤ"l{.f'cߔ0GFfX1Qa֝%& T=6u=h~ v-=*<T{JmAǝgϵ5ͦ}3hV5SWNjGݷmoL dPޑ`ʢ7bM]+ZTˌ;d8 AСڗUTЬ0f:L `MSO&EEEV++f)L>L 뚚gVi}s_ ԺBj`։ :T bbbd$:<:Ќ!߼yӨǙU5CV1 :%Y7K$QQQ#Gԕse666.[LReMYRt:YJlETgV(<D[ɔV[NIr˗/GrgwzhȨoFE믿FOC%Q;Zj۷owXkii1bѣoŏ*tPo}}Zp٠D0S(\g≠'#Up֭[$YL$GS<|.+VP.AAAF=\ԊhSojj*<5 +M/*޼y?S)*o°d׿p x-]hh]Z%tGC"턬 ͠L_.!aŋufr./B6%A5m999K<[^^c .`49;+ X{6ى'.DiQuPQ`FZ#.>=z?=+**mo(RYBVwa+ zX<p,~P"<+@ȰGO<b%iӦ!_~EC.D py=X*("yyydA"ԳZY > >=ƅwm/=\ !^SްaGZeTB,AΚUNu/%MsZ^ZwƊI8ХI\K}aCv$,9Cxzf9=AwY˚uLJ=-=hوeH1CmoSj>sq+#'ÛV^:9yMgH+U~W%+a&͂McFEEЩ[owU rS6WJ}qnz$WTÝ&e-yݢ ^ :Tuym?TӋV޻wE⢫0a*̐\o+֣WQB *Z={6" *]׸:Y}CS^'l r ً5W ,H.4KttE[ahӕF<GZZc>ES?@}ܺv횴#j<}<b%.~T[̿>,<_mj􆆆I0O ޡ΃a*DI xk^;jݧ2Xaln(dv`(9#oiwXHBMkjɓ'8p@uub2 Wu_B Tx(v)t}v(bBZ(H[#!eՖȣifATAENv=nĉFA m \P˥锵 i2dn)vBFM#{fR\]]˗/WDxkwwwxM*e(֕2IVœɸ:{eQ0#"".tpZN$qt2֜;wN8\{xuA:@"fg+tvA:Ta:q3gl߾u(g-(=J0LOOO\P%55U 7a(555 ҏx"K >N ((ڶ茢Ԋ!(qPB:ᒝzjTШUh2k^A oab:Ο?_ySa<)GtVQ],lt+e E:6A:fT ژ^ywDa>p6"ܤs%Qus{N}3='VpK6X}[PݎQc&[BSYiCrcZuKp::+1x6m%#}r|r+w[be7r:k\&fje+nBy8*QH)tlkﰐ*Ju+܉m?\X JvO]]2QU>Za&fݴi&.%wc8:9S i)G[$5@OgŽAi:[iFYϞ=k6GM.жw}B{ʕ0(ŏr|׿{UiC:c˒gtQ,((QJA@ LmxԎ BUhʛ%^^R謣:ԙ4Uy%0t}"Q#9&9Ѝ9R"RZ=yyyi?H5P) PQt@}-5Huݤ:7fBo2޽/PlϽ{:GB)M?s2))IjEYOF춹;]eU,Uڶé:+Hd*9;uT\j++ #GSś>t{*pMU`M, v)PQ`j2Qܹc%Z\'gΜ)tЀׯ+7~(t:%U:Txbo5\wSUQ2+E\]]j5Is(q^C,l&֒HyΒB*zEOƎO[m,u PnRv/Ylzn \9k2&~?]\N:gPZaqBv,QXl)bJ>wQ9ugfBW\)tsmgRXr1һK+/ҺےVSԵB'.I<Rl)XbʝV&f9ss3? ݠT`௚tR -,Z.1b|< jodFuLbSullC:Q@/5cR{!rOdXqT(H'B_XeeewftmoXՅiO*I&7T5QV駽3X:gua̘1J;VM(<[T>E+9,9vm%8x ==RYYjP?GgSV_-Zu|M*t7:.p>|'8lڴɺ0tb6Xi(]:_Yn̙hekWXHԶm۴$xguWBvS V +ұiQQTSjdB'KPRR2P:XwAAAxD3VCP;$2NtB'MpG: ctt մOOO(+jՖ-[PoWSoܸ;퓘UFeSBYmEns;CVFMrJ[5 fe?OwsD|y熳%־.Ϛi-moe {+VEMnje'8{"Qe4d.&SWxrLƖh$ObwiMزoKVN#ꊴ^L;d%KqTy@)t=;L [oyץ\uTBŒ -C+T>ʜ/$o9B׹s54*P>\%KEQ&ՙJ n֭VGmiB\>7Nt9)w)tB2@M,34;8aT+`{GuGs~NT@]]AЅwDޢ[K8:B'fBS@=zι-cidȤ] ̳FEdK._,QNQ1_JCOXRr]_.l5"3OU(z: ['F ;6TTTOUBBB~JKKEixة<*M֡Ӆ`RDU:HZGٞd5L9* 6rDŽE53qD֭SV>z_T @u:f̘YݻWS3 HM0*t Y9qED{/J #KZu]lڦ}gR.3-gVT]Pi1 ?r_K/:gb,Yփ; }-p3{,Mgc*wM5K .&.viXļ]Jmxۥjݣ5Y!4Y1XZ[,tL`/ ]N9\B\+.6 'Rv_ap~]G쫎9BWSS@"K8B'.dVIoWHBqMY2e&CMI ۶mSAGl]&ƌHʺֽt9ViJZ}$gpU{Aj}*Yl>ˌYeZ8)YF2B Jhլ%(L\TP,WkO m[3oxw;cIJKP z؋Bȋ`GڝlG91U*K ), "6lypVWW4 o>ϨGQ" eޙ:tIENA6mڬV3-[ѭfJ7822%J^С7]>OEՕSN5$ZI !놼+k.uԨQ#FSm A|t-I]]]{\}E]~@WE/5Ml{ l9bחK++R%Kts<{|[ [*tf;U۩:ad:+ lq8ke] zqgVVXapFN20"(V:i9S-lE,)t'8B*|_"[<o 3}Jߐ\< }{E{Kotcf[{ۺp.e17Ru[5R2ugQ{{yF}gf'gQX/^[Z1[ɻ,y%Tu%+%w{{x8.xR)tralyT> uyM# 7QN?$d0\uK䲸} @np+t~,a-&fgaL@?A<߿%v$(..1ֆ :!"_1nCMS trss3ju)OѤo)=KIqQbdةС0֭[m[+m}+tf"- #T_{Cg*tk֬U<tϪmQ\)t(SLu?itkoo_˦&va!)^ znW? *᭭ ,pXsuu5Yv)t VʡjyOVf+{]B}FTf, X`ƍS.Rhxaf:y@>|mQv:DGG+rȑW/^l|_z\M/sHYUWȮ/|W60Er難f͚eXosQT4Pg+V_oPjje j)t ]@h,f,lSS'!XkSʛ(tX7Xx]]] ?}𡿿˗/ŋ^ ؘ^@k*?J~:%4⡠@ͯ Ǫ*Hr_tԄY(vj8XlZC;٢C`fsCR^~֬B>=l.ned\FoɏK~!-əuula seBIRLDvlwU*[H^4$GVk([v k]9><1$}P1cWm%<˒xEBu !䆋ǰU>.n]:~WX;U"IDATW"d ŕIhKMTQ w3v}E7ƹxssf{+zg9~ Lҝ.׆ν9܁C9:]5n#Ĩ@cQQntwVc)̙3e-EeʀZ688JԺB[RZ X9D0G%D~MVI HD @*j2VCKjb?#6\z(C ;͝`YI_u ]d_.*TP3:hMc[o;(m>;lh?1cNJZZلG =v+P4՗񬒒_EY򉂧^lI8 n ݌3d]EX(]ϟAe] Cp499?~h惗Ϣ1믭m$|gx:tӧx 7oDD64 ^|KvzYYY!!!(24OMСC(tG$df??a Bzq/Tbxzz:4O)Sh:k-R [$\\\2:<k]sojjk- 2}mGZ9@86VάiMۿ\:]aΩ*q- *ƞC(tvA)DS_<NK.rARǏ:- Pk… f:8Ozb[:ie$^Tdl{QN1˦0pD[1h6zkB0iY8aڈ-un§4X:0O൤Ӧ]e~r ͭM2")-Z{@ +SٻCћf]kJ&QwS\v{^yjк-b.,y'ˤ=ֺۘ q<1LҾ&"4T1- ߵ+GTu/m]&e+Cďկ;fnm r2iաsn sP  ;i” _V/n"Kf(/^Ġ\зH0ݗ $C#'rQC X8KqF5Q$ d+qmU9h=އZ%B HJmQ#Fr}>YN֩pU-RT ]VVhOj\p``]~DCƪe Re(G: 5){i-=z4'(<QljL k/tu_-vj AQzQ"Y#44T^mp/4@ꬍ %"n:UJŒZA2<<uN{> ]h<׏ ՗9,I"˥ !!A}mwe #PҘSJ=U!SFj6nС_Ez6O΢С5RһmL ]DDax!20oߞ"V- ]AA2\p;T ]/:<Oo(t/_֮ lDJimVҎ҄ B?~zΜ9#!+GԪTF#l4XSi:>G)tZ9'2-OwnVTUƴe"f3jԵR3Wf+KfEVkwW+uٺ1ELNi]1ziҒdbONْJ/rЩ{?W xN?/V9YH7]2>U3cK}q]^yCL[1w1y@B)(tMIH-&jou-,u9,1ԨvDV A1t3,c4I7oT͇& 5Xl|@ۤzwɪvJ U GHs#g޽2rH')iyh{\`T9dwB %(A竏҇D**tZ,::{!KW߁ZJB:OtQ&uڟ~,%P*q8v Pi[,fٳgYNݻBΣG'bZCAeXdwo=ݜhСv±SBXԨ:JFC|'Nظqj(aB*|t컲 |OȀQlˣpڵ՛[:+ E  g!UJDR}YQGH8"'33S)trCgc~zB'4_0q0f7"dmgF:9t钲5[HܣQ* \-:?-}<u[C'jhq{uho% wB7D^~;:"trgZ{+K4)txf-jMQ^mU+C' [fIK:ے>"BJ}gmɊYG^>ǝg*Ny3i#&o5xQ"v6}dyc̃pb+?L=ȭpPsZ~ȶhNOsJ}X0TJCӠa:(Cȑ#㦾l۶M9*[bqAݎȑ#;Qr mj| r599YS|SLIIIQ7h%Dut;俌?7a5C'j̅ H/~(S^ԥ %(D`Ո`wA?߱Ǫ}Ԕc*Xh6lSx} 2#l*tƳJ۳g[h:YEDɴ%SF3F#[uG99P;Eo\Ȃn2qZD<q>D[ z~iwj%,FƩ:c~˥ߕ9THBWV0>ֈ=] ݕl#]4gN1O³ǫNJfYnIY{u[27*t]{"K7EE|քM|%+m1IbKBu>Ÿژȓqlإ#8p*tI)##tXQuVthgѐ!>if&N>9b]дeff.h,50)) -ֱHnN?8D,!!yR?BgCӳ ,Ng^_߸q#-- o5A:+nݯ:zVs f?ӧO?rYcsN_.l+R||||%V0s{jAAA|O~Й*Q I6OxA#>5ULL4M=}%TRBtBQQ> K6{j+t :*TzCdV5 F@P(h%ׯkʒmQs|{ =T 9hZó5Č*Y$*tΩнx7V k[?A% c9_e9:ĭq---r GqqGwoc΁Pv oo߮~,.t *t6^Twmc%liga:!TQsNBG A|BgAcOA< ݯ#>9T n\<Ȓ#Mv!x~ǀTQ%dggɓ'TT nݺuİaÆJ +swZ9kTfqr1#9BBԶ?~"~KxAf{̙:pNwfh.FccOkT<N6;p*tΩСUc%)+t:*t-e A 龜UX:P#BH/I : A ATNv᪣<k~֌Bw̻7AwG*tΩUUUDԶ?~ [~KxAf{̙~)T ::O#>q[ZZt Aƹ~CNJZTTT舏 : B݃ kcBS233Q^_v᪣<kx% M[js_lg ;9.?̼)gz\1"z2my KxogQjnnIqAD+tN^uQ#zhzF+--Eye{OM͈+<{>?:qLsPYY ˉ'T@ СިS#@@7Jʛ~gUCg~9xYww{SThY[R#9P)!-uJsrr^x\BGT|HAAAO%332Sr^+tRr; z(W(]-~{w<!q G{8w~ZY+..Fuǚgɓbb!Kxo#d㢶_x̱:p6.;; R7+5AOP&m/BW >'ʕvVů!*Vy%>Ⱦ[W[[˚gQ XByyyA'X{>jȧxcvP.**BmVC'^LNX777^2i tv(tAAANW^U*BS|1}r+:    p P#    :    OP#    :    OP#    :    OP#    :    OP#    :    OP#    :    OP#    :    O|\{ESKY[$I$I$I$I$?׭mv)t(ԳSIENDB`
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./tpl/debug/init_test.go
// Copyright 2020 The Hugo Authors. All rights reserved. // // 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. package debug import ( "testing" "github.com/gohugoio/hugo/htesting/hqt" qt "github.com/frankban/quicktest" "github.com/gohugoio/hugo/common/loggers" "github.com/gohugoio/hugo/deps" "github.com/gohugoio/hugo/tpl/internal" ) func TestInit(t *testing.T) { c := qt.New(t) var found bool var ns *internal.TemplateFuncsNamespace for _, nsf := range internal.TemplateFuncsNamespaceRegistry { ns = nsf(&deps.Deps{Log: loggers.NewErrorLogger()}) if ns.Name == name { found = true break } } c.Assert(found, qt.Equals, true) c.Assert(ns.Context(), hqt.IsSameType, &Namespace{}) }
// Copyright 2020 The Hugo Authors. All rights reserved. // // 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. package debug import ( "testing" "github.com/gohugoio/hugo/htesting/hqt" qt "github.com/frankban/quicktest" "github.com/gohugoio/hugo/common/loggers" "github.com/gohugoio/hugo/deps" "github.com/gohugoio/hugo/tpl/internal" ) func TestInit(t *testing.T) { c := qt.New(t) var found bool var ns *internal.TemplateFuncsNamespace for _, nsf := range internal.TemplateFuncsNamespaceRegistry { ns = nsf(&deps.Deps{Log: loggers.NewErrorLogger()}) if ns.Name == name { found = true break } } c.Assert(found, qt.Equals, true) c.Assert(ns.Context(), hqt.IsSameType, &Namespace{}) }
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./docs/content/en/about/security-model/index.md
--- title: Hugo's Security Model description: A summary of Hugo's security model. date: 2019-10-01 layout: single keywords: ["Security", "Privacy"] menu: docs: parent: "about" weight: 4 weight: 5 sections_weight: 5 draft: false aliases: [/security/] toc: true --- ## Runtime Security Hugo produces static output, so once built, the runtime is the browser (assuming the output is HTML) and any server (API) that you integrate with. But when developing and building your site, the runtime is the `hugo` executable. Securing a runtime can be [a real challenge](https://blog.logrocket.com/how-to-protect-your-node-js-applications-from-malicious-dependencies-5f2e60ea08f9/). **Hugo's main approach is that of sandboxing:** * Hugo has a virtual file system and only the main project (not third-party components) is allowed to mount directories or files outside the project root. * Only the main project can walk symbolic links. * User-defined components have only read-access to the filesystem. * We shell out to some external binaries to support [Asciidoctor](/content-management/formats/#list-of-content-formats) and similar, but those binaries and their flags are predefined. General functions to run arbitrary external OS commands have been [discussed](https://github.com/gohugoio/hugo/issues/796), but not implemented because of security concerns. Hugo will soon introduce a concept of _Content Source Plugins_ (AKA _Pages from Data_), but the above will still hold true. ## Dependency Security Hugo builds as a static binary using [Go Modules](https://github.com/golang/go/wiki/Modules) to manage its dependencies. Go Modules have several safeguards, one of them being the `go.sum` file. This is a database of the expected cryptographic checksums of all of your dependencies, including any transitive. [Hugo Modules](/hugo-modules/) is built on top of Go Modules functionality, and a Hugo project using Hugo Modules will have a `go.sum` file. We recommend that you commit this file to your version control system. The Hugo build will fail if there is a checksum mismatch, which would be an indication of [dependency tampering](https://julienrenaux.fr/2019/12/20/github-actions-security-risk/). ## Web Application Security These are the security threats as defined by [OWASP](https://en.wikipedia.org/wiki/OWASP). For HTML output, this is the core security model: https://golang.org/pkg/html/template/#hdr-Security_Model In short: Templates authors (you) are trusted, but the data you send in is not. This is why you sometimes need to use the _safe_ functions, such as `safeHTML`, to avoid escaping of data you know is safe. There is one exception to the above, as noted in the documentation: If you enable inline shortcodes, you also say that the shortcodes and data handling in content files are trusted, as those macros are treated as pure text. It may be worth adding that Hugo is a static site generator with no concept of dynamic user input. For content, the default Markdown renderer is [configured](/getting-started/configuration-markup) to remove or escape potentially unsafe content. This behavior can be reconfigured if you trust your content.
--- title: Hugo's Security Model description: A summary of Hugo's security model. date: 2019-10-01 layout: single keywords: ["Security", "Privacy"] menu: docs: parent: "about" weight: 4 weight: 5 sections_weight: 5 draft: false aliases: [/security/] toc: true --- ## Runtime Security Hugo produces static output, so once built, the runtime is the browser (assuming the output is HTML) and any server (API) that you integrate with. But when developing and building your site, the runtime is the `hugo` executable. Securing a runtime can be [a real challenge](https://blog.logrocket.com/how-to-protect-your-node-js-applications-from-malicious-dependencies-5f2e60ea08f9/). **Hugo's main approach is that of sandboxing:** * Hugo has a virtual file system and only the main project (not third-party components) is allowed to mount directories or files outside the project root. * Only the main project can walk symbolic links. * User-defined components have only read-access to the filesystem. * We shell out to some external binaries to support [Asciidoctor](/content-management/formats/#list-of-content-formats) and similar, but those binaries and their flags are predefined. General functions to run arbitrary external OS commands have been [discussed](https://github.com/gohugoio/hugo/issues/796), but not implemented because of security concerns. Hugo will soon introduce a concept of _Content Source Plugins_ (AKA _Pages from Data_), but the above will still hold true. ## Dependency Security Hugo builds as a static binary using [Go Modules](https://github.com/golang/go/wiki/Modules) to manage its dependencies. Go Modules have several safeguards, one of them being the `go.sum` file. This is a database of the expected cryptographic checksums of all of your dependencies, including any transitive. [Hugo Modules](/hugo-modules/) is built on top of Go Modules functionality, and a Hugo project using Hugo Modules will have a `go.sum` file. We recommend that you commit this file to your version control system. The Hugo build will fail if there is a checksum mismatch, which would be an indication of [dependency tampering](https://julienrenaux.fr/2019/12/20/github-actions-security-risk/). ## Web Application Security These are the security threats as defined by [OWASP](https://en.wikipedia.org/wiki/OWASP). For HTML output, this is the core security model: https://golang.org/pkg/html/template/#hdr-Security_Model In short: Templates authors (you) are trusted, but the data you send in is not. This is why you sometimes need to use the _safe_ functions, such as `safeHTML`, to avoid escaping of data you know is safe. There is one exception to the above, as noted in the documentation: If you enable inline shortcodes, you also say that the shortcodes and data handling in content files are trusted, as those macros are treated as pure text. It may be worth adding that Hugo is a static site generator with no concept of dynamic user input. For content, the default Markdown renderer is [configured](/getting-started/configuration-markup) to remove or escape potentially unsafe content. This behavior can be reconfigured if you trust your content.
-1
gohugoio/hugo
8,131
markup: Allow arbitrary Asciidoc extension in unsafe mode
This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
gzagatti
"2021-01-11T08:36:17Z"
"2021-02-22T12:52:04Z"
c8f45d1d861f596821afc068bd12eb1213aba5ce
01dd7c16af6204d18d530f9d3018689215482170
markup: Allow arbitrary Asciidoc extension in unsafe mode. This PR implements proposal #7698 which allows for arbitrary Asciidoc extensions in unsafe mode expanding the range of possibilities when using this markup language. The proposal allows for arbitrary extension when [`SafeMode`](https://docs.asciidoctor.org/asciidoctor/latest/safe-modes/) option is set to `unsafe`. Any stricter mode would prevent arbitrary extensions and only those listed in the [configuration](https://github.com/gohugoio/hugo/blob/master/markup/asciidocext/asciidocext_config/config.go#L40) would be allowed.
./docs/content/en/functions/upper.md
--- title: upper # linktitle: upper description: Converts all characters in a string to uppercase godocref: date: 2017-02-01 publishdate: 2017-02-01 lastmod: 2017-02-01 keywords: [] categories: [functions] menu: docs: parent: "functions" toc: signature: ["upper INPUT"] workson: [] hugoversion: relatedfuncs: [] deprecated: false draft: false aliases: [] --- Note that `upper` can be applied in your templates in more than one way: ``` {{ upper "BatMan" }} → "BATMAN" {{ "BatMan" | upper }} → "BATMAN" ```
--- title: upper # linktitle: upper description: Converts all characters in a string to uppercase godocref: date: 2017-02-01 publishdate: 2017-02-01 lastmod: 2017-02-01 keywords: [] categories: [functions] menu: docs: parent: "functions" toc: signature: ["upper INPUT"] workson: [] hugoversion: relatedfuncs: [] deprecated: false draft: false aliases: [] --- Note that `upper` can be applied in your templates in more than one way: ``` {{ upper "BatMan" }} → "BATMAN" {{ "BatMan" | upper }} → "BATMAN" ```
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./go.mod
module github.com/gohugoio/hugo require ( github.com/BurntSushi/locker v0.0.0-20171006230638-a6e239ea1c69 github.com/BurntSushi/toml v0.3.1 github.com/PuerkitoBio/purell v1.1.1 github.com/PuerkitoBio/urlesc v0.0.0-20170810143723-de5bf2ad4578 // indirect github.com/alecthomas/chroma v0.8.2 github.com/alecthomas/repr v0.0.0-20181024024818-d37bc2a10ba1 // indirect github.com/armon/go-radix v1.0.0 github.com/aws/aws-sdk-go v1.35.0 github.com/bep/debounce v1.2.0 github.com/bep/gitmap v1.1.2 github.com/bep/godartsass v0.11.0 github.com/bep/golibsass v0.7.0 github.com/bep/tmc v0.5.1 github.com/cli/safeexec v1.0.0 github.com/disintegration/gift v1.2.1 github.com/dlclark/regexp2 v1.4.0 // indirect github.com/dustin/go-humanize v1.0.0 github.com/evanw/esbuild v0.8.17 github.com/fortytw2/leaktest v1.3.0 github.com/frankban/quicktest v1.11.2 github.com/fsnotify/fsnotify v1.4.9 github.com/getkin/kin-openapi v0.32.0 github.com/ghodss/yaml v1.0.0 github.com/gobwas/glob v0.2.3 github.com/gohugoio/testmodBuilder/mods v0.0.0-20190520184928-c56af20f2e95 github.com/google/go-cmp v0.5.3 github.com/gorilla/websocket v1.4.2 github.com/jdkato/prose v1.2.0 github.com/kylelemons/godebug v1.1.0 github.com/kyokomi/emoji/v2 v2.2.7 github.com/magefile/mage v1.10.0 github.com/markbates/inflect v1.0.4 github.com/mattn/go-isatty v0.0.12 github.com/miekg/mmark v1.3.6 github.com/mitchellh/hashstructure v1.0.0 github.com/mitchellh/mapstructure v1.3.3 github.com/muesli/smartcrop v0.3.0 github.com/nfnt/resize v0.0.0-20180221191011-83c6a9932646 // indirect github.com/nicksnyder/go-i18n/v2 v2.1.1 github.com/niklasfasching/go-org v1.3.2 github.com/olekukonko/tablewriter v0.0.4 github.com/pelletier/go-toml v1.8.1 github.com/pkg/errors v0.9.1 github.com/rogpeppe/go-internal v1.6.2 github.com/russross/blackfriday v1.5.3-0.20200218234912-41c5fccfd6f6 github.com/rwcarlsen/goexif v0.0.0-20190401172101-9e8deecbddbd github.com/sanity-io/litter v1.3.0 github.com/spf13/afero v1.4.1 github.com/spf13/cast v1.3.1 github.com/spf13/cobra v1.1.1 github.com/spf13/fsync v0.9.0 github.com/spf13/jwalterweatherman v1.1.0 github.com/spf13/pflag v1.0.5 github.com/spf13/viper v1.7.1 github.com/tdewolff/minify/v2 v2.6.2 github.com/yuin/goldmark v1.2.1 github.com/yuin/goldmark-highlighting v0.0.0-20200307114337-60d527fdb691 gocloud.dev v0.20.0 golang.org/x/image v0.0.0-20191214001246-9130b4cfad52 golang.org/x/net v0.0.0-20200602114024-627f9648deb9 golang.org/x/sync v0.0.0-20200317015054-43a5402ce75a golang.org/x/text v0.3.4 google.golang.org/api v0.26.0 gopkg.in/check.v1 v1.0.0-20190902080502-41f04d3bba15 // indirect gopkg.in/ini.v1 v1.51.1 // indirect gopkg.in/yaml.v2 v2.4.0 ) replace github.com/markbates/inflect => github.com/markbates/inflect v0.0.0-20171215194931-a12c3aec81a6 go 1.12
module github.com/gohugoio/hugo require ( github.com/BurntSushi/locker v0.0.0-20171006230638-a6e239ea1c69 github.com/BurntSushi/toml v0.3.1 github.com/PuerkitoBio/purell v1.1.1 github.com/PuerkitoBio/urlesc v0.0.0-20170810143723-de5bf2ad4578 // indirect github.com/alecthomas/chroma v0.8.2 github.com/alecthomas/repr v0.0.0-20181024024818-d37bc2a10ba1 // indirect github.com/armon/go-radix v1.0.0 github.com/aws/aws-sdk-go v1.35.0 github.com/bep/debounce v1.2.0 github.com/bep/gitmap v1.1.2 github.com/bep/godartsass v0.11.0 github.com/bep/golibsass v0.7.0 github.com/bep/tmc v0.5.1 github.com/cli/safeexec v1.0.0 github.com/disintegration/gift v1.2.1 github.com/dlclark/regexp2 v1.4.0 // indirect github.com/dustin/go-humanize v1.0.0 github.com/evanw/esbuild v0.8.17 github.com/fortytw2/leaktest v1.3.0 github.com/frankban/quicktest v1.11.2 github.com/fsnotify/fsnotify v1.4.9 github.com/getkin/kin-openapi v0.32.0 github.com/ghodss/yaml v1.0.0 github.com/gobwas/glob v0.2.3 github.com/gohugoio/testmodBuilder/mods v0.0.0-20190520184928-c56af20f2e95 github.com/google/go-cmp v0.5.3 github.com/gorilla/websocket v1.4.2 github.com/jdkato/prose v1.2.0 github.com/kylelemons/godebug v1.1.0 github.com/kyokomi/emoji/v2 v2.2.7 github.com/magefile/mage v1.10.0 github.com/markbates/inflect v1.0.4 github.com/mattn/go-isatty v0.0.12 github.com/miekg/mmark v1.3.6 github.com/mitchellh/hashstructure v1.0.0 github.com/mitchellh/mapstructure v1.3.3 github.com/muesli/smartcrop v0.3.0 github.com/nfnt/resize v0.0.0-20180221191011-83c6a9932646 // indirect github.com/nicksnyder/go-i18n/v2 v2.1.1 github.com/niklasfasching/go-org v1.4.0 github.com/olekukonko/tablewriter v0.0.4 github.com/pelletier/go-toml v1.8.1 github.com/pkg/errors v0.9.1 github.com/rogpeppe/go-internal v1.6.2 github.com/russross/blackfriday v1.5.3-0.20200218234912-41c5fccfd6f6 github.com/rwcarlsen/goexif v0.0.0-20190401172101-9e8deecbddbd github.com/sanity-io/litter v1.3.0 github.com/spf13/afero v1.4.1 github.com/spf13/cast v1.3.1 github.com/spf13/cobra v1.1.1 github.com/spf13/fsync v0.9.0 github.com/spf13/jwalterweatherman v1.1.0 github.com/spf13/pflag v1.0.5 github.com/spf13/viper v1.7.1 github.com/tdewolff/minify/v2 v2.6.2 github.com/yuin/goldmark v1.2.1 github.com/yuin/goldmark-highlighting v0.0.0-20200307114337-60d527fdb691 gocloud.dev v0.20.0 golang.org/x/image v0.0.0-20191214001246-9130b4cfad52 golang.org/x/net v0.0.0-20201224014010-6772e930b67b golang.org/x/sync v0.0.0-20200317015054-43a5402ce75a golang.org/x/text v0.3.4 google.golang.org/api v0.26.0 gopkg.in/check.v1 v1.0.0-20190902080502-41f04d3bba15 // indirect gopkg.in/ini.v1 v1.51.1 // indirect gopkg.in/yaml.v2 v2.4.0 ) replace github.com/markbates/inflect => github.com/markbates/inflect v0.0.0-20171215194931-a12c3aec81a6 go 1.12
1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./go.sum
bazil.org/fuse v0.0.0-20180421153158-65cc252bf669/go.mod h1:Xbm+BRKSBEpa4q4hTSxohYNQpsxXPbPry4JJWOB3LB8= cloud.google.com/go v0.26.0/go.mod h1:aQUYkXzVsufM+DwF1aE+0xfcU+56JwCaLick0ClmMTw= cloud.google.com/go v0.34.0/go.mod h1:aQUYkXzVsufM+DwF1aE+0xfcU+56JwCaLick0ClmMTw= cloud.google.com/go v0.38.0/go.mod h1:990N+gfupTy94rShfmMCWGDn0LpTmnzTp2qbd1dvSRU= cloud.google.com/go v0.39.0/go.mod h1:rVLT6fkc8chs9sfPtFc1SBH6em7n+ZoXaG+87tDISts= cloud.google.com/go v0.44.1/go.mod h1:iSa0KzasP4Uvy3f1mN/7PiObzGgflwredwwASm/v6AU= cloud.google.com/go v0.44.2/go.mod h1:60680Gw3Yr4ikxnPRS/oxxkBccT6SA1yMk63TGekxKY= cloud.google.com/go v0.44.3/go.mod h1:60680Gw3Yr4ikxnPRS/oxxkBccT6SA1yMk63TGekxKY= cloud.google.com/go v0.45.1/go.mod h1:RpBamKRgapWJb87xiFSdk4g1CME7QZg3uwTez+TSTjc= cloud.google.com/go v0.46.3/go.mod h1:a6bKKbmY7er1mI7TEI4lsAkts/mkhTSZK8w33B4RAg0= cloud.google.com/go v0.50.0/go.mod h1:r9sluTvynVuxRIOHXQEHMFffphuXHOMZMycpNR5e6To= cloud.google.com/go v0.52.0/go.mod h1:pXajvRH/6o3+F9jDHZWQ5PbGhn+o8w9qiu/CffaVdO4= cloud.google.com/go v0.53.0/go.mod h1:fp/UouUEsRkN6ryDKNW/Upv/JBKnv6WDthjR6+vze6M= cloud.google.com/go v0.54.0/go.mod h1:1rq2OEkV3YMf6n/9ZvGWI3GWw0VoqH/1x2nd8Is/bPc= cloud.google.com/go v0.55.0/go.mod h1:ZHmoY+/lIMNkN2+fBmuTiqZ4inFhvQad8ft7MT8IV5Y= cloud.google.com/go v0.56.0/go.mod h1:jr7tqZxxKOVYizybht9+26Z/gUq7tiRzu+ACVAMbKVk= cloud.google.com/go v0.57.0/go.mod h1:oXiQ6Rzq3RAkkY7N6t3TcE6jE+CIBBbA36lwQ1JyzZs= cloud.google.com/go v0.58.0 h1:vtAfVc723K3xKq1BQydk/FyCldnaNFhGhpJxaJzgRMQ= cloud.google.com/go v0.58.0/go.mod h1:W+9FnSUw6nhVwXlFcp1eL+krq5+HQUJeUogSeJZZiWg= cloud.google.com/go/bigquery v1.0.1/go.mod h1:i/xbL2UlR5RvWAURpBYZTtm/cXjCha9lbfbpx4poX+o= cloud.google.com/go/bigquery v1.3.0/go.mod h1:PjpwJnslEMmckchkHFfq+HTD2DmtT67aNFKH1/VBDHE= cloud.google.com/go/bigquery v1.4.0/go.mod h1:S8dzgnTigyfTmLBfrtrhyYhwRxG72rYxvftPBK2Dvzc= cloud.google.com/go/bigquery v1.5.0/go.mod h1:snEHRnqQbz117VIFhE8bmtwIDY80NLUZUMb4Nv6dBIg= cloud.google.com/go/bigquery v1.7.0/go.mod h1://okPTzCYNXSlb24MZs83e2Do+h+VXtc4gLoIoXIAPc= cloud.google.com/go/bigquery v1.8.0 h1:PQcPefKFdaIzjQFbiyOgAqyx8q5djaE7x9Sqe712DPA= cloud.google.com/go/bigquery v1.8.0/go.mod h1:J5hqkt3O0uAFnINi6JXValWIb1v0goeZM77hZzJN/fQ= cloud.google.com/go/datastore v1.0.0/go.mod h1:LXYbyblFSglQ5pkeyhO+Qmw7ukd3C+pD7TKLgZqpHYE= cloud.google.com/go/datastore v1.1.0 h1:/May9ojXjRkPBNVrq+oWLqmWCkr4OU5uRY29bu0mRyQ= cloud.google.com/go/datastore v1.1.0/go.mod h1:umbIZjpQpHh4hmRpGhH4tLFup+FVzqBi1b3c64qFpCk= cloud.google.com/go/firestore v1.1.0/go.mod h1:ulACoGHTpvq5r8rxGJ4ddJZBZqakUQqClKRT5SZwBmk= cloud.google.com/go/firestore v1.2.0/go.mod h1:iISCjWnTpnoJT1R287xRdjvQHJrxQOpeah4phb5D3h0= cloud.google.com/go/pubsub v1.0.1/go.mod h1:R0Gpsv3s54REJCy4fxDixWD93lHJMoZTyQ2kNxGRt3I= cloud.google.com/go/pubsub v1.1.0/go.mod h1:EwwdRX2sKPjnvnqCa270oGRyludottCI76h+R3AArQw= cloud.google.com/go/pubsub v1.2.0/go.mod h1:jhfEVHT8odbXTkndysNHCcx0awwzvfOlguIAii9o8iA= cloud.google.com/go/pubsub v1.3.1 h1:ukjixP1wl0LpnZ6LWtZJ0mX5tBmjp1f8Sqer8Z2OMUU= cloud.google.com/go/pubsub v1.3.1/go.mod h1:i+ucay31+CNRpDW4Lu78I4xXG+O1r/MAHgjpRVR+TSU= cloud.google.com/go/storage v1.0.0/go.mod h1:IhtSnM/ZTZV8YYJWCY8RULGVqBDmpoyjwiyrjsg+URw= cloud.google.com/go/storage v1.5.0/go.mod h1:tpKbwo567HUNpVclU5sGELwQWBDZ8gh0ZeosJ0Rtdos= cloud.google.com/go/storage v1.6.0/go.mod h1:N7U0C8pVQ/+NIKOBQyamJIeKQKkZ+mxpohlUTyfDhBk= cloud.google.com/go/storage v1.8.0/go.mod h1:Wv1Oy7z6Yz3DshWRJFhqM/UCfaWIRTdp0RXyy7KQOVs= cloud.google.com/go/storage v1.9.0 h1:oXnZyBjHB6hC8TnSle0AWW6pGJ29EuSo5ww+SFmdNBg= cloud.google.com/go/storage v1.9.0/go.mod h1:m+/etGaqZbylxaNT876QGXqEHp4PR2Rq5GMqICWb9bU= contrib.go.opencensus.io/exporter/aws v0.0.0-20181029163544-2befc13012d0/go.mod h1:uu1P0UCM/6RbsMrgPa98ll8ZcHM858i/AD06a9aLRCA= contrib.go.opencensus.io/exporter/stackdriver v0.12.1/go.mod h1:iwB6wGarfphGGe/e5CWqyUk/cLzKnWsOKPVW3no6OTw= contrib.go.opencensus.io/integrations/ocsql v0.1.4/go.mod h1:8DsSdjz3F+APR+0z0WkU1aRorQCFfRxvqjUUPMbF3fE= contrib.go.opencensus.io/resource v0.1.1/go.mod h1:F361eGI91LCmW1I/Saf+rX0+OFcigGlFvXwEGEnkRLA= dmitri.shuralyov.com/gpu/mtl v0.0.0-20190408044501-666a987793e9/go.mod h1:H6x//7gZCb22OMCxBHrMx7a5I7Hp++hsVxbQ4BYO7hU= github.com/Azure/azure-amqp-common-go/v3 v3.0.0/go.mod h1:SY08giD/XbhTz07tJdpw1SoxQXHPN30+DI3Z04SYqyg= github.com/Azure/azure-pipeline-go v0.2.1/go.mod h1:UGSo8XybXnIGZ3epmeBw7Jdz+HiUVpqIlpz/HKHylF4= github.com/Azure/azure-pipeline-go v0.2.2 h1:6oiIS9yaG6XCCzhgAgKFfIWyo4LLCiDhZot6ltoThhY= github.com/Azure/azure-pipeline-go v0.2.2/go.mod h1:4rQ/NZncSvGqNkkOsNpOU1tgoNuIlp9AfUH5G1tvCHc= github.com/Azure/azure-sdk-for-go v37.1.0+incompatible/go.mod h1:9XXNKU+eRnpl9moKnB4QOLf1HestfXbmab5FXxiDBjc= github.com/Azure/azure-service-bus-go v0.10.1/go.mod h1:E/FOceuKAFUfpbIJDKWz/May6guE+eGibfGT6q+n1to= github.com/Azure/azure-storage-blob-go v0.9.0 h1:kORqvzXP8ORhKbW13FflGUaSE5CMyDWun9UwMxY8gPs= github.com/Azure/azure-storage-blob-go v0.9.0/go.mod h1:8UBPbiOhrMQ4pLPi3gA1tXnpjrS76UYE/fo5A40vf4g= github.com/Azure/go-amqp v0.12.6/go.mod h1:qApuH6OFTSKZFmCOxccvAv5rLizBQf4v8pRmG138DPo= github.com/Azure/go-amqp v0.12.7/go.mod h1:qApuH6OFTSKZFmCOxccvAv5rLizBQf4v8pRmG138DPo= github.com/Azure/go-autorest/autorest v0.9.0/go.mod h1:xyHB1BMZT0cuDHU7I0+g046+BFDTQ8rEZB0s4Yfa6bI= github.com/Azure/go-autorest/autorest v0.9.3 h1:OZEIaBbMdUE/Js+BQKlpO81XlISgipr6yDJ+PSwsgi4= github.com/Azure/go-autorest/autorest v0.9.3/go.mod h1:GsRuLYvwzLjjjRoWEIyMUaYq8GNUx2nRB378IPt/1p0= github.com/Azure/go-autorest/autorest/adal v0.5.0/go.mod h1:8Z9fGy2MpX0PvDjB1pEgQTmVqjGhiHBW7RJJEciWzS0= github.com/Azure/go-autorest/autorest/adal v0.8.0/go.mod h1:Z6vX6WXXuyieHAXwMj0S6HY6e6wcHn37qQMBQlvY3lc= github.com/Azure/go-autorest/autorest/adal v0.8.1/go.mod h1:ZjhuQClTqx435SRJ2iMlOxPYt3d2C/T/7TiQCVZSn3Q= github.com/Azure/go-autorest/autorest/adal v0.8.3 h1:O1AGG9Xig71FxdX9HO5pGNyZ7TbSyHaVg+5eJO/jSGw= github.com/Azure/go-autorest/autorest/adal v0.8.3/go.mod h1:ZjhuQClTqx435SRJ2iMlOxPYt3d2C/T/7TiQCVZSn3Q= github.com/Azure/go-autorest/autorest/azure/auth v0.4.2 h1:iM6UAvjR97ZIeR93qTcwpKNMpV+/FTWjwEbuPD495Tk= github.com/Azure/go-autorest/autorest/azure/auth v0.4.2/go.mod h1:90gmfKdlmKgfjUpnCEpOJzsUEjrWDSLwHIG73tSXddM= github.com/Azure/go-autorest/autorest/azure/cli v0.3.1 h1:LXl088ZQlP0SBppGFsRZonW6hSvwgL5gRByMbvUbx8U= github.com/Azure/go-autorest/autorest/azure/cli v0.3.1/go.mod h1:ZG5p860J94/0kI9mNJVoIoLgXcirM2gF5i2kWloofxw= github.com/Azure/go-autorest/autorest/date v0.1.0/go.mod h1:plvfp3oPSKwf2DNjlBjWF/7vwR+cUD/ELuzDCXwHUVA= github.com/Azure/go-autorest/autorest/date v0.2.0 h1:yW+Zlqf26583pE43KhfnhFcdmSWlm5Ew6bxipnr/tbM= github.com/Azure/go-autorest/autorest/date v0.2.0/go.mod h1:vcORJHLJEh643/Ioh9+vPmf1Ij9AEBM5FuBIXLmIy0g= github.com/Azure/go-autorest/autorest/mocks v0.1.0/go.mod h1:OTyCOPRA2IgIlWxVYxBee2F5Gr4kF2zd2J5cFRaIDN0= github.com/Azure/go-autorest/autorest/mocks v0.2.0/go.mod h1:OTyCOPRA2IgIlWxVYxBee2F5Gr4kF2zd2J5cFRaIDN0= github.com/Azure/go-autorest/autorest/mocks v0.3.0 h1:qJumjCaCudz+OcqE9/XtEPfvtOjOmKaui4EOpFI6zZc= github.com/Azure/go-autorest/autorest/mocks v0.3.0/go.mod h1:a8FDP3DYzQ4RYfVAxAN3SVSiiO77gL2j2ronKKP0syM= github.com/Azure/go-autorest/autorest/to v0.3.0/go.mod h1:MgwOyqaIuKdG4TL/2ywSsIWKAfJfgHDo8ObuUk3t5sA= github.com/Azure/go-autorest/autorest/validation v0.2.0/go.mod h1:3EEqHnBxQGHXRYq3HT1WyXAvT7LLY3tl70hw6tQIbjI= github.com/Azure/go-autorest/logger v0.1.0 h1:ruG4BSDXONFRrZZJ2GUXDiUyVpayPmb1GnWeHDdaNKY= github.com/Azure/go-autorest/logger v0.1.0/go.mod h1:oExouG+K6PryycPJfVSxi/koC6LSNgds39diKLz7Vrc= github.com/Azure/go-autorest/tracing v0.5.0 h1:TRn4WjSnkcSy5AEG3pnbtFSwNtwzjr4VYyQflFE619k= github.com/Azure/go-autorest/tracing v0.5.0/go.mod h1:r/s2XiOKccPW3HrqB+W0TQzfbtp2fGCgRFtBroKn4Dk= github.com/BurntSushi/locker v0.0.0-20171006230638-a6e239ea1c69 h1:+tu3HOoMXB7RXEINRVIpxJCT+KdYiI7LAEAUrOw3dIU= github.com/BurntSushi/locker v0.0.0-20171006230638-a6e239ea1c69/go.mod h1:L1AbZdiDllfyYH5l5OkAaZtk7VkWe89bPJFmnDBNHxg= github.com/BurntSushi/toml v0.3.1 h1:WXkYYl6Yr3qBf1K79EBnL4mak0OimBfB0XUf9Vl28OQ= github.com/BurntSushi/toml v0.3.1/go.mod h1:xHWCNGjB5oqiDr8zfno3MHue2Ht5sIBksp03qcyfWMU= github.com/BurntSushi/xgb v0.0.0-20160522181843-27f122750802/go.mod h1:IVnqGOEym/WlBOVXweHU+Q+/VP0lqqI8lqeDx9IjBqo= github.com/GeertJohan/go.incremental v1.0.0/go.mod h1:6fAjUhbVuX1KcMD3c8TEgVUqmo4seqhv0i0kdATSkM0= github.com/GeertJohan/go.rice v1.0.0/go.mod h1:eH6gbSOAUv07dQuZVnBmoDP8mgsM1rtixis4Tib9if0= github.com/GoogleCloudPlatform/cloudsql-proxy v0.0.0-20191009163259-e802c2cb94ae/go.mod h1:mjwGPas4yKduTyubHvD1Atl9r1rUq8DfVy+gkVvZ+oo= github.com/OneOfOne/xxhash v1.2.2/go.mod h1:HSdplMjZKSmBqAxg5vPj2TmRDmfkzw+cTzAElWljhcU= github.com/PuerkitoBio/purell v1.1.1 h1:WEQqlqaGbrPkxLJWfBwQmfEAE1Z7ONdDLqrN38tNFfI= github.com/PuerkitoBio/purell v1.1.1/go.mod h1:c11w/QuzBsJSee3cPx9rAFu61PvFxuPbtSwDGJws/X0= github.com/PuerkitoBio/urlesc v0.0.0-20170810143723-de5bf2ad4578 h1:d+Bc7a5rLufV/sSk/8dngufqelfh6jnri85riMAaF/M= github.com/PuerkitoBio/urlesc v0.0.0-20170810143723-de5bf2ad4578/go.mod h1:uGdkoq3SwY9Y+13GIhn11/XLaGBb4BfwItxLd5jeuXE= github.com/akavel/rsrc v0.8.0/go.mod h1:uLoCtb9J+EyAqh+26kdrTgmzRBFPGOolLWKpdxkKq+c= github.com/alecthomas/assert v0.0.0-20170929043011-405dbfeb8e38 h1:smF2tmSOzy2Mm+0dGI2AIUHY+w0BUc+4tn40djz7+6U= github.com/alecthomas/assert v0.0.0-20170929043011-405dbfeb8e38/go.mod h1:r7bzyVFMNntcxPZXK3/+KdruV1H5KSlyVY0gc+NgInI= github.com/alecthomas/chroma v0.7.2-0.20200305040604-4f3623dce67a/go.mod h1:fv5SzZPFJbwp2NXJWpFIX7DZS4HgV1K4ew4Pc2OZD9s= github.com/alecthomas/chroma v0.8.2 h1:x3zkuE2lUk/RIekyAJ3XRqSCP4zwWDfcw/YJCuCAACg= github.com/alecthomas/chroma v0.8.2/go.mod h1:sko8vR34/90zvl5QdcUdvzL3J8NKjAUx9va9jPuFNoM= github.com/alecthomas/colour v0.0.0-20160524082231-60882d9e2721 h1:JHZL0hZKJ1VENNfmXvHbgYlbUOvpzYzvy2aZU5gXVeo= github.com/alecthomas/colour v0.0.0-20160524082231-60882d9e2721/go.mod h1:QO9JBoKquHd+jz9nshCh40fOfO+JzsoXy8qTHF68zU0= github.com/alecthomas/kong v0.1.17-0.20190424132513-439c674f7ae0/go.mod h1:+inYUSluD+p4L8KdviBSgzcqEjUQOfC5fQDRFuc36lI= github.com/alecthomas/kong v0.2.1-0.20190708041108-0548c6b1afae/go.mod h1:+inYUSluD+p4L8KdviBSgzcqEjUQOfC5fQDRFuc36lI= github.com/alecthomas/kong v0.2.4/go.mod h1:kQOmtJgV+Lb4aj+I2LEn40cbtawdWJ9Y8QLq+lElKxE= github.com/alecthomas/kong-hcl v0.1.8-0.20190615233001-b21fea9723c8/go.mod h1:MRgZdU3vrFd05IQ89AxUZ0aYdF39BYoNFa324SodPCA= github.com/alecthomas/repr v0.0.0-20180818092828-117648cd9897/go.mod h1:xTS7Pm1pD1mvyM075QCDSRqH6qRLXylzS24ZTpRiSzQ= github.com/alecthomas/repr v0.0.0-20181024024818-d37bc2a10ba1 h1:GDQdwm/gAcJcLAKQQZGOJ4knlw+7rfEQQcmwTbt4p5E= github.com/alecthomas/repr v0.0.0-20181024024818-d37bc2a10ba1/go.mod h1:xTS7Pm1pD1mvyM075QCDSRqH6qRLXylzS24ZTpRiSzQ= github.com/alecthomas/template v0.0.0-20160405071501-a0175ee3bccc/go.mod h1:LOuyumcjzFXgccqObfd/Ljyb9UuFJ6TxHnclSeseNhc= github.com/alecthomas/units v0.0.0-20151022065526-2efee857e7cf/go.mod h1:ybxpYRFXyAe+OPACYpWeL0wqObRcbAqCMya13uyzqw0= github.com/armon/circbuf v0.0.0-20150827004946-bbbad097214e/go.mod h1:3U/XgcO3hCbHZ8TKRvWD2dDTCfh9M9ya+I9JpbB7O8o= github.com/armon/go-metrics v0.0.0-20180917152333-f0300d1749da/go.mod h1:Q73ZrmVTwzkszR9V5SSuryQ31EELlFMUz1kKyl939pY= github.com/armon/go-radix v0.0.0-20180808171621-7fddfc383310/go.mod h1:ufUuZ+zHj4x4TnLV4JWEpy2hxWSpsRywHrMgIH9cCH8= github.com/armon/go-radix v1.0.0 h1:F4z6KzEeeQIMeLFa97iZU6vupzoecKdU5TX24SNppXI= github.com/armon/go-radix v1.0.0/go.mod h1:ufUuZ+zHj4x4TnLV4JWEpy2hxWSpsRywHrMgIH9cCH8= github.com/aws/aws-sdk-go v1.15.27/go.mod h1:mFuSZ37Z9YOHbQEwBWztmVzqXrEkub65tZoCYDt7FT0= github.com/aws/aws-sdk-go v1.19.18/go.mod h1:KmX6BPdI08NWTb3/sm4ZGu5ShLoqVDhKgpiN924inxo= github.com/aws/aws-sdk-go v1.31.13/go.mod h1:5zCpMtNQVjRREroY7sYe8lOMRSxkhG6MZveU8YkpAk0= github.com/aws/aws-sdk-go v1.35.0 h1:Pxqn1MWNfBCNcX7jrXCCTfsKpg5ms2IMUMmmcGtYJuo= github.com/aws/aws-sdk-go v1.35.0/go.mod h1:H7NKnBqNVzoTJpGfLrQkkD+ytBA93eiDYi/+8rV9s48= github.com/beorn7/perks v0.0.0-20180321164747-3a771d992973/go.mod h1:Dwedo/Wpr24TaqPxmxbtue+5NUziq4I4S80YR8gNf3Q= github.com/beorn7/perks v1.0.0/go.mod h1:KWe93zE9D1o94FZ5RNwFwVgaQK1VOXiVxmqh+CedLV8= github.com/bep/debounce v1.2.0 h1:wXds8Kq8qRfwAOpAxHrJDbCXgC5aHSzgQb/0gKsHQqo= github.com/bep/debounce v1.2.0/go.mod h1:H8yggRPQKLUhUoqrJC1bO2xNya7vanpDl7xR3ISbCJ0= github.com/bep/gitmap v1.1.2 h1:zk04w1qc1COTZPPYWDQHvns3y1afOsdRfraFQ3qI840= github.com/bep/gitmap v1.1.2/go.mod h1:g9VRETxFUXNWzMiuxOwcudo6DfZkW9jOsOW0Ft4kYaY= github.com/bep/godartsass v0.10.0 h1:PKdceJOBYlLlviRX4U14SkwJQVTclzZ6cghKBEaTlw0= github.com/bep/godartsass v0.10.0/go.mod h1:nXQlHHk4H1ghUk6n/JkYKG5RD43yJfcfp5aHRqT/pc4= github.com/bep/godartsass v0.11.0 h1:62x1zaOzIP2NUzFb3Wob6sNyrtMp0JN61FFg30yQVb8= github.com/bep/godartsass v0.11.0/go.mod h1:nXQlHHk4H1ghUk6n/JkYKG5RD43yJfcfp5aHRqT/pc4= github.com/bep/golibsass v0.7.0 h1:/ocxgtPZ5rgp7FA+mktzyent+fAg82tJq4iMsTMBAtA= github.com/bep/golibsass v0.7.0/go.mod h1:DL87K8Un/+pWUS75ggYv41bliGiolxzDKWJAq3eJ1MA= github.com/bep/tmc v0.5.1 h1:CsQnSC6MsomH64gw0cT5f+EwQDcvZz4AazKunFwTpuI= github.com/bep/tmc v0.5.1/go.mod h1:tGYHN8fS85aJPhDLgXETVKp+PR382OvFi2+q2GkGsq0= github.com/bgentry/speakeasy v0.1.0/go.mod h1:+zsyZBPWlz7T6j88CTgSN5bM796AkVf0kBD4zp0CCIs= github.com/bketelsen/crypt v0.0.3-0.20200106085610-5cbc8cc4026c/go.mod h1:MKsuJmJgSg28kpZDP6UIiPt0e0Oz0kqKNGyRaWEPv84= github.com/census-instrumentation/opencensus-proto v0.2.0/go.mod h1:f6KPmirojxKA12rnyqOA5BBL4O983OfeGPqjHWSTneU= github.com/census-instrumentation/opencensus-proto v0.2.1/go.mod h1:f6KPmirojxKA12rnyqOA5BBL4O983OfeGPqjHWSTneU= github.com/cespare/xxhash v1.1.0/go.mod h1:XrSqR1VqqWfGrhpAt58auRo0WTKS1nRRg3ghfAqPWnc= github.com/cheekybits/is v0.0.0-20150225183255-68e9c0620927/go.mod h1:h/aW8ynjgkuj+NQRlZcDbAbM1ORAbXjXX77sX7T289U= github.com/chzyer/logex v1.1.10/go.mod h1:+Ywpsq7O8HXn0nuIou7OrIPyXbp3wmkHB+jjWRnGsAI= github.com/chzyer/readline v0.0.0-20180603132655-2972be24d48e/go.mod h1:nSuG5e5PlCu98SY8svDHJxuZscDgtXS6KTTbou5AhLI= github.com/chzyer/test v0.0.0-20180213035817-a1ea475d72b1/go.mod h1:Q3SI9o4m/ZMnBNeIyt5eFwwo7qiLfzFZmjNmxjkiQlU= github.com/cli/safeexec v1.0.0 h1:0VngyaIyqACHdcMNWfo6+KdUYnqEr2Sg+bSP1pdF+dI= github.com/cli/safeexec v1.0.0/go.mod h1:Z/D4tTN8Vs5gXYHDCbaM1S/anmEDnJb1iW0+EJ5zx3Q= github.com/client9/misspell v0.3.4/go.mod h1:qj6jICC3Q7zFZvVWo7KLAzC3yx5G7kyvSDkc90ppPyw= github.com/cncf/udpa/go v0.0.0-20191209042840-269d4d468f6f/go.mod h1:M8M6+tZqaGXZJjfX53e64911xZQV5JYwmTeXPW+k8Sc= github.com/coreos/bbolt v1.3.2/go.mod h1:iRUV2dpdMOn7Bo10OQBFzIJO9kkE559Wcmn+qkEiiKk= github.com/coreos/etcd v3.3.13+incompatible/go.mod h1:uF7uidLiAD3TWHmW31ZFd/JWoc32PjwdhPthX9715RE= github.com/coreos/go-semver v0.3.0/go.mod h1:nnelYz7RCh+5ahJtPPxZlU+153eP4D4r3EedlOD2RNk= github.com/coreos/go-systemd v0.0.0-20190321100706-95778dfbb74e/go.mod h1:F5haX7vjVVG0kc13fIWeqUViNPyEJxv/OmvnBo0Yme4= github.com/coreos/pkg v0.0.0-20180928190104-399ea9e2e55f/go.mod h1:E3G3o1h8I7cfcXa63jLwjI0eiQQMgzzUDFVpN/nH/eA= github.com/cpuguy83/go-md2man/v2 v2.0.0-20190314233015-f79a8a8ca69d/go.mod h1:maD7wRr/U5Z6m/iR4s+kqSMx2CaBsrgA7czyZG/E6dU= github.com/cpuguy83/go-md2man/v2 v2.0.0 h1:EoUDS0afbrsXAZ9YQ9jdu/mZ2sXgT1/2yyNng4PGlyM= github.com/cpuguy83/go-md2man/v2 v2.0.0/go.mod h1:maD7wRr/U5Z6m/iR4s+kqSMx2CaBsrgA7czyZG/E6dU= github.com/daaku/go.zipexe v1.0.0/go.mod h1:z8IiR6TsVLEYKwXAoE/I+8ys/sDkgTzSL0CLnGVd57E= github.com/danwakefield/fnmatch v0.0.0-20160403171240-cbb64ac3d964 h1:y5HC9v93H5EPKqaS1UYVg1uYah5Xf51mBfIoWehClUQ= github.com/danwakefield/fnmatch v0.0.0-20160403171240-cbb64ac3d964/go.mod h1:Xd9hchkHSWYkEqJwUGisez3G1QY8Ryz0sdWrLPMGjLk= github.com/davecgh/go-spew v0.0.0-20161028175848-04cdfd42973b/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= github.com/davecgh/go-spew v1.1.0/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= github.com/davecgh/go-spew v1.1.1 h1:vj9j/u1bqnvCEfJOwUhtlOARqs3+rkHYY13jYWTU97c= github.com/davecgh/go-spew v1.1.1/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= github.com/devigned/tab v0.1.1/go.mod h1:XG9mPq0dFghrYvoBF3xdRrJzSTX1b7IQrvaL9mzjeJY= github.com/dgrijalva/jwt-go v3.2.0+incompatible h1:7qlOGliEKZXTDg6OTjfoBKDXWrumCAMpl/TFQ4/5kLM= github.com/dgrijalva/jwt-go v3.2.0+incompatible/go.mod h1:E3ru+11k8xSBh+hMPgOLZmtrrCbhqsmaPHjLKYnJCaQ= github.com/dgryski/go-sip13 v0.0.0-20181026042036-e10d5fee7954/go.mod h1:vAd38F8PWV+bWy6jNmig1y/TA+kYO4g3RSRF0IAv0no= github.com/dimchansky/utfbom v1.1.0 h1:FcM3g+nofKgUteL8dm/UpdRXNC9KmADgTpLKsu0TRo4= github.com/dimchansky/utfbom v1.1.0/go.mod h1:rO41eb7gLfo8SF1jd9F8HplJm1Fewwi4mQvIirEdv+8= github.com/disintegration/gift v1.2.1 h1:Y005a1X4Z7Uc+0gLpSAsKhWi4qLtsdEcMIbbdvdZ6pc= github.com/disintegration/gift v1.2.1/go.mod h1:Jh2i7f7Q2BM7Ezno3PhfezbR1xpUg9dUg3/RlKGr4HI= github.com/dlclark/regexp2 v1.1.6/go.mod h1:2pZnwuY/m+8K6iRw6wQdMtk+rH5tNGR1i55kozfMjCc= github.com/dlclark/regexp2 v1.2.0/go.mod h1:2pZnwuY/m+8K6iRw6wQdMtk+rH5tNGR1i55kozfMjCc= github.com/dlclark/regexp2 v1.4.0 h1:F1rxgk7p4uKjwIQxBs9oAXe5CqrXlCduYEJvrF4u93E= github.com/dlclark/regexp2 v1.4.0/go.mod h1:2pZnwuY/m+8K6iRw6wQdMtk+rH5tNGR1i55kozfMjCc= github.com/dustin/go-humanize v1.0.0 h1:VSnTsYCnlFHaM2/igO1h6X3HA71jcobQuxemgkq4zYo= github.com/dustin/go-humanize v1.0.0/go.mod h1:HtrtbFcZ19U5GC7JDqmcUSB87Iq5E25KnS6fMYU6eOk= github.com/envoyproxy/go-control-plane v0.9.0/go.mod h1:YTl/9mNaCwkRvm6d1a2C3ymFceY/DCBVvsKhRF0iEA4= github.com/envoyproxy/go-control-plane v0.9.1-0.20191026205805-5f8ba28d4473/go.mod h1:YTl/9mNaCwkRvm6d1a2C3ymFceY/DCBVvsKhRF0iEA4= github.com/envoyproxy/go-control-plane v0.9.4/go.mod h1:6rpuAdCZL397s3pYoYcLgu1mIlRU8Am5FuJP05cCM98= github.com/envoyproxy/protoc-gen-validate v0.1.0/go.mod h1:iSmxcyjqTsJpI2R4NaDN7+kN2VEUnK/pcBlmesArF7c= github.com/evanw/esbuild v0.8.17 h1:kwPgM6nrZrSUqI1rlgNG9vv5u9cAMaz6HmZ+Ns+3cfQ= github.com/evanw/esbuild v0.8.17/go.mod h1:y2AFBAGVelPqPodpdtxWWqe6n2jYf5FrsJbligmRmuw= github.com/fatih/color v1.7.0/go.mod h1:Zm6kSWBoL9eyXnKyktHP6abPY2pDugNf5KwzbycvMj4= github.com/fortytw2/leaktest v1.3.0 h1:u8491cBMTQ8ft8aeV+adlcytMZylmA5nnwwkRZjI8vw= github.com/fortytw2/leaktest v1.3.0/go.mod h1:jDsjWgpAGjm2CA7WthBh/CdZYEPF31XHquHwclZch5g= github.com/frankban/quicktest v1.4.1/go.mod h1:36zfPVQyHxymz4cH7wlDmVwDrJuljRB60qkgn7rorfQ= github.com/frankban/quicktest v1.7.2/go.mod h1:jaStnuzAqU1AJdCO0l53JDCJrVDKcS03DbaAcR7Ks/o= github.com/frankban/quicktest v1.11.2 h1:mjwHjStlXWibxOohM7HYieIViKyh56mmt3+6viyhDDI= github.com/frankban/quicktest v1.11.2/go.mod h1:K+q6oSqb0W0Ininfk863uOk1lMy69l/P6txr3mVT54s= github.com/fsnotify/fsnotify v1.4.7/go.mod h1:jwhsz4b93w/PPRr/qN1Yymfu8t87LnFCMoQvtojpjFo= github.com/fsnotify/fsnotify v1.4.9 h1:hsms1Qyu0jgnwNXIxa+/V/PDsU6CfLf6CNO8H7IWoS4= github.com/fsnotify/fsnotify v1.4.9/go.mod h1:znqG4EE+3YCdAaPaxE2ZRY/06pZUdp0tY4IgpuI1SZQ= github.com/getkin/kin-openapi v0.32.0 h1:zzeKoKewdKT9bBdRMwYEhJgB2rKSKGFKE1iOKF7KgNs= github.com/getkin/kin-openapi v0.32.0/go.mod h1:WGRs2ZMM1Q8LR1QBEwUxC6RJEfaBcD0s+pcEVXFuAjw= github.com/ghodss/yaml v1.0.0 h1:wQHKEahhL6wmXdzwWG11gIVCkOv05bNOh+Rxn0yngAk= github.com/ghodss/yaml v1.0.0/go.mod h1:4dBDuWmgqj2HViK6kFavaiC9ZROes6MMH2rRYeMEF04= github.com/go-gl/glfw v0.0.0-20190409004039-e6da0acd62b1/go.mod h1:vR7hzQXu2zJy9AVAgeJqvqgH9Q5CA+iKCZ2gyEVpxRU= github.com/go-gl/glfw/v3.3/glfw v0.0.0-20191125211704-12ad95a8df72/go.mod h1:tQ2UAYgL5IevRw8kRxooKSPJfGvJ9fJQFa0TUsXzTg8= github.com/go-gl/glfw/v3.3/glfw v0.0.0-20200222043503-6f7a984d4dc4/go.mod h1:tQ2UAYgL5IevRw8kRxooKSPJfGvJ9fJQFa0TUsXzTg8= github.com/go-ini/ini v1.25.4/go.mod h1:ByCAeIL28uOIIG0E3PJtZPDL8WnHpFKFOtgjp+3Ies8= github.com/go-kit/kit v0.8.0/go.mod h1:xBxKIO96dXMWWy0MnWVtmwkA9/13aqxPnvrjFYMA2as= github.com/go-logfmt/logfmt v0.3.0/go.mod h1:Qt1PoO58o5twSAckw1HlFXLmHsOX5/0LbT9GBnD5lWE= github.com/go-logfmt/logfmt v0.4.0/go.mod h1:3RMwSq7FuexP4Kalkev3ejPJsZTpXXBr9+V4qmtdjCk= github.com/go-sql-driver/mysql v1.5.0/go.mod h1:DCzpHaOWr8IXmIStZouvnhqoel9Qv2LBy8hT2VhHyBg= github.com/go-stack/stack v1.8.0/go.mod h1:v0f6uXyyMGvRgIKkXu+yp6POWl0qKG85gN/melR3HDY= github.com/gobwas/glob v0.2.3 h1:A4xDbljILXROh+kObIiy5kIaPYD8e96x1tgBhUI5J+Y= github.com/gobwas/glob v0.2.3/go.mod h1:d3Ez4x06l9bZtSvzIay5+Yzi0fmZzPgnTbPcKjJAkT8= github.com/gogo/protobuf v1.1.1/go.mod h1:r8qH/GZQm5c6nD/R0oafs1akxWv10x8SbQlK7atdtwQ= github.com/gogo/protobuf v1.2.1/go.mod h1:hp+jE20tsWTFYpLwKvXlhS1hjn+gTNwPg2I6zVXpSg4= github.com/gohugoio/testmodBuilder/mods v0.0.0-20190520184928-c56af20f2e95 h1:sgew0XCnZwnzpWxTt3V8LLiCO7OQi3C6dycaE67wfkU= github.com/gohugoio/testmodBuilder/mods v0.0.0-20190520184928-c56af20f2e95/go.mod h1:bOlVlCa1/RajcHpXkrUXPSHB/Re1UnlXxD1Qp8SKOd8= github.com/golang/glog v0.0.0-20160126235308-23def4e6c14b/go.mod h1:SBH7ygxi8pfUlaOkMMuAQtPIUF8ecWP5IEl/CR7VP2Q= github.com/golang/groupcache v0.0.0-20190129154638-5b532d6fd5ef/go.mod h1:cIg4eruTrX1D+g88fzRXU5OdNfaM+9IcxsU14FzY7Hc= github.com/golang/groupcache v0.0.0-20190702054246-869f871628b6/go.mod h1:cIg4eruTrX1D+g88fzRXU5OdNfaM+9IcxsU14FzY7Hc= github.com/golang/groupcache v0.0.0-20191227052852-215e87163ea7/go.mod h1:cIg4eruTrX1D+g88fzRXU5OdNfaM+9IcxsU14FzY7Hc= github.com/golang/groupcache v0.0.0-20200121045136-8c9f03a8e57e h1:1r7pUrabqp18hOBcwBwiTsbnFeTZHV9eER/QT5JVZxY= github.com/golang/groupcache v0.0.0-20200121045136-8c9f03a8e57e/go.mod h1:cIg4eruTrX1D+g88fzRXU5OdNfaM+9IcxsU14FzY7Hc= github.com/golang/mock v1.1.1/go.mod h1:oTYuIxOrZwtPieC+H1uAHpcLFnEyAGVDL/k47Jfbm0A= github.com/golang/mock v1.2.0/go.mod h1:oTYuIxOrZwtPieC+H1uAHpcLFnEyAGVDL/k47Jfbm0A= github.com/golang/mock v1.3.1/go.mod h1:sBzyDLLjw3U8JLTeZvSv8jJB+tU5PVekmnlKIyFUx0Y= github.com/golang/mock v1.4.0/go.mod h1:UOMv5ysSaYNkG+OFQykRIcU/QvvxJf3p21QfJ2Bt3cw= github.com/golang/mock v1.4.1/go.mod h1:UOMv5ysSaYNkG+OFQykRIcU/QvvxJf3p21QfJ2Bt3cw= github.com/golang/mock v1.4.3/go.mod h1:UOMv5ysSaYNkG+OFQykRIcU/QvvxJf3p21QfJ2Bt3cw= github.com/golang/protobuf v1.2.0/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= github.com/golang/protobuf v1.3.1/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= github.com/golang/protobuf v1.3.2/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= github.com/golang/protobuf v1.3.3/go.mod h1:vzj43D7+SQXF/4pzW/hwtAqwc6iTitCiVSaWz5lYuqw= github.com/golang/protobuf v1.3.4/go.mod h1:vzj43D7+SQXF/4pzW/hwtAqwc6iTitCiVSaWz5lYuqw= github.com/golang/protobuf v1.3.5/go.mod h1:6O5/vntMXwX2lRkT1hjjk0nAC1IDOTvTlVgjlRvqsdk= github.com/golang/protobuf v1.4.0-rc.1/go.mod h1:ceaxUfeHdC40wWswd/P6IGgMaK3YpKi5j83Wpe3EHw8= github.com/golang/protobuf v1.4.0-rc.1.0.20200221234624-67d41d38c208/go.mod h1:xKAWHe0F5eneWXFV3EuXVDTCmh+JuBKY0li0aMyXATA= github.com/golang/protobuf v1.4.0-rc.2/go.mod h1:LlEzMj4AhA7rCAGe4KMBDvJI+AwstrUpVNzEA03Pprs= github.com/golang/protobuf v1.4.0-rc.4.0.20200313231945-b860323f09d0/go.mod h1:WU3c8KckQ9AFe+yFwt9sWVRKCVIyN9cPHBJSNnbL67w= github.com/golang/protobuf v1.4.0/go.mod h1:jodUvKwWbYaEsadDk5Fwe5c77LiNKVO9IDvqG2KuDX0= github.com/golang/protobuf v1.4.1/go.mod h1:U8fpvMrcmy5pZrNK1lt4xCsGvpyWQ/VVv6QDs8UjoX8= github.com/golang/protobuf v1.4.2 h1:+Z5KGCizgyZCbGh1KZqA0fcLLkwbsjIzS4aV2v7wJX0= github.com/golang/protobuf v1.4.2/go.mod h1:oDoupMAO8OvCJWAcko0GGGIgR6R6ocIYbsSw735rRwI= github.com/google/btree v0.0.0-20180813153112-4030bb1f1f0c/go.mod h1:lNA+9X1NB3Zf8V7Ke586lFgjr2dZNuvo3lPJSGZ5JPQ= github.com/google/btree v1.0.0/go.mod h1:lNA+9X1NB3Zf8V7Ke586lFgjr2dZNuvo3lPJSGZ5JPQ= github.com/google/go-cmp v0.2.0/go.mod h1:oXzfMopK8JAjlY9xF4vHSVASa0yLyX7SntLO5aqRK0M= github.com/google/go-cmp v0.3.0/go.mod h1:8QqcDgzrUqlUb/G2PQTWiueGozuR1884gddMywk6iLU= github.com/google/go-cmp v0.3.1/go.mod h1:8QqcDgzrUqlUb/G2PQTWiueGozuR1884gddMywk6iLU= github.com/google/go-cmp v0.4.0/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= github.com/google/go-cmp v0.4.1/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= github.com/google/go-cmp v0.5.0/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= github.com/google/go-cmp v0.5.2/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= github.com/google/go-cmp v0.5.3 h1:x95R7cp+rSeeqAMI2knLtQ0DKlaBhv2NrtrOvafPHRo= github.com/google/go-cmp v0.5.3/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= github.com/google/go-replayers/grpcreplay v0.1.0 h1:eNb1y9rZFmY4ax45uEEECSa8fsxGRU+8Bil52ASAwic= github.com/google/go-replayers/grpcreplay v0.1.0/go.mod h1:8Ig2Idjpr6gifRd6pNVggX6TC1Zw6Jx74AKp7QNH2QE= github.com/google/go-replayers/httpreplay v0.1.0 h1:AX7FUb4BjrrzNvblr/OlgwrmFiep6soj5K2QSDW7BGk= github.com/google/go-replayers/httpreplay v0.1.0/go.mod h1:YKZViNhiGgqdBlUbI2MwGpq4pXxNmhJLPHQ7cv2b5no= github.com/google/martian v2.1.0+incompatible/go.mod h1:9I4somxYTbIHy5NJKHRl3wXiIaQGbYVAs8BPL6v8lEs= github.com/google/martian v2.1.1-0.20190517191504-25dcb96d9e51+incompatible h1:xmapqc1AyLoB+ddYT6r04bD9lIjlOqGaREovi0SzFaE= github.com/google/martian v2.1.1-0.20190517191504-25dcb96d9e51+incompatible/go.mod h1:9I4somxYTbIHy5NJKHRl3wXiIaQGbYVAs8BPL6v8lEs= github.com/google/pprof v0.0.0-20181206194817-3ea8567a2e57/go.mod h1:zfwlbNMJ+OItoe0UupaVj+oy1omPYYDuagoSzA8v9mc= github.com/google/pprof v0.0.0-20190515194954-54271f7e092f/go.mod h1:zfwlbNMJ+OItoe0UupaVj+oy1omPYYDuagoSzA8v9mc= github.com/google/pprof v0.0.0-20191218002539-d4f498aebedc/go.mod h1:ZgVRPoUq/hfqzAqh7sHMqb3I9Rq5C59dIz2SbBwJ4eM= github.com/google/pprof v0.0.0-20200212024743-f11f1df84d12/go.mod h1:ZgVRPoUq/hfqzAqh7sHMqb3I9Rq5C59dIz2SbBwJ4eM= github.com/google/pprof v0.0.0-20200229191704-1ebb73c60ed3/go.mod h1:ZgVRPoUq/hfqzAqh7sHMqb3I9Rq5C59dIz2SbBwJ4eM= github.com/google/pprof v0.0.0-20200430221834-fc25d7d30c6d/go.mod h1:ZgVRPoUq/hfqzAqh7sHMqb3I9Rq5C59dIz2SbBwJ4eM= github.com/google/pprof v0.0.0-20200507031123-427632fa3b1c/go.mod h1:ZgVRPoUq/hfqzAqh7sHMqb3I9Rq5C59dIz2SbBwJ4eM= github.com/google/renameio v0.1.0/go.mod h1:KWCgfxg9yswjAJkECMjeO8J8rahYeXnNhOm40UhjYkI= github.com/google/subcommands v1.0.1/go.mod h1:ZjhPrFU+Olkh9WazFPsl27BQ4UPiG37m3yTrtFlrHVk= github.com/google/uuid v1.1.1 h1:Gkbcsh/GbpXz7lPftLA3P6TYMwjCLYm83jiFQZF/3gY= github.com/google/uuid v1.1.1/go.mod h1:TIyPZe4MgqvfeYDBFedMoGGpEw/LqOeaOT+nhxU+yHo= github.com/google/wire v0.4.0 h1:kXcsA/rIGzJImVqPdhfnr6q0xsS9gU0515q1EPpJ9fE= github.com/google/wire v0.4.0/go.mod h1:ngWDr9Qvq3yZA10YrxfyGELY/AFWGVpy9c1LTRi1EoU= github.com/googleapis/gax-go v2.0.2+incompatible h1:silFMLAnr330+NRuag/VjIGF7TLp/LBrV2CJKFLWEww= github.com/googleapis/gax-go v2.0.2+incompatible/go.mod h1:SFVmujtThgffbyetf+mdk2eWhX2bMyUtNHzFKcPA9HY= github.com/googleapis/gax-go/v2 v2.0.4/go.mod h1:0Wqv26UfaUD9n4G6kQubkQ+KchISgw+vpHVxEJEs9eg= github.com/googleapis/gax-go/v2 v2.0.5 h1:sjZBwGj9Jlw33ImPtvFviGYvseOtDM7hkSKB7+Tv3SM= github.com/googleapis/gax-go/v2 v2.0.5/go.mod h1:DWXyrwAJ9X0FpwwEdw+IPEYBICEFu5mhpdKc/us6bOk= github.com/gopherjs/gopherjs v0.0.0-20181017120253-0766667cb4d1 h1:EGx4pi6eqNxGaHF6qqu48+N2wcFQ5qg5FXgOdqsJ5d8= github.com/gopherjs/gopherjs v0.0.0-20181017120253-0766667cb4d1/go.mod h1:wJfORRmW1u3UXTncJ5qlYoELFm8eSnnEO6hX4iZ3EWY= github.com/gorilla/csrf v1.6.0/go.mod h1:7tSf8kmjNYr7IWDCYhd3U8Ck34iQ/Yw5CJu7bAkHEGI= github.com/gorilla/handlers v1.4.1/go.mod h1:Qkdc/uu4tH4g6mTK6auzZ766c4CA0Ng8+o/OAirnOIQ= github.com/gorilla/mux v1.7.3/go.mod h1:1lud6UwP+6orDFRuTfBEV8e9/aOM/c4fVVCaMa2zaAs= github.com/gorilla/securecookie v1.1.1/go.mod h1:ra0sb63/xPlUeL+yeDciTfxMRAA+MP+HVt/4epWDjd4= github.com/gorilla/websocket v1.4.2 h1:+/TMaTYc4QFitKJxsQ7Yye35DkWvkdLcvGKqM+x0Ufc= github.com/gorilla/websocket v1.4.2/go.mod h1:YR8l580nyteQvAITg2hZ9XVh4b55+EU/adAjf1fMHhE= github.com/grpc-ecosystem/go-grpc-middleware v1.0.0/go.mod h1:FiyG127CGDf3tlThmgyCl78X/SZQqEOJBCDaAfeWzPs= github.com/grpc-ecosystem/go-grpc-prometheus v1.2.0/go.mod h1:8NvIoxWQoOIhqOTXgfV/d3M/q6VIi02HzZEHgUlZvzk= github.com/grpc-ecosystem/grpc-gateway v1.9.0/go.mod h1:vNeuVxBJEsws4ogUvrchl83t/GYV9WGTSLVdBhOQFDY= github.com/hashicorp/consul/api v1.1.0/go.mod h1:VmuI/Lkw1nC05EYQWNKwWGbkg+FbDBtguAZLlVdkD9Q= github.com/hashicorp/consul/sdk v0.1.1/go.mod h1:VKf9jXwCTEY1QZP2MOLRhb5i/I/ssyNV1vwHyQBF0x8= github.com/hashicorp/errwrap v1.0.0/go.mod h1:YH+1FKiLXxHSkmPseP+kNlulaMuP3n2brvKWEqk/Jc4= github.com/hashicorp/go-cleanhttp v0.5.1/go.mod h1:JpRdi6/HCYpAwUzNwuwqhbovhLtngrth3wmdIIUrZ80= github.com/hashicorp/go-immutable-radix v1.0.0/go.mod h1:0y9vanUI8NX6FsYoO3zeMjhV/C5i9g4Q3DwcSNZ4P60= github.com/hashicorp/go-msgpack v0.5.3/go.mod h1:ahLV/dePpqEmjfWmKiqvPkv/twdG7iPBM1vqhUKIvfM= github.com/hashicorp/go-multierror v1.0.0/go.mod h1:dHtQlpGsu+cZNNAkkCN/P3hoUDHhCYQXV3UM06sGGrk= github.com/hashicorp/go-rootcerts v1.0.0/go.mod h1:K6zTfqpRlCUIjkwsN4Z+hiSfzSTQa6eBIzfwKfwNnHU= github.com/hashicorp/go-sockaddr v1.0.0/go.mod h1:7Xibr9yA9JjQq1JpNB2Vw7kxv8xerXegt+ozgdvDeDU= github.com/hashicorp/go-syslog v1.0.0/go.mod h1:qPfqrKkXGihmCqbJM2mZgkZGvKG1dFdvsLplgctolz4= github.com/hashicorp/go-uuid v1.0.0/go.mod h1:6SBZvOh/SIDV7/2o3Jml5SYk/TvGqwFJ/bN7x4byOro= github.com/hashicorp/go-uuid v1.0.1/go.mod h1:6SBZvOh/SIDV7/2o3Jml5SYk/TvGqwFJ/bN7x4byOro= github.com/hashicorp/go.net v0.0.1/go.mod h1:hjKkEWcCURg++eb33jQU7oqQcI9XDCnUzHA0oac0k90= github.com/hashicorp/golang-lru v0.5.0/go.mod h1:/m3WP610KZHVQ1SGc6re/UDhFvYD7pJ4Ao+sR/qLZy8= github.com/hashicorp/golang-lru v0.5.1/go.mod h1:/m3WP610KZHVQ1SGc6re/UDhFvYD7pJ4Ao+sR/qLZy8= github.com/hashicorp/hcl v1.0.0 h1:0Anlzjpi4vEasTeNFn2mLJgTSwt0+6sfsiTG8qcWGx4= github.com/hashicorp/hcl v1.0.0/go.mod h1:E5yfLk+7swimpb2L/Alb/PJmXilQ/rhwaUYs4T20WEQ= github.com/hashicorp/logutils v1.0.0/go.mod h1:QIAnNjmIWmVIIkWDTG1z5v++HQmx9WQRO+LraFDTW64= github.com/hashicorp/mdns v1.0.0/go.mod h1:tL+uN++7HEJ6SQLQ2/p+z2pH24WQKWjBPkE0mNTz8vQ= github.com/hashicorp/memberlist v0.1.3/go.mod h1:ajVTdAv/9Im8oMAAj5G31PhhMCZJV2pPBoIllUwCN7I= github.com/hashicorp/serf v0.8.2/go.mod h1:6hOLApaqBFA1NXqRQAsxw9QxuDEvNxSQRwA/JwenrHc= github.com/ianlancetaylor/demangle v0.0.0-20181102032728-5e5cf60278f6/go.mod h1:aSSvb/t6k1mPoxDqO4vJh6VOCGPwU4O0C2/Eqndh1Sc= github.com/inconshreveable/mousetrap v1.0.0 h1:Z8tu5sraLXCXIcARxBp/8cbvlwVa7Z1NHg9XEKhtSvM= github.com/inconshreveable/mousetrap v1.0.0/go.mod h1:PxqpIevigyE2G7u3NXJIT2ANytuPF1OarO4DADm73n8= github.com/jdkato/prose v1.2.0 h1:t/R3H6xOrVuIgNevWiOSJf1kEoeF2VWlrN6w76Tkzow= github.com/jdkato/prose v1.2.0/go.mod h1:WC4YKHtBdAMgBdmfdqBmEuVbBD0U5c9HQ6l1U8Cq0ts= github.com/jessevdk/go-flags v1.4.0/go.mod h1:4FA24M0QyGHXBuZZK/XkWh8h0e1EYbRYJSGM75WSRxI= github.com/jmespath/go-jmespath v0.0.0-20160202185014-0b12d6b521d8/go.mod h1:Nht3zPeWKUH0NzdCt2Blrr5ys8VGpn0CEB0cQHVjt7k= github.com/jmespath/go-jmespath v0.0.0-20180206201540-c2b33e8439af/go.mod h1:Nht3zPeWKUH0NzdCt2Blrr5ys8VGpn0CEB0cQHVjt7k= github.com/jmespath/go-jmespath v0.3.0/go.mod h1:9QtRXoHjLGCJ5IBSaohpXITPlowMeeYCZ7fLUTSywik= github.com/jmespath/go-jmespath v0.4.0 h1:BEgLn5cpjn8UN1mAw4NjwDrS35OdebyEtFe+9YPoQUg= github.com/jmespath/go-jmespath v0.4.0/go.mod h1:T8mJZnbsbmF+m6zOOFylbeCJqk5+pHWvzYPziyZiYoo= github.com/jmespath/go-jmespath/internal/testify v1.5.1 h1:shLQSRRSCCPj3f2gpwzGwWFoC7ycTf1rcQZHOlsJ6N8= github.com/jmespath/go-jmespath/internal/testify v1.5.1/go.mod h1:L3OGu8Wl2/fWfCI6z80xFu9LTZmf1ZRjMHUOPmWr69U= github.com/joho/godotenv v1.3.0/go.mod h1:7hK45KPybAkOC6peb+G5yklZfMxEjkZhHbwpqxOKXbg= github.com/jonboulle/clockwork v0.1.0/go.mod h1:Ii8DK3G1RaLaWxj9trq07+26W01tbo22gdxWY5EU2bo= github.com/json-iterator/go v1.1.6/go.mod h1:+SdeFBvtyEkXs7REEP0seUULqWtbJapLOCVDaaPEHmU= github.com/jstemmer/go-junit-report v0.0.0-20190106144839-af01ea7f8024/go.mod h1:6v2b51hI/fHJwM22ozAgKL4VKDeJcHhJFhtBdhmNjmU= github.com/jstemmer/go-junit-report v0.9.1 h1:6QPYqodiu3GuPL+7mfx+NwDdp2eTkp9IfEUpgAwUN0o= github.com/jstemmer/go-junit-report v0.9.1/go.mod h1:Brl9GWCQeLvo8nXZwPNNblvFj/XSXhF0NWZEnDohbsk= github.com/jtolds/gls v4.20.0+incompatible h1:xdiiI2gbIgH/gLH7ADydsJ1uDOEzR8yvV7C0MuV77Wo= github.com/jtolds/gls v4.20.0+incompatible/go.mod h1:QJZ7F/aHp+rZTRtaJ1ow/lLfFfVYBRgL+9YlvaHOwJU= github.com/julienschmidt/httprouter v1.2.0/go.mod h1:SYymIcj16QtmaHHD7aYtjjsJG7VTCxuUUipMqKk8s4w= github.com/kisielk/errcheck v1.1.0/go.mod h1:EZBBE59ingxPouuu3KfxchcWSUPOHkagtvWXihfKN4Q= github.com/kisielk/gotool v1.0.0/go.mod h1:XhKaO+MFFWcvkIS/tQcRk01m1F5IRFswLeQ+oQHNcck= github.com/konsorten/go-windows-terminal-sequences v1.0.1/go.mod h1:T0+1ngSBFLxvqU3pZ+m/2kptfBszLMUkC4ZK/EgS/cQ= github.com/kr/fs v0.1.0/go.mod h1:FFnZGqtBN9Gxj7eW1uZ42v5BccTP0vu6NEaFoC2HwRg= github.com/kr/logfmt v0.0.0-20140226030751-b84e30acd515/go.mod h1:+0opPa2QZZtGFBFZlji/RkVcI2GknAs/DXo4wKdlNEc= github.com/kr/pretty v0.1.0/go.mod h1:dAy3ld7l9f0ibDNOQOHHMYYIIbhfbHSm3C4ZsoJORNo= github.com/kr/pretty v0.2.1 h1:Fmg33tUaq4/8ym9TJN1x7sLJnHVwhP33CNkpYV/7rwI= github.com/kr/pretty v0.2.1/go.mod h1:ipq/a2n7PKx3OHsz4KJII5eveXtPO4qwEXGdVfWzfnI= github.com/kr/pty v1.1.1/go.mod h1:pFQYn66WHrOpPYNljwOMqo10TkYh1fy3cYio2l3bCsQ= github.com/kr/text v0.1.0 h1:45sCR5RtlFHMR4UwH9sdQ5TC8v0qDQCHnXt+kaKSTVE= github.com/kr/text v0.1.0/go.mod h1:4Jbv+DJW3UT/LiOwJeYQe1efqtUx/iVham/4vfdArNI= github.com/kylelemons/godebug v1.1.0 h1:RPNrshWIDI6G2gRW9EHilWtl7Z6Sb1BR0xunSBf0SNc= github.com/kylelemons/godebug v1.1.0/go.mod h1:9/0rRGxNHcop5bhtWyNeEfOS8JIWk580+fNqagV/RAw= github.com/kyokomi/emoji/v2 v2.2.7 h1:v12BHO3OBfwokUfaQghK4RSDFpG4WfxeKJPSdcc73Nk= github.com/kyokomi/emoji/v2 v2.2.7/go.mod h1:JUcn42DTdsXJo1SWanHh4HKDEyPaR5CqkmoirZZP9qE= github.com/lib/pq v1.1.1/go.mod h1:5WUZQaWbwv1U+lTReE5YruASi9Al49XbQIvNi/34Woo= github.com/magefile/mage v1.10.0 h1:3HiXzCUY12kh9bIuyXShaVe529fJfyqoVM42o/uom2g= github.com/magefile/mage v1.10.0/go.mod h1:z5UZb/iS3GoOSn0JgWuiw7dxlurVYTu+/jHXqQg881A= github.com/magiconair/properties v1.8.1 h1:ZC2Vc7/ZFkGmsVC9KvOjumD+G5lXy2RtTKyzRKO2BQ4= github.com/magiconair/properties v1.8.1/go.mod h1:PppfXfuXeibc/6YijjN8zIbojt8czPbwD3XqdrwzmxQ= github.com/markbates/inflect v0.0.0-20171215194931-a12c3aec81a6 h1:LZhVjIISSbj8qLf2qDPP0D8z0uvOWAW5C85ly5mJW6c= github.com/markbates/inflect v0.0.0-20171215194931-a12c3aec81a6/go.mod h1:oTeZL2KHA7CUX6X+fovmK9OvIOFuqu0TwdQrZjLTh88= github.com/matryer/try v0.0.0-20161228173917-9ac251b645a2/go.mod h1:0KeJpeMD6o+O4hW7qJOT7vyQPKrWmj26uf5wMc/IiIs= github.com/mattn/go-colorable v0.0.9/go.mod h1:9vuHe8Xs5qXnSaW/c/ABM9alt+Vo+STaOChaDxuIBZU= github.com/mattn/go-colorable v0.1.6/go.mod h1:u6P/XSegPjTcexA+o6vUJrdnUu04hMope9wVRipJSqc= github.com/mattn/go-ieproxy v0.0.0-20190610004146-91bb50d98149/go.mod h1:31jz6HNzdxOmlERGGEc4v/dMssOfmp2p5bT/okiKFFc= github.com/mattn/go-ieproxy v0.0.0-20190702010315-6dee0af9227d/go.mod h1:31jz6HNzdxOmlERGGEc4v/dMssOfmp2p5bT/okiKFFc= github.com/mattn/go-ieproxy v0.0.1 h1:qiyop7gCflfhwCzGyeT0gro3sF9AIg9HU98JORTkqfI= github.com/mattn/go-ieproxy v0.0.1/go.mod h1:pYabZ6IHcRpFh7vIaLfK7rdcWgFEb3SFJ6/gNWuh88E= github.com/mattn/go-isatty v0.0.3/go.mod h1:M+lRXTBqGeGNdLjl/ufCoiOlB5xdOkqRJdNxMWT7Zi4= github.com/mattn/go-isatty v0.0.4/go.mod h1:M+lRXTBqGeGNdLjl/ufCoiOlB5xdOkqRJdNxMWT7Zi4= github.com/mattn/go-isatty v0.0.12 h1:wuysRhFDzyxgEmMf5xjvJ2M9dZoWAXNNr5LSBS7uHXY= github.com/mattn/go-isatty v0.0.12/go.mod h1:cbi8OIDigv2wuxKPP5vlRcQ1OAZbq2CE4Kysco4FUpU= github.com/mattn/go-runewidth v0.0.7 h1:Ei8KR0497xHyKJPAv59M1dkC+rOZCMBJ+t3fZ+twI54= github.com/mattn/go-runewidth v0.0.7/go.mod h1:H031xJmbD/WCDINGzjvQ9THkh0rPKHF+m2gUSrubnMI= github.com/matttproud/golang_protobuf_extensions v1.0.1/go.mod h1:D8He9yQNgCq6Z5Ld7szi9bcBfOoFv/3dc6xSMkL2PC0= github.com/miekg/dns v1.0.14/go.mod h1:W1PPwlIAgtquWBMBEV9nkV9Cazfe8ScdGz/Lj7v3Nrg= github.com/miekg/mmark v1.3.6 h1:t47x5vThdwgLJzofNsbsAl7gmIiJ7kbDQN5BxwBmwvY= github.com/miekg/mmark v1.3.6/go.mod h1:w7r9mkTvpS55jlfyn22qJ618itLryxXBhA7Jp3FIlkw= github.com/mitchellh/cli v1.0.0/go.mod h1:hNIlj7HEI86fIcpObd7a0FcrxTWetlwJDGcceTlRvqc= github.com/mitchellh/go-homedir v1.0.0/go.mod h1:SfyaCUpYCn1Vlf4IUYiD9fPX4A5wJrkLzIz1N1q0pr0= github.com/mitchellh/go-homedir v1.1.0 h1:lukF9ziXFxDFPkA1vsr5zpc1XuPDn/wFntq5mG+4E0Y= github.com/mitchellh/go-homedir v1.1.0/go.mod h1:SfyaCUpYCn1Vlf4IUYiD9fPX4A5wJrkLzIz1N1q0pr0= github.com/mitchellh/go-testing-interface v1.0.0/go.mod h1:kRemZodwjscx+RGhAo8eIhFbs2+BFgRtFPeD/KE+zxI= github.com/mitchellh/gox v0.4.0/go.mod h1:Sd9lOJ0+aimLBi73mGofS1ycjY8lL3uZM3JPS42BGNg= github.com/mitchellh/hashstructure v1.0.0 h1:ZkRJX1CyOoTkar7p/mLS5TZU4nJ1Rn/F8u9dGS02Q3Y= github.com/mitchellh/hashstructure v1.0.0/go.mod h1:QjSHrPWS+BGUVBYkbTZWEnOh3G1DutKwClXU/ABz6AQ= github.com/mitchellh/iochan v1.0.0/go.mod h1:JwYml1nuB7xOzsp52dPpHFffvOCDupsG0QubkSMEySY= github.com/mitchellh/mapstructure v0.0.0-20160808181253-ca63d7c062ee/go.mod h1:FVVH3fgwuzCH5S8UJGiWEs2h04kUh9fWfEaFds41c1Y= github.com/mitchellh/mapstructure v1.1.2/go.mod h1:FVVH3fgwuzCH5S8UJGiWEs2h04kUh9fWfEaFds41c1Y= github.com/mitchellh/mapstructure v1.3.3 h1:SzB1nHZ2Xi+17FP0zVQBHIZqvwRN9408fJO8h+eeNA8= github.com/mitchellh/mapstructure v1.3.3/go.mod h1:bFUtVrKA4DC2yAKiSyO/QUcy7e+RRV2QTWOzhPopBRo= github.com/modern-go/concurrent v0.0.0-20180306012644-bacd9c7ef1dd/go.mod h1:6dJC0mAP4ikYIbvyc7fijjWJddQyLn8Ig3JB5CqoB9Q= github.com/modern-go/reflect2 v1.0.1/go.mod h1:bx2lNnkwVCuqBIxFjflWJWanXIb3RllmbCylyMrvgv0= github.com/montanaflynn/stats v0.6.3/go.mod h1:wL8QJuTMNUDYhXwkmfOly8iTdp5TEcJFWZD2D7SIkUc= github.com/muesli/smartcrop v0.3.0 h1:JTlSkmxWg/oQ1TcLDoypuirdE8Y/jzNirQeLkxpA6Oc= github.com/muesli/smartcrop v0.3.0/go.mod h1:i2fCI/UorTfgEpPPLWiFBv4pye+YAG78RwcQLUkocpI= github.com/mwitkow/go-conntrack v0.0.0-20161129095857-cc309e4a2223/go.mod h1:qRWi+5nqEBWmkhHvq77mSJWrCKwh8bxhgT7d/eI7P4U= github.com/nfnt/resize v0.0.0-20180221191011-83c6a9932646 h1:zYyBkD/k9seD2A7fsi6Oo2LfFZAehjjQMERAvZLEDnQ= github.com/nfnt/resize v0.0.0-20180221191011-83c6a9932646/go.mod h1:jpp1/29i3P1S/RLdc7JQKbRpFeM1dOBd8T9ki5s+AY8= github.com/nicksnyder/go-i18n/v2 v2.1.1 h1:ATCOanRDlrfKVB4WHAdJnLEqZtDmKYsweqsOUYflnBU= github.com/nicksnyder/go-i18n/v2 v2.1.1/go.mod h1:d++QJC9ZVf7pa48qrsRWhMJ5pSHIPmS3OLqK1niyLxs= github.com/niklasfasching/go-org v1.3.2 h1:ZKTSd+GdJYkoZl1pBXLR/k7DRiRXnmB96TRiHmHdzwI= github.com/niklasfasching/go-org v1.3.2/go.mod h1:AsLD6X7djzRIz4/RFZu8vwRL0VGjUvGZCCH1Nz0VdrU= github.com/nkovacs/streamquote v0.0.0-20170412213628-49af9bddb229/go.mod h1:0aYXnNPJ8l7uZxf45rWW1a/uME32OF0rhiYGNQ2oF2E= github.com/oklog/ulid v1.3.1/go.mod h1:CirwcVhetQ6Lv90oh/F+FBtV6XMibvdAFo93nm5qn4U= github.com/olekukonko/tablewriter v0.0.4 h1:vHD/YYe1Wolo78koG299f7V/VAS08c6IpCLn+Ejf/w8= github.com/olekukonko/tablewriter v0.0.4/go.mod h1:zq6QwlOf5SlnkVbMSr5EoBv3636FWnp+qbPhuoO21uA= github.com/pascaldekloe/goe v0.0.0-20180627143212-57f6aae5913c/go.mod h1:lzWF7FIEvWOWxwDKqyGYQf6ZUaNfKdP144TG7ZOy1lc= github.com/pelletier/go-toml v1.2.0/go.mod h1:5z9KED0ma1S8pY6P1sdut58dfprrGBbd/94hg7ilaic= github.com/pelletier/go-toml v1.8.1 h1:1Nf83orprkJyknT6h7zbuEGUEjcyVlCxSUGTENmNCRM= github.com/pelletier/go-toml v1.8.1/go.mod h1:T2/BmBdy8dvIRq1a/8aqjN41wvWlN4lrapLU/GW4pbc= github.com/pkg/errors v0.8.0/go.mod h1:bwawxfHBFNV+L2hUp1rHADufV3IMtnDRdf1r5NINEl0= github.com/pkg/errors v0.8.1/go.mod h1:bwawxfHBFNV+L2hUp1rHADufV3IMtnDRdf1r5NINEl0= github.com/pkg/errors v0.9.1 h1:FEBLx1zS214owpjy7qsBeixbURkuhQAwrK5UwLGTwt4= github.com/pkg/errors v0.9.1/go.mod h1:bwawxfHBFNV+L2hUp1rHADufV3IMtnDRdf1r5NINEl0= github.com/pkg/sftp v1.10.1/go.mod h1:lYOWFsE0bwd1+KfKJaKeuokY15vzFx25BLbzYYoAxZI= github.com/pmezard/go-difflib v0.0.0-20151028094244-d8ed2627bdf0/go.mod h1:iKH77koFhYxTK1pcRnkKkqfTogsbg7gZNVY4sRDYZ/4= github.com/pmezard/go-difflib v1.0.0 h1:4DBwDE0NGyQoBHbLQYPwSUPoCMWR5BEzIk/f1lZbAQM= github.com/pmezard/go-difflib v1.0.0/go.mod h1:iKH77koFhYxTK1pcRnkKkqfTogsbg7gZNVY4sRDYZ/4= github.com/posener/complete v1.1.1/go.mod h1:em0nMJCgc9GFtwrmVmEMR/ZL6WyhyjMBndrE9hABlRI= github.com/prometheus/client_golang v0.9.1/go.mod h1:7SWBe2y4D6OKWSNQJUaRYU/AaXPKyh/dDVn+NZz0KFw= github.com/prometheus/client_golang v0.9.3/go.mod h1:/TN21ttK/J9q6uSwhBd54HahCDft0ttaMvbicHlPoso= github.com/prometheus/client_model v0.0.0-20180712105110-5c3871d89910/go.mod h1:MbSGuTsp3dbXC40dX6PRTWyKYBIrTGTE9sqQNg2J8bo= github.com/prometheus/client_model v0.0.0-20190129233127-fd36f4220a90/go.mod h1:xMI15A0UPsDsEKsMN9yxemIoYk6Tm2C1GtYGdfGttqA= github.com/prometheus/client_model v0.0.0-20190812154241-14fe0d1b01d4/go.mod h1:xMI15A0UPsDsEKsMN9yxemIoYk6Tm2C1GtYGdfGttqA= github.com/prometheus/common v0.0.0-20181113130724-41aa239b4cce/go.mod h1:daVV7qP5qjZbuso7PdcryaAu0sAZbrN9i7WWcTMWvro= github.com/prometheus/common v0.4.0/go.mod h1:TNfzLD0ON7rHzMJeJkieUDPYmFC7Snx/y86RQel1bk4= github.com/prometheus/procfs v0.0.0-20181005140218-185b4288413d/go.mod h1:c3At6R/oaqEKCNdg8wHV1ftS6bRYblBhIjjI8uT2IGk= github.com/prometheus/procfs v0.0.0-20190507164030-5867b95ac084/go.mod h1:TjEm7ze935MbeOT/UhFTIMYKhuLP4wbCsTZCD3I8kEA= github.com/prometheus/tsdb v0.7.1/go.mod h1:qhTCs0VvXwvX/y3TZrWD7rabWM+ijKTux40TwIPHuXU= github.com/rogpeppe/fastuuid v0.0.0-20150106093220-6724a57986af/go.mod h1:XWv6SoW27p1b0cqNHllgS5HIMJraePCO15w5zCzIWYg= github.com/rogpeppe/go-internal v1.3.0/go.mod h1:M8bDsm7K2OlrFYOpmOWEs/qY81heoFRclV5y23lUDJ4= github.com/rogpeppe/go-internal v1.6.2 h1:aIihoIOHCiLZHxyoNQ+ABL4NKhFTgKLBdMLyEAh98m0= github.com/rogpeppe/go-internal v1.6.2/go.mod h1:xXDCJY+GAPziupqXw64V24skbSoqbTEfhy4qGm1nDQc= github.com/russross/blackfriday v1.5.3-0.20200218234912-41c5fccfd6f6 h1:tlXG832s5pa9x9Gs3Rp2rTvEqjiDEuETUOSfBEiTcns= github.com/russross/blackfriday v1.5.3-0.20200218234912-41c5fccfd6f6/go.mod h1:JO/DiYxRf+HjHt06OyowR9PTA263kcR/rfWxYHBV53g= github.com/russross/blackfriday/v2 v2.0.1 h1:lPqVAte+HuHNfhJ/0LC98ESWRz8afy9tM/0RK8m9o+Q= github.com/russross/blackfriday/v2 v2.0.1/go.mod h1:+Rmxgy9KzJVeS9/2gXHxylqXiyQDYRxCVz55jmeOWTM= github.com/rwcarlsen/goexif v0.0.0-20190401172101-9e8deecbddbd h1:CmH9+J6ZSsIjUK3dcGsnCnO41eRBOnY12zwkn5qVwgc= github.com/rwcarlsen/goexif v0.0.0-20190401172101-9e8deecbddbd/go.mod h1:hPqNNc0+uJM6H+SuU8sEs5K5IQeKccPqeSjfgcKGgPk= github.com/ryanuber/columnize v0.0.0-20160712163229-9b3edd62028f/go.mod h1:sm1tb6uqfes/u+d4ooFouqFdy9/2g9QGwK3SQygK0Ts= github.com/sanity-io/litter v1.3.0 h1:5ZO+weUsqdSWMUng5JnpkW/Oz8iTXiIdeumhQr1sSjs= github.com/sanity-io/litter v1.3.0/go.mod h1:5Z71SvaYy5kcGtyglXOC9rrUi3c1E8CamFWjQsazTh0= github.com/sean-/seed v0.0.0-20170313163322-e2103e2c3529/go.mod h1:DxrIzT+xaE7yg65j358z/aeFdxmN0P9QXhEzd20vsDc= github.com/sergi/go-diff v1.0.0 h1:Kpca3qRNrduNnOQeazBd0ysaKrUJiIuISHxogkT9RPQ= github.com/sergi/go-diff v1.0.0/go.mod h1:0CfEIISq7TuYL3j771MWULgwwjU+GofnZX9QAmXWZgo= github.com/shogo82148/go-shuffle v0.0.0-20180218125048-27e6095f230d/go.mod h1:2htx6lmL0NGLHlO8ZCf+lQBGBHIbEujyywxJArf+2Yc= github.com/shurcooL/sanitized_anchor_name v1.0.0 h1:PdmoCO6wvbs+7yrJyMORt4/BmY5IYyJwS/kOiWx8mHo= github.com/shurcooL/sanitized_anchor_name v1.0.0/go.mod h1:1NzhyTcUVG4SuEtjjoZeVRXNmyL/1OwPU0+IJeTBvfc= github.com/sirupsen/logrus v1.2.0/go.mod h1:LxeOpSwHxABJmUn/MG1IvRgCAasNZTLOkJPxbbu5VWo= github.com/smartystreets/assertions v0.0.0-20180927180507-b2de0cb4f26d h1:zE9ykElWQ6/NYmHa3jpm/yHnI4xSofP+UP6SpjHcSeM= github.com/smartystreets/assertions v0.0.0-20180927180507-b2de0cb4f26d/go.mod h1:OnSkiWE9lh6wB0YB77sQom3nweQdgAjqCqsofrRNTgc= github.com/smartystreets/goconvey v1.6.4 h1:fv0U8FUIMPNf1L9lnHLvLhgicrIVChEkdzIKYqbNC9s= github.com/smartystreets/goconvey v1.6.4/go.mod h1:syvi0/a8iFYH4r/RixwvyeAJjdLS9QV7WQ/tjFTllLA= github.com/soheilhy/cmux v0.1.4/go.mod h1:IM3LyeVVIOuxMH7sFAkER9+bJ4dT7Ms6E4xg4kGIyLM= github.com/spaolacci/murmur3 v0.0.0-20180118202830-f09979ecbc72/go.mod h1:JwIasOWyU6f++ZhiEuf87xNszmSA2myDM2Kzu9HwQUA= github.com/spf13/afero v1.1.2/go.mod h1:j4pytiNVoe2o6bmDsKpLACNPDBIoEAkihy7loJ1B0CQ= github.com/spf13/afero v1.4.1 h1:asw9sl74539yqavKaglDM5hFpdJVK0Y5Dr/JOgQ89nQ= github.com/spf13/afero v1.4.1/go.mod h1:Ai8FlHk4v/PARR026UzYexafAt9roJ7LcLMAmO6Z93I= github.com/spf13/cast v1.3.0/go.mod h1:Qx5cxh0v+4UWYiBimWS+eyWzqEqokIECu5etghLkUJE= github.com/spf13/cast v1.3.1 h1:nFm6S0SMdyzrzcmThSipiEubIDy8WEXKNZ0UOgiRpng= github.com/spf13/cast v1.3.1/go.mod h1:Qx5cxh0v+4UWYiBimWS+eyWzqEqokIECu5etghLkUJE= github.com/spf13/cobra v1.1.1 h1:KfztREH0tPxJJ+geloSLaAkaPkr4ki2Er5quFV1TDo4= github.com/spf13/cobra v1.1.1/go.mod h1:WnodtKOvamDL/PwE2M4iKs8aMDBZ5Q5klgD3qfVJQMI= github.com/spf13/fsync v0.9.0 h1:f9CEt3DOB2mnHxZaftmEOFWjABEvKM/xpf3cUwJrGOY= github.com/spf13/fsync v0.9.0/go.mod h1:fNtJEfG3HiltN3y4cPOz6MLjos9+2pIEqLIgszqhp/0= github.com/spf13/jwalterweatherman v1.0.0/go.mod h1:cQK4TGJAtQXfYWX+Ddv3mKDzgVb68N+wFjFa4jdeBTo= github.com/spf13/jwalterweatherman v1.1.0 h1:ue6voC5bR5F8YxI5S67j9i582FU4Qvo2bmqnqMYADFk= github.com/spf13/jwalterweatherman v1.1.0/go.mod h1:aNWZUN0dPAAO/Ljvb5BEdw96iTZ0EXowPYD95IqWIGo= github.com/spf13/pflag v1.0.3/go.mod h1:DYY7MBk1bdzusC3SYhjObp+wFpr4gzcvqqNjLnInEg4= github.com/spf13/pflag v1.0.5 h1:iy+VFUOCP1a+8yFto/drg2CJ5u0yRoB7fZw3DKv/JXA= github.com/spf13/pflag v1.0.5/go.mod h1:McXfInJRrz4CZXVZOBLb0bTZqETkiAhM9Iw0y3An2Bg= github.com/spf13/viper v1.7.0/go.mod h1:8WkrPz2fc9jxqZNCJI/76HCieCp4Q8HaLFoCha5qpdg= github.com/spf13/viper v1.7.1 h1:pM5oEahlgWv/WnHXpgbKz7iLIxRf65tye2Ci+XFK5sk= github.com/spf13/viper v1.7.1/go.mod h1:8WkrPz2fc9jxqZNCJI/76HCieCp4Q8HaLFoCha5qpdg= github.com/stretchr/objx v0.1.0/go.mod h1:HFkY916IF+rwdDfMAkV7OtwuqBVzrE8GR6GFx+wExME= github.com/stretchr/objx v0.1.1/go.mod h1:HFkY916IF+rwdDfMAkV7OtwuqBVzrE8GR6GFx+wExME= github.com/stretchr/objx v0.2.0/go.mod h1:qt09Ya8vawLte6SNmTgCsAVtYtaKzEcn8ATUoHMkEqE= github.com/stretchr/testify v0.0.0-20161117074351-18a02ba4a312/go.mod h1:a8OnRcib4nhh0OaRAV+Yts87kKdq0PP7pXfy6kDkUVs= github.com/stretchr/testify v1.2.2/go.mod h1:a8OnRcib4nhh0OaRAV+Yts87kKdq0PP7pXfy6kDkUVs= github.com/stretchr/testify v1.3.0/go.mod h1:M5WIy9Dh21IEIfnGCwXGc5bZfKNJtfHm1UVUgZn+9EI= github.com/stretchr/testify v1.4.0/go.mod h1:j7eGeouHqKxXV5pUuKE4zz7dFj8WfuZ+81PSLYec5m4= github.com/stretchr/testify v1.5.1/go.mod h1:5W2xD1RspED5o8YsWQXVCued0rvSQ+mT+I5cxcmMvtA= github.com/stretchr/testify v1.6.1 h1:hDPOHmpOpP40lSULcqw7IrRb/u7w6RpDC9399XyoNd0= github.com/stretchr/testify v1.6.1/go.mod h1:6Fq8oRcR53rry900zMqJjRRixrwX3KX962/h/Wwjteg= github.com/subosito/gotenv v1.2.0 h1:Slr1R9HxAlEKefgq5jn9U+DnETlIUa6HfgEzj0g5d7s= github.com/subosito/gotenv v1.2.0/go.mod h1:N0PQaV/YGNqwC0u51sEeR/aUtSLEXKX9iv69rRypqCw= github.com/tdewolff/minify/v2 v2.6.2 h1:Jaod6aSABWmhftvnxvXogxcEoQt6yogfFeZgIQEMPOw= github.com/tdewolff/minify/v2 v2.6.2/go.mod h1:BkDSm8aMMT0ALGmpt7j3Ra7nLUgZL0qhyrAHXwxcy5w= github.com/tdewolff/parse/v2 v2.4.2 h1:Bu2Qv6wepkc+Ou7iB/qHjAhEImlAP5vedzlQRUdj3BI= github.com/tdewolff/parse/v2 v2.4.2/go.mod h1:WzaJpRSbwq++EIQHYIRTpbYKNA3gn9it1Ik++q4zyho= github.com/tdewolff/test v1.0.6 h1:76mzYJQ83Op284kMT+63iCNCI7NEERsIN8dLM+RiKr4= github.com/tdewolff/test v1.0.6/go.mod h1:6DAvZliBAAnD7rhVgwaM7DE5/d9NMOAJ09SqYqeK4QE= github.com/tmc/grpc-websocket-proxy v0.0.0-20190109142713-0ad062ec5ee5/go.mod h1:ncp9v5uamzpCO7NfCPTXjqaC+bZgJeR0sMTm6dMHP7U= github.com/urfave/cli v1.22.4/go.mod h1:Gos4lmkARVdJ6EkW0WaNv/tZAAMe9V7XWyB60NtXRu0= github.com/valyala/bytebufferpool v1.0.0/go.mod h1:6bBcMArwyJ5K/AmCkWv1jt77kVWyCJ6HpOuEn7z0Csc= github.com/valyala/fasttemplate v1.0.1/go.mod h1:UQGH1tvbgY+Nz5t2n7tXsz52dQxojPUpymEIMZ47gx8= github.com/xiang90/probing v0.0.0-20190116061207-43a291ad63a2/go.mod h1:UETIi67q53MR2AWcXfiuqkDkRtnGDLqkBTpCHuJHxtU= github.com/yuin/goldmark v1.1.22/go.mod h1:3hX8gzYuyVAZsxl0MRgGTJEmQBFcNTphYh9decYSb74= github.com/yuin/goldmark v1.1.25/go.mod h1:3hX8gzYuyVAZsxl0MRgGTJEmQBFcNTphYh9decYSb74= github.com/yuin/goldmark v1.1.27/go.mod h1:3hX8gzYuyVAZsxl0MRgGTJEmQBFcNTphYh9decYSb74= github.com/yuin/goldmark v1.2.1 h1:ruQGxdhGHe7FWOJPT0mKs5+pD2Xs1Bm/kdGlHO04FmM= github.com/yuin/goldmark v1.2.1/go.mod h1:3hX8gzYuyVAZsxl0MRgGTJEmQBFcNTphYh9decYSb74= github.com/yuin/goldmark-highlighting v0.0.0-20200307114337-60d527fdb691 h1:VWSxtAiQNh3zgHJpdpkpVYjTPqRE3P6UZCOPa1nRDio= github.com/yuin/goldmark-highlighting v0.0.0-20200307114337-60d527fdb691/go.mod h1:YLF3kDffRfUH/bTxOxHhV6lxwIB3Vfj91rEwNMS9MXo= go.etcd.io/bbolt v1.3.2/go.mod h1:IbVyRI1SCnLcuJnV2u8VeU0CEYM7e686BmAb1XKL+uU= go.opencensus.io v0.15.0/go.mod h1:UffZAU+4sDEINUGP/B7UfBBkq4fqLu9zXAX7ke6CHW0= go.opencensus.io v0.21.0/go.mod h1:mSImk1erAIZhrmZN+AvHh14ztQfjbGwt4TtuofqLduU= go.opencensus.io v0.22.0/go.mod h1:+kGneAE2xo2IficOXnaByMWTGM9T73dGwxeWcUqIpI8= go.opencensus.io v0.22.2/go.mod h1:yxeiOL68Rb0Xd1ddK5vPZ/oVn4vY4Ynel7k9FzqtOIw= go.opencensus.io v0.22.3 h1:8sGtKOrtQqkN1bp2AtX+misvLIlOmsEsNd+9NIcPEm8= go.opencensus.io v0.22.3/go.mod h1:yxeiOL68Rb0Xd1ddK5vPZ/oVn4vY4Ynel7k9FzqtOIw= go.uber.org/atomic v1.4.0/go.mod h1:gD2HeocX3+yG+ygLZcrzQJaqmWj9AIm7n08wl/qW/PE= go.uber.org/multierr v1.1.0/go.mod h1:wR5kodmAFQ0UK8QlbwjlSNy0Z68gJhDJUG5sjR94q/0= go.uber.org/zap v1.10.0/go.mod h1:vwi/ZaCAaUcBkycHslxD9B2zi4UTXhF60s6SWpuDF0Q= gocloud.dev v0.20.0 h1:mbEKMfnyPV7W1Rj35R1xXfjszs9dXkwSOq2KoFr25g8= gocloud.dev v0.20.0/go.mod h1:+Y/RpSXrJthIOM8uFNzWp6MRu9pFPNFEEZrQMxpkfIc= golang.org/x/crypto v0.0.0-20180904163835-0709b304e793/go.mod h1:6SG95UA2DQfeDnfUPMdvaQW0Q7yPrPDi9nlGo2tz2b4= golang.org/x/crypto v0.0.0-20181029021203-45a5f77698d3/go.mod h1:6SG95UA2DQfeDnfUPMdvaQW0Q7yPrPDi9nlGo2tz2b4= golang.org/x/crypto v0.0.0-20190308221718-c2843e01d9a2/go.mod h1:djNgcEr1/C05ACkg1iLfiJU5Ep61QUkGW8qpdssI0+w= golang.org/x/crypto v0.0.0-20190510104115-cbcb75029529/go.mod h1:yigFU9vqHzYiE8UmvKecakEJjdnWj3jj499lnFckfCI= golang.org/x/crypto v0.0.0-20190605123033-f99c8df09eb5/go.mod h1:yigFU9vqHzYiE8UmvKecakEJjdnWj3jj499lnFckfCI= golang.org/x/crypto v0.0.0-20190820162420-60c769a6c586/go.mod h1:yigFU9vqHzYiE8UmvKecakEJjdnWj3jj499lnFckfCI= golang.org/x/crypto v0.0.0-20191011191535-87dc89f01550/go.mod h1:yigFU9vqHzYiE8UmvKecakEJjdnWj3jj499lnFckfCI= golang.org/x/crypto v0.0.0-20191206172530-e9b2fee46413 h1:ULYEB3JvPRE/IfO+9uO7vKV/xzVTO7XPAwm8xbf4w2g= golang.org/x/crypto v0.0.0-20191206172530-e9b2fee46413/go.mod h1:LzIPMQfyMNhhGPhUkYOs5KpL4U8rLKemX1yGLhDgUto= golang.org/x/exp v0.0.0-20190121172915-509febef88a4/go.mod h1:CJ0aWSM057203Lf6IL+f9T1iT9GByDxfZKAQTCR3kQA= golang.org/x/exp v0.0.0-20190306152737-a1d7652674e8/go.mod h1:CJ0aWSM057203Lf6IL+f9T1iT9GByDxfZKAQTCR3kQA= golang.org/x/exp v0.0.0-20190510132918-efd6b22b2522/go.mod h1:ZjyILWgesfNpC6sMxTJOJm9Kp84zZh5NQWvqDGG3Qr8= golang.org/x/exp v0.0.0-20190829153037-c13cbed26979/go.mod h1:86+5VVa7VpoJ4kLfm080zCjGlMRFzhUhsZKEZO7MGek= golang.org/x/exp v0.0.0-20191030013958-a1ab85dbe136/go.mod h1:JXzH8nQsPlswgeRAPE3MuO9GYsAcnJvJ4vnMwN/5qkY= golang.org/x/exp v0.0.0-20191129062945-2f5052295587/go.mod h1:2RIsYlXP63K8oxa1u096TMicItID8zy7Y6sNkU49FU4= golang.org/x/exp v0.0.0-20191227195350-da58074b4299/go.mod h1:2RIsYlXP63K8oxa1u096TMicItID8zy7Y6sNkU49FU4= golang.org/x/exp v0.0.0-20200119233911-0405dc783f0a/go.mod h1:2RIsYlXP63K8oxa1u096TMicItID8zy7Y6sNkU49FU4= golang.org/x/exp v0.0.0-20200207192155-f17229e696bd/go.mod h1:J/WKrq2StrnmMY6+EHIKF9dgMWnmCNThgcyBT1FY9mM= golang.org/x/exp v0.0.0-20200224162631-6cc2880d07d6/go.mod h1:3jZMyOhIsHpP37uCMkUooju7aAi5cS1Q23tOzKc+0MU= golang.org/x/image v0.0.0-20190227222117-0694c2d4d067/go.mod h1:kZ7UVZpmo3dzQBMxlp+ypCbDeSB+sBbTgSJuh5dn5js= golang.org/x/image v0.0.0-20190802002840-cff245a6509b/go.mod h1:FeLwcggjj3mMvU+oOTbSwawSJRM1uh48EjtB4UJZlP0= golang.org/x/image v0.0.0-20191214001246-9130b4cfad52 h1:2fktqPPvDiVEEVT/vSTeoUPXfmRxRaGy6GU8jypvEn0= golang.org/x/image v0.0.0-20191214001246-9130b4cfad52/go.mod h1:FeLwcggjj3mMvU+oOTbSwawSJRM1uh48EjtB4UJZlP0= golang.org/x/lint v0.0.0-20181026193005-c67002cb31c3/go.mod h1:UVdnD1Gm6xHRNCYTkRU2/jEulfH38KcIWyp/GAMgvoE= golang.org/x/lint v0.0.0-20190227174305-5b3e6a55c961/go.mod h1:wehouNa3lNwaWXcvxsM5YxQ5yQlVC4a0KAMCusXpPoU= golang.org/x/lint v0.0.0-20190301231843-5614ed5bae6f/go.mod h1:UVdnD1Gm6xHRNCYTkRU2/jEulfH38KcIWyp/GAMgvoE= golang.org/x/lint v0.0.0-20190313153728-d0100b6bd8b3/go.mod h1:6SW0HCj/g11FgYtHlgUYUwCkIfeOF89ocIRzGO/8vkc= golang.org/x/lint v0.0.0-20190409202823-959b441ac422/go.mod h1:6SW0HCj/g11FgYtHlgUYUwCkIfeOF89ocIRzGO/8vkc= golang.org/x/lint v0.0.0-20190909230951-414d861bb4ac/go.mod h1:6SW0HCj/g11FgYtHlgUYUwCkIfeOF89ocIRzGO/8vkc= golang.org/x/lint v0.0.0-20190930215403-16217165b5de/go.mod h1:6SW0HCj/g11FgYtHlgUYUwCkIfeOF89ocIRzGO/8vkc= golang.org/x/lint v0.0.0-20191125180803-fdd1cda4f05f/go.mod h1:5qLYkcX4OjUUV8bRuDixDT3tpyyb+LUpUlRWLxfhWrs= golang.org/x/lint v0.0.0-20200130185559-910be7a94367/go.mod h1:3xt1FjdF8hUf6vQPIChWIBhFzV8gjjsPE/fR3IyQdNY= golang.org/x/lint v0.0.0-20200302205851-738671d3881b h1:Wh+f8QHJXR411sJR8/vRBTZ7YapZaRvUcLFFJhusH0k= golang.org/x/lint v0.0.0-20200302205851-738671d3881b/go.mod h1:3xt1FjdF8hUf6vQPIChWIBhFzV8gjjsPE/fR3IyQdNY= golang.org/x/mobile v0.0.0-20190312151609-d3739f865fa6/go.mod h1:z+o9i4GpDbdi3rU15maQ/Ox0txvL9dWGYEHz965HBQE= golang.org/x/mobile v0.0.0-20190719004257-d2bd2a29d028/go.mod h1:E/iHnbuqvinMTCcRqshq8CkpyQDoeVncDDYHnLhea+o= golang.org/x/mod v0.0.0-20190513183733-4bf6d317e70e/go.mod h1:mXi4GBBbnImb6dmsKGUJ2LatrhH/nqhxcFungHvyanc= golang.org/x/mod v0.1.0/go.mod h1:0QHyrYULN0/3qlju5TqG8bIK38QM8yzMo5ekMj3DlcY= golang.org/x/mod v0.1.1-0.20191105210325-c90efee705ee/go.mod h1:QqPTAvyqsEbceGzBzNggFXnrqF1CaUcvgkdR5Ot7KZg= golang.org/x/mod v0.1.1-0.20191107180719-034126e5016b/go.mod h1:QqPTAvyqsEbceGzBzNggFXnrqF1CaUcvgkdR5Ot7KZg= golang.org/x/mod v0.2.0/go.mod h1:s0Qsj1ACt9ePp/hMypM3fl4fZqREWJwdYDEqhRiZZUA= golang.org/x/mod v0.3.0 h1:RM4zey1++hCTbCVQfnWeKs9/IEsaBLA8vTkd0WVtmH4= golang.org/x/mod v0.3.0/go.mod h1:s0Qsj1ACt9ePp/hMypM3fl4fZqREWJwdYDEqhRiZZUA= golang.org/x/net v0.0.0-20180724234803-3673e40ba225/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20180826012351-8a410e7b638d/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20181023162649-9b4f9f5ad519/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20181114220301-adae6a3d119a/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20181201002055-351d144fa1fc/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20181220203305-927f97764cc3/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20190108225652-1e06a53dbb7e/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20190213061140-3a22650c66bd/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20190311183353-d8887717615a/go.mod h1:t9HGtf8HONx5eT2rtn7q6eTqICYqUVnKs3thJo3Qplg= golang.org/x/net v0.0.0-20190404232315-eb5bcb51f2a3/go.mod h1:t9HGtf8HONx5eT2rtn7q6eTqICYqUVnKs3thJo3Qplg= golang.org/x/net v0.0.0-20190501004415-9ce7a6920f09/go.mod h1:t9HGtf8HONx5eT2rtn7q6eTqICYqUVnKs3thJo3Qplg= golang.org/x/net v0.0.0-20190503192946-f4e77d36d62c/go.mod h1:t9HGtf8HONx5eT2rtn7q6eTqICYqUVnKs3thJo3Qplg= golang.org/x/net v0.0.0-20190603091049-60506f45cf65/go.mod h1:HSz+uSET+XFnRR8LxR5pz3Of3rY3CfYBVs4xY44aLks= golang.org/x/net v0.0.0-20190619014844-b5b0513f8c1b/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20190620200207-3b0461eec859/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20190724013045-ca1201d0de80/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20190813141303-74dc4d7220e7/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20191112182307-2180aed22343/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20191209160850-c0dbc17a3553/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20200114155413-6afb5195e5aa/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20200202094626-16171245cfb2/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20200222125558-5a598a2470a0/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20200226121028-0de0cce0169b/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20200301022130-244492dfa37a/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20200324143707-d3edc9973b7e/go.mod h1:qpuaurCH72eLCgpAm/N6yyVIVM9cpaDIP3A8BGJEC5A= golang.org/x/net v0.0.0-20200501053045-e0ff5e5a1de5/go.mod h1:qpuaurCH72eLCgpAm/N6yyVIVM9cpaDIP3A8BGJEC5A= golang.org/x/net v0.0.0-20200506145744-7e3656a0809f/go.mod h1:qpuaurCH72eLCgpAm/N6yyVIVM9cpaDIP3A8BGJEC5A= golang.org/x/net v0.0.0-20200513185701-a91f0712d120/go.mod h1:qpuaurCH72eLCgpAm/N6yyVIVM9cpaDIP3A8BGJEC5A= golang.org/x/net v0.0.0-20200520182314-0ba52f642ac2/go.mod h1:qpuaurCH72eLCgpAm/N6yyVIVM9cpaDIP3A8BGJEC5A= golang.org/x/net v0.0.0-20200602114024-627f9648deb9 h1:pNX+40auqi2JqRfOP1akLGtYcn15TUbkhwuCO3foqqM= golang.org/x/net v0.0.0-20200602114024-627f9648deb9/go.mod h1:qpuaurCH72eLCgpAm/N6yyVIVM9cpaDIP3A8BGJEC5A= golang.org/x/oauth2 v0.0.0-20180821212333-d2e6202438be/go.mod h1:N/0e6XlmueqKjAGxoOufVs8QHGRruUQn6yWY3a++T0U= golang.org/x/oauth2 v0.0.0-20190226205417-e64efc72b421/go.mod h1:gOpvHmFTYa4IltrdGE7lF6nIHvwfUNPOp7c8zoXwtLw= golang.org/x/oauth2 v0.0.0-20190402181905-9f3314589c9a/go.mod h1:gOpvHmFTYa4IltrdGE7lF6nIHvwfUNPOp7c8zoXwtLw= golang.org/x/oauth2 v0.0.0-20190604053449-0f29369cfe45/go.mod h1:gOpvHmFTYa4IltrdGE7lF6nIHvwfUNPOp7c8zoXwtLw= golang.org/x/oauth2 v0.0.0-20191202225959-858c2ad4c8b6/go.mod h1:gOpvHmFTYa4IltrdGE7lF6nIHvwfUNPOp7c8zoXwtLw= golang.org/x/oauth2 v0.0.0-20200107190931-bf48bf16ab8d h1:TzXSXBo42m9gQenoE3b9BGiEpg5IG2JkU5FkPIawgtw= golang.org/x/oauth2 v0.0.0-20200107190931-bf48bf16ab8d/go.mod h1:gOpvHmFTYa4IltrdGE7lF6nIHvwfUNPOp7c8zoXwtLw= golang.org/x/sync v0.0.0-20180314180146-1d60e4601c6f/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20181108010431-42b317875d0f/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20181221193216-37e7f081c4d4/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20190227155943-e225da77a7e6/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20190423024810-112230192c58/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20190911185100-cd5d95a43a6e/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20200317015054-43a5402ce75a h1:WXEvlFVvvGxCJLG6REjsT03iWnKLEWinaScsxF2Vm2o= golang.org/x/sync v0.0.0-20200317015054-43a5402ce75a/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sys v0.0.0-20180823144017-11551d06cbcc/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20180830151530-49385e6e1522/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20180905080454-ebe1bf3edb33/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20181026203630-95b1ffbd15a5/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20181031143558-9b800f95dbbc/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20181107165924-66b7b1311ac8/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20181116152217-5ac8a444bdc5/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20181128092732-4ed8d59d0b35/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20190215142949-d0b11bdaac8a/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20190312061237-fead79001313/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20190412213103-97732733099d/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20190502145724-3ef323f4f1fd/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20190507160741-ecd444e8653b/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20190606165138-5da285871e9c/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20190624142023-c5567b49c5d0/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20190726091711-fc99dfbffb4e/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20191001151750-bb3f8db39f24/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20191005200804-aed5e4c7ecf9/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20191112214154-59a1497f0cea/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20191204072324-ce4227a45e2e/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20191228213918-04cbcbbfeed8/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200113162924-86b910548bc1/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200116001909-b77594299b42/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200122134326-e047566fdf82/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200202164722-d101bd2416d5/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200212091648-12a6c2dcc1e4/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200223170610-d5e6a3e2c0ae/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200302150141-5c8b2ff67527/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200317113312-5766fd39f98d/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200323222414-85ca7c5b95cd/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200331124033-c3d80250170d/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200413165638-669c56c373c4/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200501052902-10377860bb8e/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200501145240-bc7a7d42d5c3/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200511232937-7e40ca221e25/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200515095857-1151b9dac4a9/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200523222454-059865788121/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200602225109-6fdc65e7d980 h1:OjiUf46hAmXblsZdnoSXsEUSKU8r1UEzcL5RVZ4gO9Y= golang.org/x/sys v0.0.0-20200602225109-6fdc65e7d980/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/text v0.0.0-20170915032832-14c0d48ead0c/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ= golang.org/x/text v0.3.0/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ= golang.org/x/text v0.3.1-0.20180807135948-17ff2d5776d2/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ= golang.org/x/text v0.3.2/go.mod h1:bEr9sfX3Q8Zfm5fL9x+3itogRgK3+ptLWKqgva+5dAk= golang.org/x/text v0.3.3/go.mod h1:5Zoc/QRtKVWzQhOtBMvqHzDpF6irO9z98xDceosuGiQ= golang.org/x/text v0.3.4 h1:0YWbFKbhXG/wIiuHDSKpS0Iy7FSA+u45VtBMfQcFTTc= golang.org/x/text v0.3.4/go.mod h1:5Zoc/QRtKVWzQhOtBMvqHzDpF6irO9z98xDceosuGiQ= golang.org/x/time v0.0.0-20181108054448-85acf8d2951c/go.mod h1:tRJNPiyCQ0inRvYxbN9jk5I+vvW/OXSQhTDSoE431IQ= golang.org/x/time v0.0.0-20190308202827-9d24e82272b4/go.mod h1:tRJNPiyCQ0inRvYxbN9jk5I+vvW/OXSQhTDSoE431IQ= golang.org/x/time v0.0.0-20191024005414-555d28b269f0/go.mod h1:tRJNPiyCQ0inRvYxbN9jk5I+vvW/OXSQhTDSoE431IQ= golang.org/x/tools v0.0.0-20180221164845-07fd8470d635/go.mod h1:n7NCudcB/nEzxVGmLbDWY5pfWTLqBcC2KZ6jyYvM4mQ= golang.org/x/tools v0.0.0-20180917221912-90fa682c2a6e/go.mod h1:n7NCudcB/nEzxVGmLbDWY5pfWTLqBcC2KZ6jyYvM4mQ= golang.org/x/tools v0.0.0-20190114222345-bf090417da8b/go.mod h1:n7NCudcB/nEzxVGmLbDWY5pfWTLqBcC2KZ6jyYvM4mQ= golang.org/x/tools v0.0.0-20190226205152-f727befe758c/go.mod h1:9Yl7xja0Znq3iFh3HoIrodX9oNMXvdceNzlUR8zjMvY= golang.org/x/tools v0.0.0-20190311212946-11955173bddd/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= golang.org/x/tools v0.0.0-20190312151545-0bb0c0a6e846/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= golang.org/x/tools v0.0.0-20190312170243-e65039ee4138/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= golang.org/x/tools v0.0.0-20190328211700-ab21143f2384/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= golang.org/x/tools v0.0.0-20190422233926-fe54fb35175b/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= golang.org/x/tools v0.0.0-20190425150028-36563e24a262/go.mod h1:RgjU9mgBXZiqYHBnxXauZ1Gv1EHHAz9KjViQ78xBX0Q= golang.org/x/tools v0.0.0-20190506145303-2d16b83fe98c/go.mod h1:RgjU9mgBXZiqYHBnxXauZ1Gv1EHHAz9KjViQ78xBX0Q= golang.org/x/tools v0.0.0-20190524140312-2c0ae7006135/go.mod h1:RgjU9mgBXZiqYHBnxXauZ1Gv1EHHAz9KjViQ78xBX0Q= golang.org/x/tools v0.0.0-20190606124116-d0a3d012864b/go.mod h1:/rFqwRUd4F7ZHNgwSSTFct+R/Kf4OFW1sUzUTQQTgfc= golang.org/x/tools v0.0.0-20190621195816-6e04913cbbac/go.mod h1:/rFqwRUd4F7ZHNgwSSTFct+R/Kf4OFW1sUzUTQQTgfc= golang.org/x/tools v0.0.0-20190628153133-6cdbf07be9d0/go.mod h1:/rFqwRUd4F7ZHNgwSSTFct+R/Kf4OFW1sUzUTQQTgfc= golang.org/x/tools v0.0.0-20190816200558-6889da9d5479/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= golang.org/x/tools v0.0.0-20190911174233-4f2ddba30aff/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= golang.org/x/tools v0.0.0-20191012152004-8de300cfc20a/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= golang.org/x/tools v0.0.0-20191112195655-aa38f8e97acc/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= golang.org/x/tools v0.0.0-20191113191852-77e3bb0ad9e7/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= golang.org/x/tools v0.0.0-20191115202509-3a792d9c32b2/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= golang.org/x/tools v0.0.0-20191119224855-298f0cb1881e/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= golang.org/x/tools v0.0.0-20191125144606-a911d9008d1f/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= golang.org/x/tools v0.0.0-20191130070609-6e064ea0cf2d/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= golang.org/x/tools v0.0.0-20191216173652-a0e659d51361/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20191227053925-7b8e75db28f4/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20200117161641-43d50277825c/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20200122220014-bf1340f18c4a/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20200130002326-2f3ba24bd6e7/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20200204074204-1cc6d1ef6c74/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20200207183749-b753a1ba74fa/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20200212150539-ea181f53ac56/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20200224181240-023911ca70b2/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20200227222343-706bc42d1f0d/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20200304193943-95d2e580d8eb/go.mod h1:o4KQGtdN14AW+yjsvvwRTJJuXz8XRtIHtEnmAXLyFUw= golang.org/x/tools v0.0.0-20200312045724-11d5b4c81c7d/go.mod h1:o4KQGtdN14AW+yjsvvwRTJJuXz8XRtIHtEnmAXLyFUw= golang.org/x/tools v0.0.0-20200317043434-63da46f3035e/go.mod h1:Sl4aGygMT6LrqrWclx+PTx3U+LnKx/seiNR+3G19Ar8= golang.org/x/tools v0.0.0-20200325010219-a49f79bcc224/go.mod h1:Sl4aGygMT6LrqrWclx+PTx3U+LnKx/seiNR+3G19Ar8= golang.org/x/tools v0.0.0-20200331025713-a30bf2db82d4/go.mod h1:Sl4aGygMT6LrqrWclx+PTx3U+LnKx/seiNR+3G19Ar8= golang.org/x/tools v0.0.0-20200501065659-ab2804fb9c9d/go.mod h1:EkVYQZoAsY45+roYkvgYkIh4xh/qjgUK9TdY2XT94GE= golang.org/x/tools v0.0.0-20200512131952-2bc93b1c0c88/go.mod h1:EkVYQZoAsY45+roYkvgYkIh4xh/qjgUK9TdY2XT94GE= golang.org/x/tools v0.0.0-20200515010526-7d3b6ebf133d/go.mod h1:EkVYQZoAsY45+roYkvgYkIh4xh/qjgUK9TdY2XT94GE= golang.org/x/tools v0.0.0-20200601175630-2caf76543d99/go.mod h1:EkVYQZoAsY45+roYkvgYkIh4xh/qjgUK9TdY2XT94GE= golang.org/x/tools v0.0.0-20200606014950-c42cb6316fb6/go.mod h1:EkVYQZoAsY45+roYkvgYkIh4xh/qjgUK9TdY2XT94GE= golang.org/x/tools v0.0.0-20200608174601-1b747fd94509 h1:MI14dOfl3OG6Zd32w3ugsrvcUO810fDZdWakTq39dH4= golang.org/x/tools v0.0.0-20200608174601-1b747fd94509/go.mod h1:EkVYQZoAsY45+roYkvgYkIh4xh/qjgUK9TdY2XT94GE= golang.org/x/xerrors v0.0.0-20190717185122-a985d3407aa7/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0= golang.org/x/xerrors v0.0.0-20191011141410-1b5146add898/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0= golang.org/x/xerrors v0.0.0-20191204190536-9bdfabe68543 h1:E7g+9GITq07hpfrRu66IVDexMakfv52eLZ2CXBWiKr4= golang.org/x/xerrors v0.0.0-20191204190536-9bdfabe68543/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0= google.golang.org/api v0.4.0/go.mod h1:8k5glujaEP+g9n7WNsDg8QP6cUVNI86fCNMcbazEtwE= google.golang.org/api v0.5.0/go.mod h1:8k5glujaEP+g9n7WNsDg8QP6cUVNI86fCNMcbazEtwE= google.golang.org/api v0.7.0/go.mod h1:WtwebWUNSVBH/HAw79HIFXZNqEvBhG+Ra+ax0hx3E3M= google.golang.org/api v0.8.0/go.mod h1:o4eAsZoiT+ibD93RtjEohWalFOjRDx6CVaqeizhEnKg= google.golang.org/api v0.9.0/go.mod h1:o4eAsZoiT+ibD93RtjEohWalFOjRDx6CVaqeizhEnKg= google.golang.org/api v0.13.0/go.mod h1:iLdEw5Ide6rF15KTC1Kkl0iskquN2gFfn9o9XIsbkAI= google.golang.org/api v0.14.0/go.mod h1:iLdEw5Ide6rF15KTC1Kkl0iskquN2gFfn9o9XIsbkAI= google.golang.org/api v0.15.0/go.mod h1:iLdEw5Ide6rF15KTC1Kkl0iskquN2gFfn9o9XIsbkAI= google.golang.org/api v0.17.0/go.mod h1:BwFmGc8tA3vsd7r/7kR8DY7iEEGSU04BFxCo5jP/sfE= google.golang.org/api v0.18.0/go.mod h1:BwFmGc8tA3vsd7r/7kR8DY7iEEGSU04BFxCo5jP/sfE= google.golang.org/api v0.19.0/go.mod h1:BwFmGc8tA3vsd7r/7kR8DY7iEEGSU04BFxCo5jP/sfE= google.golang.org/api v0.20.0/go.mod h1:BwFmGc8tA3vsd7r/7kR8DY7iEEGSU04BFxCo5jP/sfE= google.golang.org/api v0.22.0/go.mod h1:BwFmGc8tA3vsd7r/7kR8DY7iEEGSU04BFxCo5jP/sfE= google.golang.org/api v0.24.0/go.mod h1:lIXQywCXRcnZPGlsd8NbLnOjtAoL6em04bJ9+z0MncE= google.golang.org/api v0.26.0 h1:VJZ8h6E8ip82FRpQl848c5vAadxlTXrUh8RzQzSRm08= google.golang.org/api v0.26.0/go.mod h1:lIXQywCXRcnZPGlsd8NbLnOjtAoL6em04bJ9+z0MncE= google.golang.org/appengine v1.1.0/go.mod h1:EbEs0AVv82hx2wNQdGPgUI5lhzA/G0D9YwlJXL52JkM= google.golang.org/appengine v1.4.0/go.mod h1:xpcJRLb0r/rnEns0DIKYYv+WjYCduHsrkT7/EB5XEv4= google.golang.org/appengine v1.5.0/go.mod h1:xpcJRLb0r/rnEns0DIKYYv+WjYCduHsrkT7/EB5XEv4= google.golang.org/appengine v1.6.1/go.mod h1:i06prIuMbXzDqacNJfV5OdTW448YApPu5ww/cMBSeb0= google.golang.org/appengine v1.6.5/go.mod h1:8WjMMxjGQR8xUklV/ARdw2HLXBOI7O7uCIDZVag1xfc= google.golang.org/appengine v1.6.6 h1:lMO5rYAqUxkmaj76jAkRUvt5JZgFymx/+Q5Mzfivuhc= google.golang.org/appengine v1.6.6/go.mod h1:8WjMMxjGQR8xUklV/ARdw2HLXBOI7O7uCIDZVag1xfc= google.golang.org/genproto v0.0.0-20180817151627-c66870c02cf8/go.mod h1:JiN7NxoALGmiZfu7CAH4rXhgtRTLTxftemlI0sWmxmc= google.golang.org/genproto v0.0.0-20190307195333-5fe7a883aa19/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= google.golang.org/genproto v0.0.0-20190418145605-e7d98fc518a7/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= google.golang.org/genproto v0.0.0-20190425155659-357c62f0e4bb/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= google.golang.org/genproto v0.0.0-20190502173448-54afdca5d873/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= google.golang.org/genproto v0.0.0-20190508193815-b515fa19cec8/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= google.golang.org/genproto v0.0.0-20190530194941-fb225487d101/go.mod h1:z3L6/3dTEVtUr6QSP8miRzeRqwQOioJ9I66odjN4I7s= google.golang.org/genproto v0.0.0-20190801165951-fa694d86fc64/go.mod h1:DMBHOl98Agz4BDEuKkezgsaosCRResVns1a3J2ZsMNc= google.golang.org/genproto v0.0.0-20190819201941-24fa4b261c55/go.mod h1:DMBHOl98Agz4BDEuKkezgsaosCRResVns1a3J2ZsMNc= google.golang.org/genproto v0.0.0-20190911173649-1774047e7e51/go.mod h1:IbNlFCBrqXvoKpeg0TB2l7cyZUmoaFKYIwrEpbDKLA8= google.golang.org/genproto v0.0.0-20191108220845-16a3f7862a1a/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= google.golang.org/genproto v0.0.0-20191115194625-c23dd37a84c9/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= google.golang.org/genproto v0.0.0-20191216164720-4f79533eabd1/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= google.golang.org/genproto v0.0.0-20191230161307-f3c370f40bfb/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= google.golang.org/genproto v0.0.0-20200115191322-ca5a22157cba/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= google.golang.org/genproto v0.0.0-20200122232147-0452cf42e150/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= google.golang.org/genproto v0.0.0-20200204135345-fa8e72b47b90/go.mod h1:GmwEX6Z4W5gMy59cAlVYjN9JhxgbQH6Gn+gFDQe2lzA= google.golang.org/genproto v0.0.0-20200212174721-66ed5ce911ce/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200224152610-e50cd9704f63/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200228133532-8c2c7df3a383/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200305110556-506484158171/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200312145019-da6875a35672/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200317114155-1f3552e48f24/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200325114520-5b2d0af7952b/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200331122359-1ee6d9798940/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200430143042-b979b6f78d84/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200511104702-f5ebc3bea380/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200515170657-fc4c6c6a6587/go.mod h1:YsZOwe1myG/8QRHRsmBRE1LrgQY60beZKjly0O1fX9U= google.golang.org/genproto v0.0.0-20200526211855-cb27e3aa2013/go.mod h1:NbSheEEYHJ7i3ixzK3sjbqSGDJWnxyFXZblF3eUsNvo= google.golang.org/genproto v0.0.0-20200603110839-e855014d5736/go.mod h1:jDfRM7FcilCzHH/e9qn6dsT145K34l5v+OpcnNgKAAA= google.golang.org/genproto v0.0.0-20200608115520-7c474a2e3482 h1:i+Aiej6cta/Frzp13/swvwz5O00kYcSe0A/C5Wd7zX8= google.golang.org/genproto v0.0.0-20200608115520-7c474a2e3482/go.mod h1:jDfRM7FcilCzHH/e9qn6dsT145K34l5v+OpcnNgKAAA= google.golang.org/grpc v1.19.0/go.mod h1:mqu4LbDTu4XGKhr4mRzUsmM4RtVoemTSY81AxZiDr8c= google.golang.org/grpc v1.20.1/go.mod h1:10oTOabMzJvdu6/UiuZezV6QK5dSlG84ov/aaiqXj38= google.golang.org/grpc v1.21.0/go.mod h1:oYelfM1adQP15Ek0mdvEgi9Df8B9CZIaU1084ijfRaM= google.golang.org/grpc v1.21.1/go.mod h1:oYelfM1adQP15Ek0mdvEgi9Df8B9CZIaU1084ijfRaM= google.golang.org/grpc v1.23.0/go.mod h1:Y5yQAOtifL1yxbo5wqy6BxZv8vAUGQwXBOALyacEbxg= google.golang.org/grpc v1.25.1/go.mod h1:c3i+UQWmh7LiEpx4sFZnkU36qjEYZ0imhYfXVyQciAY= google.golang.org/grpc v1.26.0/go.mod h1:qbnxyOmOxrQa7FizSgH+ReBfzJrCY1pSN7KXBS8abTk= google.golang.org/grpc v1.27.0/go.mod h1:qbnxyOmOxrQa7FizSgH+ReBfzJrCY1pSN7KXBS8abTk= google.golang.org/grpc v1.27.1/go.mod h1:qbnxyOmOxrQa7FizSgH+ReBfzJrCY1pSN7KXBS8abTk= google.golang.org/grpc v1.28.0/go.mod h1:rpkK4SK4GF4Ach/+MFLZUBavHOvF2JJB5uozKKal+60= google.golang.org/grpc v1.29.1 h1:EC2SB8S04d2r73uptxphDSUG+kTKVgjRPF+N3xpxRB4= google.golang.org/grpc v1.29.1/go.mod h1:itym6AZVZYACWQqET3MqgPpjcuV5QH3BxFS3IjizoKk= google.golang.org/protobuf v0.0.0-20200109180630-ec00e32a8dfd/go.mod h1:DFci5gLYBciE7Vtevhsrf46CRTquxDuWsQurQQe4oz8= google.golang.org/protobuf v0.0.0-20200221191635-4d8936d0db64/go.mod h1:kwYJMbMJ01Woi6D6+Kah6886xMZcty6N08ah7+eCXa0= google.golang.org/protobuf v0.0.0-20200228230310-ab0ca4ff8a60/go.mod h1:cfTl7dwQJ+fmap5saPgwCLgHXTUD7jkjRqWcaiX5VyM= google.golang.org/protobuf v1.20.1-0.20200309200217-e05f789c0967/go.mod h1:A+miEFZTKqfCUM6K7xSMQL9OKL/b6hQv+e19PK+JZNE= google.golang.org/protobuf v1.21.0/go.mod h1:47Nbq4nVaFHyn7ilMalzfO3qCViNmqZ2kzikPIcrTAo= google.golang.org/protobuf v1.22.0/go.mod h1:EGpADcykh3NcUnDUJcl1+ZksZNG86OlYog2l/sGQquU= google.golang.org/protobuf v1.23.0/go.mod h1:EGpADcykh3NcUnDUJcl1+ZksZNG86OlYog2l/sGQquU= google.golang.org/protobuf v1.23.1-0.20200526195155-81db48ad09cc/go.mod h1:EGpADcykh3NcUnDUJcl1+ZksZNG86OlYog2l/sGQquU= google.golang.org/protobuf v1.24.0/go.mod h1:r/3tXBNzIEhYS9I1OUVjXDlt8tc493IdKGjtUeSXeh4= google.golang.org/protobuf v1.25.0 h1:Ejskq+SyPohKW+1uil0JJMtmHCgJPJ/qWTxr8qp+R4c= google.golang.org/protobuf v1.25.0/go.mod h1:9JNX74DMeImyA3h4bdi1ymwjUzf21/xIlbajtzgsN7c= gopkg.in/alecthomas/kingpin.v2 v2.2.6/go.mod h1:FMv+mEhP44yOT+4EoQTLFTRgOQ1FBLkstjWtayDeSgw= gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= gopkg.in/check.v1 v1.0.0-20180628173108-788fd7840127/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= gopkg.in/check.v1 v1.0.0-20190902080502-41f04d3bba15 h1:YR8cESwS4TdDjEe65xsg0ogRM/Nc3DYOhEAlW+xobZo= gopkg.in/check.v1 v1.0.0-20190902080502-41f04d3bba15/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= gopkg.in/errgo.v2 v2.1.0/go.mod h1:hNsd1EY+bozCKY1Ytp96fpM3vjJbqLJn88ws8XvfDNI= gopkg.in/ini.v1 v1.51.0/go.mod h1:pNLf8WUiyNEtQjuu5G5vTm06TEv9tsIgeAvK8hOrP4k= gopkg.in/ini.v1 v1.51.1 h1:GyboHr4UqMiLUybYjd22ZjQIKEJEpgtLXtuGbR21Oho= gopkg.in/ini.v1 v1.51.1/go.mod h1:pNLf8WUiyNEtQjuu5G5vTm06TEv9tsIgeAvK8hOrP4k= gopkg.in/neurosnap/sentences.v1 v1.0.6/go.mod h1:YlK+SN+fLQZj+kY3r8DkGDhDr91+S3JmTb5LSxFRQo0= gopkg.in/resty.v1 v1.12.0/go.mod h1:mDo4pnntr5jdWRML875a/NmxYqAlA73dVijT2AXvQQo= gopkg.in/yaml.v2 v2.0.0-20170812160011-eb3733d160e7/go.mod h1:JAlM8MvJe8wmxCU4Bli9HhUf9+ttbYbLASfIpnQbh74= gopkg.in/yaml.v2 v2.2.1/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= gopkg.in/yaml.v2 v2.2.2/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= gopkg.in/yaml.v2 v2.2.4/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= gopkg.in/yaml.v2 v2.2.8/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= gopkg.in/yaml.v2 v2.3.0/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= gopkg.in/yaml.v2 v2.4.0 h1:D8xgwECY7CYvx+Y2n4sBz93Jn9JRvxdiyyo8CTfuKaY= gopkg.in/yaml.v2 v2.4.0/go.mod h1:RDklbk79AGWmwhnvt/jBztapEOGDOx6ZbXqjP6csGnQ= gopkg.in/yaml.v3 v3.0.0-20200313102051-9f266ea9e77c h1:dUUwHk2QECo/6vqA44rthZ8ie2QXMNeKRTHCNY2nXvo= gopkg.in/yaml.v3 v3.0.0-20200313102051-9f266ea9e77c/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM= honnef.co/go/tools v0.0.0-20190102054323-c2f93a96b099/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= honnef.co/go/tools v0.0.0-20190106161140-3f1c8253044a/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= honnef.co/go/tools v0.0.0-20190418001031-e561f6794a2a/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= honnef.co/go/tools v0.0.0-20190523083050-ea95bdfd59fc/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= honnef.co/go/tools v0.0.1-2019.2.3/go.mod h1:a3bituU0lyd329TUQxRnasdCoJDkEUEAqEt0JzvZhAg= honnef.co/go/tools v0.0.1-2020.1.3/go.mod h1:X/FiERA/W4tHapMX5mGpAtMSVEeEUOyHaw9vFzvIQ3k= honnef.co/go/tools v0.0.1-2020.1.4 h1:UoveltGrhghAA7ePc+e+QYDHXrBps2PqFZiHkGR/xK8= honnef.co/go/tools v0.0.1-2020.1.4/go.mod h1:X/FiERA/W4tHapMX5mGpAtMSVEeEUOyHaw9vFzvIQ3k= rsc.io/binaryregexp v0.2.0/go.mod h1:qTv7/COck+e2FymRvadv62gMdZztPaShugOCi3I+8D8= rsc.io/quote/v3 v3.1.0/go.mod h1:yEA65RcK8LyAZtP9Kv3t0HmxON59tX3rD+tICJqUlj0= rsc.io/sampler v1.3.0/go.mod h1:T1hPZKmBbMNahiBKFy5HrXp6adAjACjK9JXDnKaTXpA=
bazil.org/fuse v0.0.0-20180421153158-65cc252bf669/go.mod h1:Xbm+BRKSBEpa4q4hTSxohYNQpsxXPbPry4JJWOB3LB8= cloud.google.com/go v0.26.0/go.mod h1:aQUYkXzVsufM+DwF1aE+0xfcU+56JwCaLick0ClmMTw= cloud.google.com/go v0.34.0/go.mod h1:aQUYkXzVsufM+DwF1aE+0xfcU+56JwCaLick0ClmMTw= cloud.google.com/go v0.38.0/go.mod h1:990N+gfupTy94rShfmMCWGDn0LpTmnzTp2qbd1dvSRU= cloud.google.com/go v0.39.0/go.mod h1:rVLT6fkc8chs9sfPtFc1SBH6em7n+ZoXaG+87tDISts= cloud.google.com/go v0.44.1/go.mod h1:iSa0KzasP4Uvy3f1mN/7PiObzGgflwredwwASm/v6AU= cloud.google.com/go v0.44.2/go.mod h1:60680Gw3Yr4ikxnPRS/oxxkBccT6SA1yMk63TGekxKY= cloud.google.com/go v0.44.3/go.mod h1:60680Gw3Yr4ikxnPRS/oxxkBccT6SA1yMk63TGekxKY= cloud.google.com/go v0.45.1/go.mod h1:RpBamKRgapWJb87xiFSdk4g1CME7QZg3uwTez+TSTjc= cloud.google.com/go v0.46.3/go.mod h1:a6bKKbmY7er1mI7TEI4lsAkts/mkhTSZK8w33B4RAg0= cloud.google.com/go v0.50.0/go.mod h1:r9sluTvynVuxRIOHXQEHMFffphuXHOMZMycpNR5e6To= cloud.google.com/go v0.52.0/go.mod h1:pXajvRH/6o3+F9jDHZWQ5PbGhn+o8w9qiu/CffaVdO4= cloud.google.com/go v0.53.0/go.mod h1:fp/UouUEsRkN6ryDKNW/Upv/JBKnv6WDthjR6+vze6M= cloud.google.com/go v0.54.0/go.mod h1:1rq2OEkV3YMf6n/9ZvGWI3GWw0VoqH/1x2nd8Is/bPc= cloud.google.com/go v0.55.0/go.mod h1:ZHmoY+/lIMNkN2+fBmuTiqZ4inFhvQad8ft7MT8IV5Y= cloud.google.com/go v0.56.0/go.mod h1:jr7tqZxxKOVYizybht9+26Z/gUq7tiRzu+ACVAMbKVk= cloud.google.com/go v0.57.0/go.mod h1:oXiQ6Rzq3RAkkY7N6t3TcE6jE+CIBBbA36lwQ1JyzZs= cloud.google.com/go v0.58.0 h1:vtAfVc723K3xKq1BQydk/FyCldnaNFhGhpJxaJzgRMQ= cloud.google.com/go v0.58.0/go.mod h1:W+9FnSUw6nhVwXlFcp1eL+krq5+HQUJeUogSeJZZiWg= cloud.google.com/go/bigquery v1.0.1/go.mod h1:i/xbL2UlR5RvWAURpBYZTtm/cXjCha9lbfbpx4poX+o= cloud.google.com/go/bigquery v1.3.0/go.mod h1:PjpwJnslEMmckchkHFfq+HTD2DmtT67aNFKH1/VBDHE= cloud.google.com/go/bigquery v1.4.0/go.mod h1:S8dzgnTigyfTmLBfrtrhyYhwRxG72rYxvftPBK2Dvzc= cloud.google.com/go/bigquery v1.5.0/go.mod h1:snEHRnqQbz117VIFhE8bmtwIDY80NLUZUMb4Nv6dBIg= cloud.google.com/go/bigquery v1.7.0/go.mod h1://okPTzCYNXSlb24MZs83e2Do+h+VXtc4gLoIoXIAPc= cloud.google.com/go/bigquery v1.8.0 h1:PQcPefKFdaIzjQFbiyOgAqyx8q5djaE7x9Sqe712DPA= cloud.google.com/go/bigquery v1.8.0/go.mod h1:J5hqkt3O0uAFnINi6JXValWIb1v0goeZM77hZzJN/fQ= cloud.google.com/go/datastore v1.0.0/go.mod h1:LXYbyblFSglQ5pkeyhO+Qmw7ukd3C+pD7TKLgZqpHYE= cloud.google.com/go/datastore v1.1.0 h1:/May9ojXjRkPBNVrq+oWLqmWCkr4OU5uRY29bu0mRyQ= cloud.google.com/go/datastore v1.1.0/go.mod h1:umbIZjpQpHh4hmRpGhH4tLFup+FVzqBi1b3c64qFpCk= cloud.google.com/go/firestore v1.1.0/go.mod h1:ulACoGHTpvq5r8rxGJ4ddJZBZqakUQqClKRT5SZwBmk= cloud.google.com/go/firestore v1.2.0/go.mod h1:iISCjWnTpnoJT1R287xRdjvQHJrxQOpeah4phb5D3h0= cloud.google.com/go/pubsub v1.0.1/go.mod h1:R0Gpsv3s54REJCy4fxDixWD93lHJMoZTyQ2kNxGRt3I= cloud.google.com/go/pubsub v1.1.0/go.mod h1:EwwdRX2sKPjnvnqCa270oGRyludottCI76h+R3AArQw= cloud.google.com/go/pubsub v1.2.0/go.mod h1:jhfEVHT8odbXTkndysNHCcx0awwzvfOlguIAii9o8iA= cloud.google.com/go/pubsub v1.3.1 h1:ukjixP1wl0LpnZ6LWtZJ0mX5tBmjp1f8Sqer8Z2OMUU= cloud.google.com/go/pubsub v1.3.1/go.mod h1:i+ucay31+CNRpDW4Lu78I4xXG+O1r/MAHgjpRVR+TSU= cloud.google.com/go/storage v1.0.0/go.mod h1:IhtSnM/ZTZV8YYJWCY8RULGVqBDmpoyjwiyrjsg+URw= cloud.google.com/go/storage v1.5.0/go.mod h1:tpKbwo567HUNpVclU5sGELwQWBDZ8gh0ZeosJ0Rtdos= cloud.google.com/go/storage v1.6.0/go.mod h1:N7U0C8pVQ/+NIKOBQyamJIeKQKkZ+mxpohlUTyfDhBk= cloud.google.com/go/storage v1.8.0/go.mod h1:Wv1Oy7z6Yz3DshWRJFhqM/UCfaWIRTdp0RXyy7KQOVs= cloud.google.com/go/storage v1.9.0 h1:oXnZyBjHB6hC8TnSle0AWW6pGJ29EuSo5ww+SFmdNBg= cloud.google.com/go/storage v1.9.0/go.mod h1:m+/etGaqZbylxaNT876QGXqEHp4PR2Rq5GMqICWb9bU= contrib.go.opencensus.io/exporter/aws v0.0.0-20181029163544-2befc13012d0/go.mod h1:uu1P0UCM/6RbsMrgPa98ll8ZcHM858i/AD06a9aLRCA= contrib.go.opencensus.io/exporter/stackdriver v0.12.1/go.mod h1:iwB6wGarfphGGe/e5CWqyUk/cLzKnWsOKPVW3no6OTw= contrib.go.opencensus.io/integrations/ocsql v0.1.4/go.mod h1:8DsSdjz3F+APR+0z0WkU1aRorQCFfRxvqjUUPMbF3fE= contrib.go.opencensus.io/resource v0.1.1/go.mod h1:F361eGI91LCmW1I/Saf+rX0+OFcigGlFvXwEGEnkRLA= dmitri.shuralyov.com/gpu/mtl v0.0.0-20190408044501-666a987793e9/go.mod h1:H6x//7gZCb22OMCxBHrMx7a5I7Hp++hsVxbQ4BYO7hU= github.com/Azure/azure-amqp-common-go/v3 v3.0.0/go.mod h1:SY08giD/XbhTz07tJdpw1SoxQXHPN30+DI3Z04SYqyg= github.com/Azure/azure-pipeline-go v0.2.1/go.mod h1:UGSo8XybXnIGZ3epmeBw7Jdz+HiUVpqIlpz/HKHylF4= github.com/Azure/azure-pipeline-go v0.2.2 h1:6oiIS9yaG6XCCzhgAgKFfIWyo4LLCiDhZot6ltoThhY= github.com/Azure/azure-pipeline-go v0.2.2/go.mod h1:4rQ/NZncSvGqNkkOsNpOU1tgoNuIlp9AfUH5G1tvCHc= github.com/Azure/azure-sdk-for-go v37.1.0+incompatible/go.mod h1:9XXNKU+eRnpl9moKnB4QOLf1HestfXbmab5FXxiDBjc= github.com/Azure/azure-service-bus-go v0.10.1/go.mod h1:E/FOceuKAFUfpbIJDKWz/May6guE+eGibfGT6q+n1to= github.com/Azure/azure-storage-blob-go v0.9.0 h1:kORqvzXP8ORhKbW13FflGUaSE5CMyDWun9UwMxY8gPs= github.com/Azure/azure-storage-blob-go v0.9.0/go.mod h1:8UBPbiOhrMQ4pLPi3gA1tXnpjrS76UYE/fo5A40vf4g= github.com/Azure/go-amqp v0.12.6/go.mod h1:qApuH6OFTSKZFmCOxccvAv5rLizBQf4v8pRmG138DPo= github.com/Azure/go-amqp v0.12.7/go.mod h1:qApuH6OFTSKZFmCOxccvAv5rLizBQf4v8pRmG138DPo= github.com/Azure/go-autorest/autorest v0.9.0/go.mod h1:xyHB1BMZT0cuDHU7I0+g046+BFDTQ8rEZB0s4Yfa6bI= github.com/Azure/go-autorest/autorest v0.9.3 h1:OZEIaBbMdUE/Js+BQKlpO81XlISgipr6yDJ+PSwsgi4= github.com/Azure/go-autorest/autorest v0.9.3/go.mod h1:GsRuLYvwzLjjjRoWEIyMUaYq8GNUx2nRB378IPt/1p0= github.com/Azure/go-autorest/autorest/adal v0.5.0/go.mod h1:8Z9fGy2MpX0PvDjB1pEgQTmVqjGhiHBW7RJJEciWzS0= github.com/Azure/go-autorest/autorest/adal v0.8.0/go.mod h1:Z6vX6WXXuyieHAXwMj0S6HY6e6wcHn37qQMBQlvY3lc= github.com/Azure/go-autorest/autorest/adal v0.8.1/go.mod h1:ZjhuQClTqx435SRJ2iMlOxPYt3d2C/T/7TiQCVZSn3Q= github.com/Azure/go-autorest/autorest/adal v0.8.3 h1:O1AGG9Xig71FxdX9HO5pGNyZ7TbSyHaVg+5eJO/jSGw= github.com/Azure/go-autorest/autorest/adal v0.8.3/go.mod h1:ZjhuQClTqx435SRJ2iMlOxPYt3d2C/T/7TiQCVZSn3Q= github.com/Azure/go-autorest/autorest/azure/auth v0.4.2 h1:iM6UAvjR97ZIeR93qTcwpKNMpV+/FTWjwEbuPD495Tk= github.com/Azure/go-autorest/autorest/azure/auth v0.4.2/go.mod h1:90gmfKdlmKgfjUpnCEpOJzsUEjrWDSLwHIG73tSXddM= github.com/Azure/go-autorest/autorest/azure/cli v0.3.1 h1:LXl088ZQlP0SBppGFsRZonW6hSvwgL5gRByMbvUbx8U= github.com/Azure/go-autorest/autorest/azure/cli v0.3.1/go.mod h1:ZG5p860J94/0kI9mNJVoIoLgXcirM2gF5i2kWloofxw= github.com/Azure/go-autorest/autorest/date v0.1.0/go.mod h1:plvfp3oPSKwf2DNjlBjWF/7vwR+cUD/ELuzDCXwHUVA= github.com/Azure/go-autorest/autorest/date v0.2.0 h1:yW+Zlqf26583pE43KhfnhFcdmSWlm5Ew6bxipnr/tbM= github.com/Azure/go-autorest/autorest/date v0.2.0/go.mod h1:vcORJHLJEh643/Ioh9+vPmf1Ij9AEBM5FuBIXLmIy0g= github.com/Azure/go-autorest/autorest/mocks v0.1.0/go.mod h1:OTyCOPRA2IgIlWxVYxBee2F5Gr4kF2zd2J5cFRaIDN0= github.com/Azure/go-autorest/autorest/mocks v0.2.0/go.mod h1:OTyCOPRA2IgIlWxVYxBee2F5Gr4kF2zd2J5cFRaIDN0= github.com/Azure/go-autorest/autorest/mocks v0.3.0 h1:qJumjCaCudz+OcqE9/XtEPfvtOjOmKaui4EOpFI6zZc= github.com/Azure/go-autorest/autorest/mocks v0.3.0/go.mod h1:a8FDP3DYzQ4RYfVAxAN3SVSiiO77gL2j2ronKKP0syM= github.com/Azure/go-autorest/autorest/to v0.3.0/go.mod h1:MgwOyqaIuKdG4TL/2ywSsIWKAfJfgHDo8ObuUk3t5sA= github.com/Azure/go-autorest/autorest/validation v0.2.0/go.mod h1:3EEqHnBxQGHXRYq3HT1WyXAvT7LLY3tl70hw6tQIbjI= github.com/Azure/go-autorest/logger v0.1.0 h1:ruG4BSDXONFRrZZJ2GUXDiUyVpayPmb1GnWeHDdaNKY= github.com/Azure/go-autorest/logger v0.1.0/go.mod h1:oExouG+K6PryycPJfVSxi/koC6LSNgds39diKLz7Vrc= github.com/Azure/go-autorest/tracing v0.5.0 h1:TRn4WjSnkcSy5AEG3pnbtFSwNtwzjr4VYyQflFE619k= github.com/Azure/go-autorest/tracing v0.5.0/go.mod h1:r/s2XiOKccPW3HrqB+W0TQzfbtp2fGCgRFtBroKn4Dk= github.com/BurntSushi/locker v0.0.0-20171006230638-a6e239ea1c69 h1:+tu3HOoMXB7RXEINRVIpxJCT+KdYiI7LAEAUrOw3dIU= github.com/BurntSushi/locker v0.0.0-20171006230638-a6e239ea1c69/go.mod h1:L1AbZdiDllfyYH5l5OkAaZtk7VkWe89bPJFmnDBNHxg= github.com/BurntSushi/toml v0.3.1 h1:WXkYYl6Yr3qBf1K79EBnL4mak0OimBfB0XUf9Vl28OQ= github.com/BurntSushi/toml v0.3.1/go.mod h1:xHWCNGjB5oqiDr8zfno3MHue2Ht5sIBksp03qcyfWMU= github.com/BurntSushi/xgb v0.0.0-20160522181843-27f122750802/go.mod h1:IVnqGOEym/WlBOVXweHU+Q+/VP0lqqI8lqeDx9IjBqo= github.com/GeertJohan/go.incremental v1.0.0/go.mod h1:6fAjUhbVuX1KcMD3c8TEgVUqmo4seqhv0i0kdATSkM0= github.com/GeertJohan/go.rice v1.0.0/go.mod h1:eH6gbSOAUv07dQuZVnBmoDP8mgsM1rtixis4Tib9if0= github.com/GoogleCloudPlatform/cloudsql-proxy v0.0.0-20191009163259-e802c2cb94ae/go.mod h1:mjwGPas4yKduTyubHvD1Atl9r1rUq8DfVy+gkVvZ+oo= github.com/OneOfOne/xxhash v1.2.2/go.mod h1:HSdplMjZKSmBqAxg5vPj2TmRDmfkzw+cTzAElWljhcU= github.com/PuerkitoBio/purell v1.1.1 h1:WEQqlqaGbrPkxLJWfBwQmfEAE1Z7ONdDLqrN38tNFfI= github.com/PuerkitoBio/purell v1.1.1/go.mod h1:c11w/QuzBsJSee3cPx9rAFu61PvFxuPbtSwDGJws/X0= github.com/PuerkitoBio/urlesc v0.0.0-20170810143723-de5bf2ad4578 h1:d+Bc7a5rLufV/sSk/8dngufqelfh6jnri85riMAaF/M= github.com/PuerkitoBio/urlesc v0.0.0-20170810143723-de5bf2ad4578/go.mod h1:uGdkoq3SwY9Y+13GIhn11/XLaGBb4BfwItxLd5jeuXE= github.com/akavel/rsrc v0.8.0/go.mod h1:uLoCtb9J+EyAqh+26kdrTgmzRBFPGOolLWKpdxkKq+c= github.com/alecthomas/assert v0.0.0-20170929043011-405dbfeb8e38 h1:smF2tmSOzy2Mm+0dGI2AIUHY+w0BUc+4tn40djz7+6U= github.com/alecthomas/assert v0.0.0-20170929043011-405dbfeb8e38/go.mod h1:r7bzyVFMNntcxPZXK3/+KdruV1H5KSlyVY0gc+NgInI= github.com/alecthomas/chroma v0.7.2-0.20200305040604-4f3623dce67a/go.mod h1:fv5SzZPFJbwp2NXJWpFIX7DZS4HgV1K4ew4Pc2OZD9s= github.com/alecthomas/chroma v0.8.2 h1:x3zkuE2lUk/RIekyAJ3XRqSCP4zwWDfcw/YJCuCAACg= github.com/alecthomas/chroma v0.8.2/go.mod h1:sko8vR34/90zvl5QdcUdvzL3J8NKjAUx9va9jPuFNoM= github.com/alecthomas/colour v0.0.0-20160524082231-60882d9e2721 h1:JHZL0hZKJ1VENNfmXvHbgYlbUOvpzYzvy2aZU5gXVeo= github.com/alecthomas/colour v0.0.0-20160524082231-60882d9e2721/go.mod h1:QO9JBoKquHd+jz9nshCh40fOfO+JzsoXy8qTHF68zU0= github.com/alecthomas/kong v0.1.17-0.20190424132513-439c674f7ae0/go.mod h1:+inYUSluD+p4L8KdviBSgzcqEjUQOfC5fQDRFuc36lI= github.com/alecthomas/kong v0.2.1-0.20190708041108-0548c6b1afae/go.mod h1:+inYUSluD+p4L8KdviBSgzcqEjUQOfC5fQDRFuc36lI= github.com/alecthomas/kong v0.2.4/go.mod h1:kQOmtJgV+Lb4aj+I2LEn40cbtawdWJ9Y8QLq+lElKxE= github.com/alecthomas/kong-hcl v0.1.8-0.20190615233001-b21fea9723c8/go.mod h1:MRgZdU3vrFd05IQ89AxUZ0aYdF39BYoNFa324SodPCA= github.com/alecthomas/repr v0.0.0-20180818092828-117648cd9897/go.mod h1:xTS7Pm1pD1mvyM075QCDSRqH6qRLXylzS24ZTpRiSzQ= github.com/alecthomas/repr v0.0.0-20181024024818-d37bc2a10ba1 h1:GDQdwm/gAcJcLAKQQZGOJ4knlw+7rfEQQcmwTbt4p5E= github.com/alecthomas/repr v0.0.0-20181024024818-d37bc2a10ba1/go.mod h1:xTS7Pm1pD1mvyM075QCDSRqH6qRLXylzS24ZTpRiSzQ= github.com/alecthomas/template v0.0.0-20160405071501-a0175ee3bccc/go.mod h1:LOuyumcjzFXgccqObfd/Ljyb9UuFJ6TxHnclSeseNhc= github.com/alecthomas/units v0.0.0-20151022065526-2efee857e7cf/go.mod h1:ybxpYRFXyAe+OPACYpWeL0wqObRcbAqCMya13uyzqw0= github.com/armon/circbuf v0.0.0-20150827004946-bbbad097214e/go.mod h1:3U/XgcO3hCbHZ8TKRvWD2dDTCfh9M9ya+I9JpbB7O8o= github.com/armon/go-metrics v0.0.0-20180917152333-f0300d1749da/go.mod h1:Q73ZrmVTwzkszR9V5SSuryQ31EELlFMUz1kKyl939pY= github.com/armon/go-radix v0.0.0-20180808171621-7fddfc383310/go.mod h1:ufUuZ+zHj4x4TnLV4JWEpy2hxWSpsRywHrMgIH9cCH8= github.com/armon/go-radix v1.0.0 h1:F4z6KzEeeQIMeLFa97iZU6vupzoecKdU5TX24SNppXI= github.com/armon/go-radix v1.0.0/go.mod h1:ufUuZ+zHj4x4TnLV4JWEpy2hxWSpsRywHrMgIH9cCH8= github.com/aws/aws-sdk-go v1.15.27/go.mod h1:mFuSZ37Z9YOHbQEwBWztmVzqXrEkub65tZoCYDt7FT0= github.com/aws/aws-sdk-go v1.19.18/go.mod h1:KmX6BPdI08NWTb3/sm4ZGu5ShLoqVDhKgpiN924inxo= github.com/aws/aws-sdk-go v1.31.13/go.mod h1:5zCpMtNQVjRREroY7sYe8lOMRSxkhG6MZveU8YkpAk0= github.com/aws/aws-sdk-go v1.35.0 h1:Pxqn1MWNfBCNcX7jrXCCTfsKpg5ms2IMUMmmcGtYJuo= github.com/aws/aws-sdk-go v1.35.0/go.mod h1:H7NKnBqNVzoTJpGfLrQkkD+ytBA93eiDYi/+8rV9s48= github.com/beorn7/perks v0.0.0-20180321164747-3a771d992973/go.mod h1:Dwedo/Wpr24TaqPxmxbtue+5NUziq4I4S80YR8gNf3Q= github.com/beorn7/perks v1.0.0/go.mod h1:KWe93zE9D1o94FZ5RNwFwVgaQK1VOXiVxmqh+CedLV8= github.com/bep/debounce v1.2.0 h1:wXds8Kq8qRfwAOpAxHrJDbCXgC5aHSzgQb/0gKsHQqo= github.com/bep/debounce v1.2.0/go.mod h1:H8yggRPQKLUhUoqrJC1bO2xNya7vanpDl7xR3ISbCJ0= github.com/bep/gitmap v1.1.2 h1:zk04w1qc1COTZPPYWDQHvns3y1afOsdRfraFQ3qI840= github.com/bep/gitmap v1.1.2/go.mod h1:g9VRETxFUXNWzMiuxOwcudo6DfZkW9jOsOW0Ft4kYaY= github.com/bep/godartsass v0.10.0 h1:PKdceJOBYlLlviRX4U14SkwJQVTclzZ6cghKBEaTlw0= github.com/bep/godartsass v0.10.0/go.mod h1:nXQlHHk4H1ghUk6n/JkYKG5RD43yJfcfp5aHRqT/pc4= github.com/bep/godartsass v0.11.0 h1:62x1zaOzIP2NUzFb3Wob6sNyrtMp0JN61FFg30yQVb8= github.com/bep/godartsass v0.11.0/go.mod h1:nXQlHHk4H1ghUk6n/JkYKG5RD43yJfcfp5aHRqT/pc4= github.com/bep/golibsass v0.7.0 h1:/ocxgtPZ5rgp7FA+mktzyent+fAg82tJq4iMsTMBAtA= github.com/bep/golibsass v0.7.0/go.mod h1:DL87K8Un/+pWUS75ggYv41bliGiolxzDKWJAq3eJ1MA= github.com/bep/tmc v0.5.1 h1:CsQnSC6MsomH64gw0cT5f+EwQDcvZz4AazKunFwTpuI= github.com/bep/tmc v0.5.1/go.mod h1:tGYHN8fS85aJPhDLgXETVKp+PR382OvFi2+q2GkGsq0= github.com/bgentry/speakeasy v0.1.0/go.mod h1:+zsyZBPWlz7T6j88CTgSN5bM796AkVf0kBD4zp0CCIs= github.com/bketelsen/crypt v0.0.3-0.20200106085610-5cbc8cc4026c/go.mod h1:MKsuJmJgSg28kpZDP6UIiPt0e0Oz0kqKNGyRaWEPv84= github.com/census-instrumentation/opencensus-proto v0.2.0/go.mod h1:f6KPmirojxKA12rnyqOA5BBL4O983OfeGPqjHWSTneU= github.com/census-instrumentation/opencensus-proto v0.2.1/go.mod h1:f6KPmirojxKA12rnyqOA5BBL4O983OfeGPqjHWSTneU= github.com/cespare/xxhash v1.1.0/go.mod h1:XrSqR1VqqWfGrhpAt58auRo0WTKS1nRRg3ghfAqPWnc= github.com/cheekybits/is v0.0.0-20150225183255-68e9c0620927/go.mod h1:h/aW8ynjgkuj+NQRlZcDbAbM1ORAbXjXX77sX7T289U= github.com/chzyer/logex v1.1.10/go.mod h1:+Ywpsq7O8HXn0nuIou7OrIPyXbp3wmkHB+jjWRnGsAI= github.com/chzyer/readline v0.0.0-20180603132655-2972be24d48e/go.mod h1:nSuG5e5PlCu98SY8svDHJxuZscDgtXS6KTTbou5AhLI= github.com/chzyer/test v0.0.0-20180213035817-a1ea475d72b1/go.mod h1:Q3SI9o4m/ZMnBNeIyt5eFwwo7qiLfzFZmjNmxjkiQlU= github.com/cli/safeexec v1.0.0 h1:0VngyaIyqACHdcMNWfo6+KdUYnqEr2Sg+bSP1pdF+dI= github.com/cli/safeexec v1.0.0/go.mod h1:Z/D4tTN8Vs5gXYHDCbaM1S/anmEDnJb1iW0+EJ5zx3Q= github.com/client9/misspell v0.3.4/go.mod h1:qj6jICC3Q7zFZvVWo7KLAzC3yx5G7kyvSDkc90ppPyw= github.com/cncf/udpa/go v0.0.0-20191209042840-269d4d468f6f/go.mod h1:M8M6+tZqaGXZJjfX53e64911xZQV5JYwmTeXPW+k8Sc= github.com/coreos/bbolt v1.3.2/go.mod h1:iRUV2dpdMOn7Bo10OQBFzIJO9kkE559Wcmn+qkEiiKk= github.com/coreos/etcd v3.3.13+incompatible/go.mod h1:uF7uidLiAD3TWHmW31ZFd/JWoc32PjwdhPthX9715RE= github.com/coreos/go-semver v0.3.0/go.mod h1:nnelYz7RCh+5ahJtPPxZlU+153eP4D4r3EedlOD2RNk= github.com/coreos/go-systemd v0.0.0-20190321100706-95778dfbb74e/go.mod h1:F5haX7vjVVG0kc13fIWeqUViNPyEJxv/OmvnBo0Yme4= github.com/coreos/pkg v0.0.0-20180928190104-399ea9e2e55f/go.mod h1:E3G3o1h8I7cfcXa63jLwjI0eiQQMgzzUDFVpN/nH/eA= github.com/cpuguy83/go-md2man/v2 v2.0.0-20190314233015-f79a8a8ca69d/go.mod h1:maD7wRr/U5Z6m/iR4s+kqSMx2CaBsrgA7czyZG/E6dU= github.com/cpuguy83/go-md2man/v2 v2.0.0 h1:EoUDS0afbrsXAZ9YQ9jdu/mZ2sXgT1/2yyNng4PGlyM= github.com/cpuguy83/go-md2man/v2 v2.0.0/go.mod h1:maD7wRr/U5Z6m/iR4s+kqSMx2CaBsrgA7czyZG/E6dU= github.com/daaku/go.zipexe v1.0.0/go.mod h1:z8IiR6TsVLEYKwXAoE/I+8ys/sDkgTzSL0CLnGVd57E= github.com/danwakefield/fnmatch v0.0.0-20160403171240-cbb64ac3d964 h1:y5HC9v93H5EPKqaS1UYVg1uYah5Xf51mBfIoWehClUQ= github.com/danwakefield/fnmatch v0.0.0-20160403171240-cbb64ac3d964/go.mod h1:Xd9hchkHSWYkEqJwUGisez3G1QY8Ryz0sdWrLPMGjLk= github.com/davecgh/go-spew v0.0.0-20161028175848-04cdfd42973b/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= github.com/davecgh/go-spew v1.1.0/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= github.com/davecgh/go-spew v1.1.1 h1:vj9j/u1bqnvCEfJOwUhtlOARqs3+rkHYY13jYWTU97c= github.com/davecgh/go-spew v1.1.1/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= github.com/devigned/tab v0.1.1/go.mod h1:XG9mPq0dFghrYvoBF3xdRrJzSTX1b7IQrvaL9mzjeJY= github.com/dgrijalva/jwt-go v3.2.0+incompatible h1:7qlOGliEKZXTDg6OTjfoBKDXWrumCAMpl/TFQ4/5kLM= github.com/dgrijalva/jwt-go v3.2.0+incompatible/go.mod h1:E3ru+11k8xSBh+hMPgOLZmtrrCbhqsmaPHjLKYnJCaQ= github.com/dgryski/go-sip13 v0.0.0-20181026042036-e10d5fee7954/go.mod h1:vAd38F8PWV+bWy6jNmig1y/TA+kYO4g3RSRF0IAv0no= github.com/dimchansky/utfbom v1.1.0 h1:FcM3g+nofKgUteL8dm/UpdRXNC9KmADgTpLKsu0TRo4= github.com/dimchansky/utfbom v1.1.0/go.mod h1:rO41eb7gLfo8SF1jd9F8HplJm1Fewwi4mQvIirEdv+8= github.com/disintegration/gift v1.2.1 h1:Y005a1X4Z7Uc+0gLpSAsKhWi4qLtsdEcMIbbdvdZ6pc= github.com/disintegration/gift v1.2.1/go.mod h1:Jh2i7f7Q2BM7Ezno3PhfezbR1xpUg9dUg3/RlKGr4HI= github.com/dlclark/regexp2 v1.1.6/go.mod h1:2pZnwuY/m+8K6iRw6wQdMtk+rH5tNGR1i55kozfMjCc= github.com/dlclark/regexp2 v1.2.0/go.mod h1:2pZnwuY/m+8K6iRw6wQdMtk+rH5tNGR1i55kozfMjCc= github.com/dlclark/regexp2 v1.4.0 h1:F1rxgk7p4uKjwIQxBs9oAXe5CqrXlCduYEJvrF4u93E= github.com/dlclark/regexp2 v1.4.0/go.mod h1:2pZnwuY/m+8K6iRw6wQdMtk+rH5tNGR1i55kozfMjCc= github.com/dustin/go-humanize v1.0.0 h1:VSnTsYCnlFHaM2/igO1h6X3HA71jcobQuxemgkq4zYo= github.com/dustin/go-humanize v1.0.0/go.mod h1:HtrtbFcZ19U5GC7JDqmcUSB87Iq5E25KnS6fMYU6eOk= github.com/envoyproxy/go-control-plane v0.9.0/go.mod h1:YTl/9mNaCwkRvm6d1a2C3ymFceY/DCBVvsKhRF0iEA4= github.com/envoyproxy/go-control-plane v0.9.1-0.20191026205805-5f8ba28d4473/go.mod h1:YTl/9mNaCwkRvm6d1a2C3ymFceY/DCBVvsKhRF0iEA4= github.com/envoyproxy/go-control-plane v0.9.4/go.mod h1:6rpuAdCZL397s3pYoYcLgu1mIlRU8Am5FuJP05cCM98= github.com/envoyproxy/protoc-gen-validate v0.1.0/go.mod h1:iSmxcyjqTsJpI2R4NaDN7+kN2VEUnK/pcBlmesArF7c= github.com/evanw/esbuild v0.8.17 h1:kwPgM6nrZrSUqI1rlgNG9vv5u9cAMaz6HmZ+Ns+3cfQ= github.com/evanw/esbuild v0.8.17/go.mod h1:y2AFBAGVelPqPodpdtxWWqe6n2jYf5FrsJbligmRmuw= github.com/fatih/color v1.7.0/go.mod h1:Zm6kSWBoL9eyXnKyktHP6abPY2pDugNf5KwzbycvMj4= github.com/fortytw2/leaktest v1.3.0 h1:u8491cBMTQ8ft8aeV+adlcytMZylmA5nnwwkRZjI8vw= github.com/fortytw2/leaktest v1.3.0/go.mod h1:jDsjWgpAGjm2CA7WthBh/CdZYEPF31XHquHwclZch5g= github.com/frankban/quicktest v1.4.1/go.mod h1:36zfPVQyHxymz4cH7wlDmVwDrJuljRB60qkgn7rorfQ= github.com/frankban/quicktest v1.7.2/go.mod h1:jaStnuzAqU1AJdCO0l53JDCJrVDKcS03DbaAcR7Ks/o= github.com/frankban/quicktest v1.11.2 h1:mjwHjStlXWibxOohM7HYieIViKyh56mmt3+6viyhDDI= github.com/frankban/quicktest v1.11.2/go.mod h1:K+q6oSqb0W0Ininfk863uOk1lMy69l/P6txr3mVT54s= github.com/fsnotify/fsnotify v1.4.7/go.mod h1:jwhsz4b93w/PPRr/qN1Yymfu8t87LnFCMoQvtojpjFo= github.com/fsnotify/fsnotify v1.4.9 h1:hsms1Qyu0jgnwNXIxa+/V/PDsU6CfLf6CNO8H7IWoS4= github.com/fsnotify/fsnotify v1.4.9/go.mod h1:znqG4EE+3YCdAaPaxE2ZRY/06pZUdp0tY4IgpuI1SZQ= github.com/getkin/kin-openapi v0.32.0 h1:zzeKoKewdKT9bBdRMwYEhJgB2rKSKGFKE1iOKF7KgNs= github.com/getkin/kin-openapi v0.32.0/go.mod h1:WGRs2ZMM1Q8LR1QBEwUxC6RJEfaBcD0s+pcEVXFuAjw= github.com/ghodss/yaml v1.0.0 h1:wQHKEahhL6wmXdzwWG11gIVCkOv05bNOh+Rxn0yngAk= github.com/ghodss/yaml v1.0.0/go.mod h1:4dBDuWmgqj2HViK6kFavaiC9ZROes6MMH2rRYeMEF04= github.com/go-gl/glfw v0.0.0-20190409004039-e6da0acd62b1/go.mod h1:vR7hzQXu2zJy9AVAgeJqvqgH9Q5CA+iKCZ2gyEVpxRU= github.com/go-gl/glfw/v3.3/glfw v0.0.0-20191125211704-12ad95a8df72/go.mod h1:tQ2UAYgL5IevRw8kRxooKSPJfGvJ9fJQFa0TUsXzTg8= github.com/go-gl/glfw/v3.3/glfw v0.0.0-20200222043503-6f7a984d4dc4/go.mod h1:tQ2UAYgL5IevRw8kRxooKSPJfGvJ9fJQFa0TUsXzTg8= github.com/go-ini/ini v1.25.4/go.mod h1:ByCAeIL28uOIIG0E3PJtZPDL8WnHpFKFOtgjp+3Ies8= github.com/go-kit/kit v0.8.0/go.mod h1:xBxKIO96dXMWWy0MnWVtmwkA9/13aqxPnvrjFYMA2as= github.com/go-logfmt/logfmt v0.3.0/go.mod h1:Qt1PoO58o5twSAckw1HlFXLmHsOX5/0LbT9GBnD5lWE= github.com/go-logfmt/logfmt v0.4.0/go.mod h1:3RMwSq7FuexP4Kalkev3ejPJsZTpXXBr9+V4qmtdjCk= github.com/go-sql-driver/mysql v1.5.0/go.mod h1:DCzpHaOWr8IXmIStZouvnhqoel9Qv2LBy8hT2VhHyBg= github.com/go-stack/stack v1.8.0/go.mod h1:v0f6uXyyMGvRgIKkXu+yp6POWl0qKG85gN/melR3HDY= github.com/gobwas/glob v0.2.3 h1:A4xDbljILXROh+kObIiy5kIaPYD8e96x1tgBhUI5J+Y= github.com/gobwas/glob v0.2.3/go.mod h1:d3Ez4x06l9bZtSvzIay5+Yzi0fmZzPgnTbPcKjJAkT8= github.com/gogo/protobuf v1.1.1/go.mod h1:r8qH/GZQm5c6nD/R0oafs1akxWv10x8SbQlK7atdtwQ= github.com/gogo/protobuf v1.2.1/go.mod h1:hp+jE20tsWTFYpLwKvXlhS1hjn+gTNwPg2I6zVXpSg4= github.com/gohugoio/testmodBuilder/mods v0.0.0-20190520184928-c56af20f2e95 h1:sgew0XCnZwnzpWxTt3V8LLiCO7OQi3C6dycaE67wfkU= github.com/gohugoio/testmodBuilder/mods v0.0.0-20190520184928-c56af20f2e95/go.mod h1:bOlVlCa1/RajcHpXkrUXPSHB/Re1UnlXxD1Qp8SKOd8= github.com/golang/glog v0.0.0-20160126235308-23def4e6c14b/go.mod h1:SBH7ygxi8pfUlaOkMMuAQtPIUF8ecWP5IEl/CR7VP2Q= github.com/golang/groupcache v0.0.0-20190129154638-5b532d6fd5ef/go.mod h1:cIg4eruTrX1D+g88fzRXU5OdNfaM+9IcxsU14FzY7Hc= github.com/golang/groupcache v0.0.0-20190702054246-869f871628b6/go.mod h1:cIg4eruTrX1D+g88fzRXU5OdNfaM+9IcxsU14FzY7Hc= github.com/golang/groupcache v0.0.0-20191227052852-215e87163ea7/go.mod h1:cIg4eruTrX1D+g88fzRXU5OdNfaM+9IcxsU14FzY7Hc= github.com/golang/groupcache v0.0.0-20200121045136-8c9f03a8e57e h1:1r7pUrabqp18hOBcwBwiTsbnFeTZHV9eER/QT5JVZxY= github.com/golang/groupcache v0.0.0-20200121045136-8c9f03a8e57e/go.mod h1:cIg4eruTrX1D+g88fzRXU5OdNfaM+9IcxsU14FzY7Hc= github.com/golang/mock v1.1.1/go.mod h1:oTYuIxOrZwtPieC+H1uAHpcLFnEyAGVDL/k47Jfbm0A= github.com/golang/mock v1.2.0/go.mod h1:oTYuIxOrZwtPieC+H1uAHpcLFnEyAGVDL/k47Jfbm0A= github.com/golang/mock v1.3.1/go.mod h1:sBzyDLLjw3U8JLTeZvSv8jJB+tU5PVekmnlKIyFUx0Y= github.com/golang/mock v1.4.0/go.mod h1:UOMv5ysSaYNkG+OFQykRIcU/QvvxJf3p21QfJ2Bt3cw= github.com/golang/mock v1.4.1/go.mod h1:UOMv5ysSaYNkG+OFQykRIcU/QvvxJf3p21QfJ2Bt3cw= github.com/golang/mock v1.4.3/go.mod h1:UOMv5ysSaYNkG+OFQykRIcU/QvvxJf3p21QfJ2Bt3cw= github.com/golang/protobuf v1.2.0/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= github.com/golang/protobuf v1.3.1/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= github.com/golang/protobuf v1.3.2/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= github.com/golang/protobuf v1.3.3/go.mod h1:vzj43D7+SQXF/4pzW/hwtAqwc6iTitCiVSaWz5lYuqw= github.com/golang/protobuf v1.3.4/go.mod h1:vzj43D7+SQXF/4pzW/hwtAqwc6iTitCiVSaWz5lYuqw= github.com/golang/protobuf v1.3.5/go.mod h1:6O5/vntMXwX2lRkT1hjjk0nAC1IDOTvTlVgjlRvqsdk= github.com/golang/protobuf v1.4.0-rc.1/go.mod h1:ceaxUfeHdC40wWswd/P6IGgMaK3YpKi5j83Wpe3EHw8= github.com/golang/protobuf v1.4.0-rc.1.0.20200221234624-67d41d38c208/go.mod h1:xKAWHe0F5eneWXFV3EuXVDTCmh+JuBKY0li0aMyXATA= github.com/golang/protobuf v1.4.0-rc.2/go.mod h1:LlEzMj4AhA7rCAGe4KMBDvJI+AwstrUpVNzEA03Pprs= github.com/golang/protobuf v1.4.0-rc.4.0.20200313231945-b860323f09d0/go.mod h1:WU3c8KckQ9AFe+yFwt9sWVRKCVIyN9cPHBJSNnbL67w= github.com/golang/protobuf v1.4.0/go.mod h1:jodUvKwWbYaEsadDk5Fwe5c77LiNKVO9IDvqG2KuDX0= github.com/golang/protobuf v1.4.1/go.mod h1:U8fpvMrcmy5pZrNK1lt4xCsGvpyWQ/VVv6QDs8UjoX8= github.com/golang/protobuf v1.4.2 h1:+Z5KGCizgyZCbGh1KZqA0fcLLkwbsjIzS4aV2v7wJX0= github.com/golang/protobuf v1.4.2/go.mod h1:oDoupMAO8OvCJWAcko0GGGIgR6R6ocIYbsSw735rRwI= github.com/google/btree v0.0.0-20180813153112-4030bb1f1f0c/go.mod h1:lNA+9X1NB3Zf8V7Ke586lFgjr2dZNuvo3lPJSGZ5JPQ= github.com/google/btree v1.0.0/go.mod h1:lNA+9X1NB3Zf8V7Ke586lFgjr2dZNuvo3lPJSGZ5JPQ= github.com/google/go-cmp v0.2.0/go.mod h1:oXzfMopK8JAjlY9xF4vHSVASa0yLyX7SntLO5aqRK0M= github.com/google/go-cmp v0.3.0/go.mod h1:8QqcDgzrUqlUb/G2PQTWiueGozuR1884gddMywk6iLU= github.com/google/go-cmp v0.3.1/go.mod h1:8QqcDgzrUqlUb/G2PQTWiueGozuR1884gddMywk6iLU= github.com/google/go-cmp v0.4.0/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= github.com/google/go-cmp v0.4.1/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= github.com/google/go-cmp v0.5.0/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= github.com/google/go-cmp v0.5.2/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= github.com/google/go-cmp v0.5.3 h1:x95R7cp+rSeeqAMI2knLtQ0DKlaBhv2NrtrOvafPHRo= github.com/google/go-cmp v0.5.3/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= github.com/google/go-replayers/grpcreplay v0.1.0 h1:eNb1y9rZFmY4ax45uEEECSa8fsxGRU+8Bil52ASAwic= github.com/google/go-replayers/grpcreplay v0.1.0/go.mod h1:8Ig2Idjpr6gifRd6pNVggX6TC1Zw6Jx74AKp7QNH2QE= github.com/google/go-replayers/httpreplay v0.1.0 h1:AX7FUb4BjrrzNvblr/OlgwrmFiep6soj5K2QSDW7BGk= github.com/google/go-replayers/httpreplay v0.1.0/go.mod h1:YKZViNhiGgqdBlUbI2MwGpq4pXxNmhJLPHQ7cv2b5no= github.com/google/martian v2.1.0+incompatible/go.mod h1:9I4somxYTbIHy5NJKHRl3wXiIaQGbYVAs8BPL6v8lEs= github.com/google/martian v2.1.1-0.20190517191504-25dcb96d9e51+incompatible h1:xmapqc1AyLoB+ddYT6r04bD9lIjlOqGaREovi0SzFaE= github.com/google/martian v2.1.1-0.20190517191504-25dcb96d9e51+incompatible/go.mod h1:9I4somxYTbIHy5NJKHRl3wXiIaQGbYVAs8BPL6v8lEs= github.com/google/pprof v0.0.0-20181206194817-3ea8567a2e57/go.mod h1:zfwlbNMJ+OItoe0UupaVj+oy1omPYYDuagoSzA8v9mc= github.com/google/pprof v0.0.0-20190515194954-54271f7e092f/go.mod h1:zfwlbNMJ+OItoe0UupaVj+oy1omPYYDuagoSzA8v9mc= github.com/google/pprof v0.0.0-20191218002539-d4f498aebedc/go.mod h1:ZgVRPoUq/hfqzAqh7sHMqb3I9Rq5C59dIz2SbBwJ4eM= github.com/google/pprof v0.0.0-20200212024743-f11f1df84d12/go.mod h1:ZgVRPoUq/hfqzAqh7sHMqb3I9Rq5C59dIz2SbBwJ4eM= github.com/google/pprof v0.0.0-20200229191704-1ebb73c60ed3/go.mod h1:ZgVRPoUq/hfqzAqh7sHMqb3I9Rq5C59dIz2SbBwJ4eM= github.com/google/pprof v0.0.0-20200430221834-fc25d7d30c6d/go.mod h1:ZgVRPoUq/hfqzAqh7sHMqb3I9Rq5C59dIz2SbBwJ4eM= github.com/google/pprof v0.0.0-20200507031123-427632fa3b1c/go.mod h1:ZgVRPoUq/hfqzAqh7sHMqb3I9Rq5C59dIz2SbBwJ4eM= github.com/google/renameio v0.1.0/go.mod h1:KWCgfxg9yswjAJkECMjeO8J8rahYeXnNhOm40UhjYkI= github.com/google/subcommands v1.0.1/go.mod h1:ZjhPrFU+Olkh9WazFPsl27BQ4UPiG37m3yTrtFlrHVk= github.com/google/uuid v1.1.1 h1:Gkbcsh/GbpXz7lPftLA3P6TYMwjCLYm83jiFQZF/3gY= github.com/google/uuid v1.1.1/go.mod h1:TIyPZe4MgqvfeYDBFedMoGGpEw/LqOeaOT+nhxU+yHo= github.com/google/wire v0.4.0 h1:kXcsA/rIGzJImVqPdhfnr6q0xsS9gU0515q1EPpJ9fE= github.com/google/wire v0.4.0/go.mod h1:ngWDr9Qvq3yZA10YrxfyGELY/AFWGVpy9c1LTRi1EoU= github.com/googleapis/gax-go v2.0.2+incompatible h1:silFMLAnr330+NRuag/VjIGF7TLp/LBrV2CJKFLWEww= github.com/googleapis/gax-go v2.0.2+incompatible/go.mod h1:SFVmujtThgffbyetf+mdk2eWhX2bMyUtNHzFKcPA9HY= github.com/googleapis/gax-go/v2 v2.0.4/go.mod h1:0Wqv26UfaUD9n4G6kQubkQ+KchISgw+vpHVxEJEs9eg= github.com/googleapis/gax-go/v2 v2.0.5 h1:sjZBwGj9Jlw33ImPtvFviGYvseOtDM7hkSKB7+Tv3SM= github.com/googleapis/gax-go/v2 v2.0.5/go.mod h1:DWXyrwAJ9X0FpwwEdw+IPEYBICEFu5mhpdKc/us6bOk= github.com/gopherjs/gopherjs v0.0.0-20181017120253-0766667cb4d1 h1:EGx4pi6eqNxGaHF6qqu48+N2wcFQ5qg5FXgOdqsJ5d8= github.com/gopherjs/gopherjs v0.0.0-20181017120253-0766667cb4d1/go.mod h1:wJfORRmW1u3UXTncJ5qlYoELFm8eSnnEO6hX4iZ3EWY= github.com/gorilla/csrf v1.6.0/go.mod h1:7tSf8kmjNYr7IWDCYhd3U8Ck34iQ/Yw5CJu7bAkHEGI= github.com/gorilla/handlers v1.4.1/go.mod h1:Qkdc/uu4tH4g6mTK6auzZ766c4CA0Ng8+o/OAirnOIQ= github.com/gorilla/mux v1.7.3/go.mod h1:1lud6UwP+6orDFRuTfBEV8e9/aOM/c4fVVCaMa2zaAs= github.com/gorilla/securecookie v1.1.1/go.mod h1:ra0sb63/xPlUeL+yeDciTfxMRAA+MP+HVt/4epWDjd4= github.com/gorilla/websocket v1.4.2 h1:+/TMaTYc4QFitKJxsQ7Yye35DkWvkdLcvGKqM+x0Ufc= github.com/gorilla/websocket v1.4.2/go.mod h1:YR8l580nyteQvAITg2hZ9XVh4b55+EU/adAjf1fMHhE= github.com/grpc-ecosystem/go-grpc-middleware v1.0.0/go.mod h1:FiyG127CGDf3tlThmgyCl78X/SZQqEOJBCDaAfeWzPs= github.com/grpc-ecosystem/go-grpc-prometheus v1.2.0/go.mod h1:8NvIoxWQoOIhqOTXgfV/d3M/q6VIi02HzZEHgUlZvzk= github.com/grpc-ecosystem/grpc-gateway v1.9.0/go.mod h1:vNeuVxBJEsws4ogUvrchl83t/GYV9WGTSLVdBhOQFDY= github.com/hashicorp/consul/api v1.1.0/go.mod h1:VmuI/Lkw1nC05EYQWNKwWGbkg+FbDBtguAZLlVdkD9Q= github.com/hashicorp/consul/sdk v0.1.1/go.mod h1:VKf9jXwCTEY1QZP2MOLRhb5i/I/ssyNV1vwHyQBF0x8= github.com/hashicorp/errwrap v1.0.0/go.mod h1:YH+1FKiLXxHSkmPseP+kNlulaMuP3n2brvKWEqk/Jc4= github.com/hashicorp/go-cleanhttp v0.5.1/go.mod h1:JpRdi6/HCYpAwUzNwuwqhbovhLtngrth3wmdIIUrZ80= github.com/hashicorp/go-immutable-radix v1.0.0/go.mod h1:0y9vanUI8NX6FsYoO3zeMjhV/C5i9g4Q3DwcSNZ4P60= github.com/hashicorp/go-msgpack v0.5.3/go.mod h1:ahLV/dePpqEmjfWmKiqvPkv/twdG7iPBM1vqhUKIvfM= github.com/hashicorp/go-multierror v1.0.0/go.mod h1:dHtQlpGsu+cZNNAkkCN/P3hoUDHhCYQXV3UM06sGGrk= github.com/hashicorp/go-rootcerts v1.0.0/go.mod h1:K6zTfqpRlCUIjkwsN4Z+hiSfzSTQa6eBIzfwKfwNnHU= github.com/hashicorp/go-sockaddr v1.0.0/go.mod h1:7Xibr9yA9JjQq1JpNB2Vw7kxv8xerXegt+ozgdvDeDU= github.com/hashicorp/go-syslog v1.0.0/go.mod h1:qPfqrKkXGihmCqbJM2mZgkZGvKG1dFdvsLplgctolz4= github.com/hashicorp/go-uuid v1.0.0/go.mod h1:6SBZvOh/SIDV7/2o3Jml5SYk/TvGqwFJ/bN7x4byOro= github.com/hashicorp/go-uuid v1.0.1/go.mod h1:6SBZvOh/SIDV7/2o3Jml5SYk/TvGqwFJ/bN7x4byOro= github.com/hashicorp/go.net v0.0.1/go.mod h1:hjKkEWcCURg++eb33jQU7oqQcI9XDCnUzHA0oac0k90= github.com/hashicorp/golang-lru v0.5.0/go.mod h1:/m3WP610KZHVQ1SGc6re/UDhFvYD7pJ4Ao+sR/qLZy8= github.com/hashicorp/golang-lru v0.5.1/go.mod h1:/m3WP610KZHVQ1SGc6re/UDhFvYD7pJ4Ao+sR/qLZy8= github.com/hashicorp/hcl v1.0.0 h1:0Anlzjpi4vEasTeNFn2mLJgTSwt0+6sfsiTG8qcWGx4= github.com/hashicorp/hcl v1.0.0/go.mod h1:E5yfLk+7swimpb2L/Alb/PJmXilQ/rhwaUYs4T20WEQ= github.com/hashicorp/logutils v1.0.0/go.mod h1:QIAnNjmIWmVIIkWDTG1z5v++HQmx9WQRO+LraFDTW64= github.com/hashicorp/mdns v1.0.0/go.mod h1:tL+uN++7HEJ6SQLQ2/p+z2pH24WQKWjBPkE0mNTz8vQ= github.com/hashicorp/memberlist v0.1.3/go.mod h1:ajVTdAv/9Im8oMAAj5G31PhhMCZJV2pPBoIllUwCN7I= github.com/hashicorp/serf v0.8.2/go.mod h1:6hOLApaqBFA1NXqRQAsxw9QxuDEvNxSQRwA/JwenrHc= github.com/ianlancetaylor/demangle v0.0.0-20181102032728-5e5cf60278f6/go.mod h1:aSSvb/t6k1mPoxDqO4vJh6VOCGPwU4O0C2/Eqndh1Sc= github.com/inconshreveable/mousetrap v1.0.0 h1:Z8tu5sraLXCXIcARxBp/8cbvlwVa7Z1NHg9XEKhtSvM= github.com/inconshreveable/mousetrap v1.0.0/go.mod h1:PxqpIevigyE2G7u3NXJIT2ANytuPF1OarO4DADm73n8= github.com/jdkato/prose v1.2.0 h1:t/R3H6xOrVuIgNevWiOSJf1kEoeF2VWlrN6w76Tkzow= github.com/jdkato/prose v1.2.0/go.mod h1:WC4YKHtBdAMgBdmfdqBmEuVbBD0U5c9HQ6l1U8Cq0ts= github.com/jessevdk/go-flags v1.4.0/go.mod h1:4FA24M0QyGHXBuZZK/XkWh8h0e1EYbRYJSGM75WSRxI= github.com/jmespath/go-jmespath v0.0.0-20160202185014-0b12d6b521d8/go.mod h1:Nht3zPeWKUH0NzdCt2Blrr5ys8VGpn0CEB0cQHVjt7k= github.com/jmespath/go-jmespath v0.0.0-20180206201540-c2b33e8439af/go.mod h1:Nht3zPeWKUH0NzdCt2Blrr5ys8VGpn0CEB0cQHVjt7k= github.com/jmespath/go-jmespath v0.3.0/go.mod h1:9QtRXoHjLGCJ5IBSaohpXITPlowMeeYCZ7fLUTSywik= github.com/jmespath/go-jmespath v0.4.0 h1:BEgLn5cpjn8UN1mAw4NjwDrS35OdebyEtFe+9YPoQUg= github.com/jmespath/go-jmespath v0.4.0/go.mod h1:T8mJZnbsbmF+m6zOOFylbeCJqk5+pHWvzYPziyZiYoo= github.com/jmespath/go-jmespath/internal/testify v1.5.1 h1:shLQSRRSCCPj3f2gpwzGwWFoC7ycTf1rcQZHOlsJ6N8= github.com/jmespath/go-jmespath/internal/testify v1.5.1/go.mod h1:L3OGu8Wl2/fWfCI6z80xFu9LTZmf1ZRjMHUOPmWr69U= github.com/joho/godotenv v1.3.0/go.mod h1:7hK45KPybAkOC6peb+G5yklZfMxEjkZhHbwpqxOKXbg= github.com/jonboulle/clockwork v0.1.0/go.mod h1:Ii8DK3G1RaLaWxj9trq07+26W01tbo22gdxWY5EU2bo= github.com/json-iterator/go v1.1.6/go.mod h1:+SdeFBvtyEkXs7REEP0seUULqWtbJapLOCVDaaPEHmU= github.com/jstemmer/go-junit-report v0.0.0-20190106144839-af01ea7f8024/go.mod h1:6v2b51hI/fHJwM22ozAgKL4VKDeJcHhJFhtBdhmNjmU= github.com/jstemmer/go-junit-report v0.9.1 h1:6QPYqodiu3GuPL+7mfx+NwDdp2eTkp9IfEUpgAwUN0o= github.com/jstemmer/go-junit-report v0.9.1/go.mod h1:Brl9GWCQeLvo8nXZwPNNblvFj/XSXhF0NWZEnDohbsk= github.com/jtolds/gls v4.20.0+incompatible h1:xdiiI2gbIgH/gLH7ADydsJ1uDOEzR8yvV7C0MuV77Wo= github.com/jtolds/gls v4.20.0+incompatible/go.mod h1:QJZ7F/aHp+rZTRtaJ1ow/lLfFfVYBRgL+9YlvaHOwJU= github.com/julienschmidt/httprouter v1.2.0/go.mod h1:SYymIcj16QtmaHHD7aYtjjsJG7VTCxuUUipMqKk8s4w= github.com/kisielk/errcheck v1.1.0/go.mod h1:EZBBE59ingxPouuu3KfxchcWSUPOHkagtvWXihfKN4Q= github.com/kisielk/gotool v1.0.0/go.mod h1:XhKaO+MFFWcvkIS/tQcRk01m1F5IRFswLeQ+oQHNcck= github.com/konsorten/go-windows-terminal-sequences v1.0.1/go.mod h1:T0+1ngSBFLxvqU3pZ+m/2kptfBszLMUkC4ZK/EgS/cQ= github.com/kr/fs v0.1.0/go.mod h1:FFnZGqtBN9Gxj7eW1uZ42v5BccTP0vu6NEaFoC2HwRg= github.com/kr/logfmt v0.0.0-20140226030751-b84e30acd515/go.mod h1:+0opPa2QZZtGFBFZlji/RkVcI2GknAs/DXo4wKdlNEc= github.com/kr/pretty v0.1.0/go.mod h1:dAy3ld7l9f0ibDNOQOHHMYYIIbhfbHSm3C4ZsoJORNo= github.com/kr/pretty v0.2.1 h1:Fmg33tUaq4/8ym9TJN1x7sLJnHVwhP33CNkpYV/7rwI= github.com/kr/pretty v0.2.1/go.mod h1:ipq/a2n7PKx3OHsz4KJII5eveXtPO4qwEXGdVfWzfnI= github.com/kr/pty v1.1.1/go.mod h1:pFQYn66WHrOpPYNljwOMqo10TkYh1fy3cYio2l3bCsQ= github.com/kr/text v0.1.0 h1:45sCR5RtlFHMR4UwH9sdQ5TC8v0qDQCHnXt+kaKSTVE= github.com/kr/text v0.1.0/go.mod h1:4Jbv+DJW3UT/LiOwJeYQe1efqtUx/iVham/4vfdArNI= github.com/kylelemons/godebug v1.1.0 h1:RPNrshWIDI6G2gRW9EHilWtl7Z6Sb1BR0xunSBf0SNc= github.com/kylelemons/godebug v1.1.0/go.mod h1:9/0rRGxNHcop5bhtWyNeEfOS8JIWk580+fNqagV/RAw= github.com/kyokomi/emoji/v2 v2.2.7 h1:v12BHO3OBfwokUfaQghK4RSDFpG4WfxeKJPSdcc73Nk= github.com/kyokomi/emoji/v2 v2.2.7/go.mod h1:JUcn42DTdsXJo1SWanHh4HKDEyPaR5CqkmoirZZP9qE= github.com/lib/pq v1.1.1/go.mod h1:5WUZQaWbwv1U+lTReE5YruASi9Al49XbQIvNi/34Woo= github.com/magefile/mage v1.10.0 h1:3HiXzCUY12kh9bIuyXShaVe529fJfyqoVM42o/uom2g= github.com/magefile/mage v1.10.0/go.mod h1:z5UZb/iS3GoOSn0JgWuiw7dxlurVYTu+/jHXqQg881A= github.com/magiconair/properties v1.8.1 h1:ZC2Vc7/ZFkGmsVC9KvOjumD+G5lXy2RtTKyzRKO2BQ4= github.com/magiconair/properties v1.8.1/go.mod h1:PppfXfuXeibc/6YijjN8zIbojt8czPbwD3XqdrwzmxQ= github.com/markbates/inflect v0.0.0-20171215194931-a12c3aec81a6 h1:LZhVjIISSbj8qLf2qDPP0D8z0uvOWAW5C85ly5mJW6c= github.com/markbates/inflect v0.0.0-20171215194931-a12c3aec81a6/go.mod h1:oTeZL2KHA7CUX6X+fovmK9OvIOFuqu0TwdQrZjLTh88= github.com/matryer/try v0.0.0-20161228173917-9ac251b645a2/go.mod h1:0KeJpeMD6o+O4hW7qJOT7vyQPKrWmj26uf5wMc/IiIs= github.com/mattn/go-colorable v0.0.9/go.mod h1:9vuHe8Xs5qXnSaW/c/ABM9alt+Vo+STaOChaDxuIBZU= github.com/mattn/go-colorable v0.1.6/go.mod h1:u6P/XSegPjTcexA+o6vUJrdnUu04hMope9wVRipJSqc= github.com/mattn/go-ieproxy v0.0.0-20190610004146-91bb50d98149/go.mod h1:31jz6HNzdxOmlERGGEc4v/dMssOfmp2p5bT/okiKFFc= github.com/mattn/go-ieproxy v0.0.0-20190702010315-6dee0af9227d/go.mod h1:31jz6HNzdxOmlERGGEc4v/dMssOfmp2p5bT/okiKFFc= github.com/mattn/go-ieproxy v0.0.1 h1:qiyop7gCflfhwCzGyeT0gro3sF9AIg9HU98JORTkqfI= github.com/mattn/go-ieproxy v0.0.1/go.mod h1:pYabZ6IHcRpFh7vIaLfK7rdcWgFEb3SFJ6/gNWuh88E= github.com/mattn/go-isatty v0.0.3/go.mod h1:M+lRXTBqGeGNdLjl/ufCoiOlB5xdOkqRJdNxMWT7Zi4= github.com/mattn/go-isatty v0.0.4/go.mod h1:M+lRXTBqGeGNdLjl/ufCoiOlB5xdOkqRJdNxMWT7Zi4= github.com/mattn/go-isatty v0.0.12 h1:wuysRhFDzyxgEmMf5xjvJ2M9dZoWAXNNr5LSBS7uHXY= github.com/mattn/go-isatty v0.0.12/go.mod h1:cbi8OIDigv2wuxKPP5vlRcQ1OAZbq2CE4Kysco4FUpU= github.com/mattn/go-runewidth v0.0.7 h1:Ei8KR0497xHyKJPAv59M1dkC+rOZCMBJ+t3fZ+twI54= github.com/mattn/go-runewidth v0.0.7/go.mod h1:H031xJmbD/WCDINGzjvQ9THkh0rPKHF+m2gUSrubnMI= github.com/matttproud/golang_protobuf_extensions v1.0.1/go.mod h1:D8He9yQNgCq6Z5Ld7szi9bcBfOoFv/3dc6xSMkL2PC0= github.com/miekg/dns v1.0.14/go.mod h1:W1PPwlIAgtquWBMBEV9nkV9Cazfe8ScdGz/Lj7v3Nrg= github.com/miekg/mmark v1.3.6 h1:t47x5vThdwgLJzofNsbsAl7gmIiJ7kbDQN5BxwBmwvY= github.com/miekg/mmark v1.3.6/go.mod h1:w7r9mkTvpS55jlfyn22qJ618itLryxXBhA7Jp3FIlkw= github.com/mitchellh/cli v1.0.0/go.mod h1:hNIlj7HEI86fIcpObd7a0FcrxTWetlwJDGcceTlRvqc= github.com/mitchellh/go-homedir v1.0.0/go.mod h1:SfyaCUpYCn1Vlf4IUYiD9fPX4A5wJrkLzIz1N1q0pr0= github.com/mitchellh/go-homedir v1.1.0 h1:lukF9ziXFxDFPkA1vsr5zpc1XuPDn/wFntq5mG+4E0Y= github.com/mitchellh/go-homedir v1.1.0/go.mod h1:SfyaCUpYCn1Vlf4IUYiD9fPX4A5wJrkLzIz1N1q0pr0= github.com/mitchellh/go-testing-interface v1.0.0/go.mod h1:kRemZodwjscx+RGhAo8eIhFbs2+BFgRtFPeD/KE+zxI= github.com/mitchellh/gox v0.4.0/go.mod h1:Sd9lOJ0+aimLBi73mGofS1ycjY8lL3uZM3JPS42BGNg= github.com/mitchellh/hashstructure v1.0.0 h1:ZkRJX1CyOoTkar7p/mLS5TZU4nJ1Rn/F8u9dGS02Q3Y= github.com/mitchellh/hashstructure v1.0.0/go.mod h1:QjSHrPWS+BGUVBYkbTZWEnOh3G1DutKwClXU/ABz6AQ= github.com/mitchellh/iochan v1.0.0/go.mod h1:JwYml1nuB7xOzsp52dPpHFffvOCDupsG0QubkSMEySY= github.com/mitchellh/mapstructure v0.0.0-20160808181253-ca63d7c062ee/go.mod h1:FVVH3fgwuzCH5S8UJGiWEs2h04kUh9fWfEaFds41c1Y= github.com/mitchellh/mapstructure v1.1.2/go.mod h1:FVVH3fgwuzCH5S8UJGiWEs2h04kUh9fWfEaFds41c1Y= github.com/mitchellh/mapstructure v1.3.3 h1:SzB1nHZ2Xi+17FP0zVQBHIZqvwRN9408fJO8h+eeNA8= github.com/mitchellh/mapstructure v1.3.3/go.mod h1:bFUtVrKA4DC2yAKiSyO/QUcy7e+RRV2QTWOzhPopBRo= github.com/modern-go/concurrent v0.0.0-20180306012644-bacd9c7ef1dd/go.mod h1:6dJC0mAP4ikYIbvyc7fijjWJddQyLn8Ig3JB5CqoB9Q= github.com/modern-go/reflect2 v1.0.1/go.mod h1:bx2lNnkwVCuqBIxFjflWJWanXIb3RllmbCylyMrvgv0= github.com/montanaflynn/stats v0.6.3/go.mod h1:wL8QJuTMNUDYhXwkmfOly8iTdp5TEcJFWZD2D7SIkUc= github.com/muesli/smartcrop v0.3.0 h1:JTlSkmxWg/oQ1TcLDoypuirdE8Y/jzNirQeLkxpA6Oc= github.com/muesli/smartcrop v0.3.0/go.mod h1:i2fCI/UorTfgEpPPLWiFBv4pye+YAG78RwcQLUkocpI= github.com/mwitkow/go-conntrack v0.0.0-20161129095857-cc309e4a2223/go.mod h1:qRWi+5nqEBWmkhHvq77mSJWrCKwh8bxhgT7d/eI7P4U= github.com/nfnt/resize v0.0.0-20180221191011-83c6a9932646 h1:zYyBkD/k9seD2A7fsi6Oo2LfFZAehjjQMERAvZLEDnQ= github.com/nfnt/resize v0.0.0-20180221191011-83c6a9932646/go.mod h1:jpp1/29i3P1S/RLdc7JQKbRpFeM1dOBd8T9ki5s+AY8= github.com/nicksnyder/go-i18n/v2 v2.1.1 h1:ATCOanRDlrfKVB4WHAdJnLEqZtDmKYsweqsOUYflnBU= github.com/nicksnyder/go-i18n/v2 v2.1.1/go.mod h1:d++QJC9ZVf7pa48qrsRWhMJ5pSHIPmS3OLqK1niyLxs= github.com/niklasfasching/go-org v1.4.0 h1:qPy4VEdX55f5QcLiaD3X7N/tY5XOgk4y2uEyQa02i7A= github.com/niklasfasching/go-org v1.4.0/go.mod h1:4FWT4U/Anir9ewjwNpbZIzMjG5RaXFafkyWZNEPRdk8= github.com/nkovacs/streamquote v0.0.0-20170412213628-49af9bddb229/go.mod h1:0aYXnNPJ8l7uZxf45rWW1a/uME32OF0rhiYGNQ2oF2E= github.com/oklog/ulid v1.3.1/go.mod h1:CirwcVhetQ6Lv90oh/F+FBtV6XMibvdAFo93nm5qn4U= github.com/olekukonko/tablewriter v0.0.4 h1:vHD/YYe1Wolo78koG299f7V/VAS08c6IpCLn+Ejf/w8= github.com/olekukonko/tablewriter v0.0.4/go.mod h1:zq6QwlOf5SlnkVbMSr5EoBv3636FWnp+qbPhuoO21uA= github.com/pascaldekloe/goe v0.0.0-20180627143212-57f6aae5913c/go.mod h1:lzWF7FIEvWOWxwDKqyGYQf6ZUaNfKdP144TG7ZOy1lc= github.com/pelletier/go-toml v1.2.0/go.mod h1:5z9KED0ma1S8pY6P1sdut58dfprrGBbd/94hg7ilaic= github.com/pelletier/go-toml v1.8.1 h1:1Nf83orprkJyknT6h7zbuEGUEjcyVlCxSUGTENmNCRM= github.com/pelletier/go-toml v1.8.1/go.mod h1:T2/BmBdy8dvIRq1a/8aqjN41wvWlN4lrapLU/GW4pbc= github.com/pkg/errors v0.8.0/go.mod h1:bwawxfHBFNV+L2hUp1rHADufV3IMtnDRdf1r5NINEl0= github.com/pkg/errors v0.8.1/go.mod h1:bwawxfHBFNV+L2hUp1rHADufV3IMtnDRdf1r5NINEl0= github.com/pkg/errors v0.9.1 h1:FEBLx1zS214owpjy7qsBeixbURkuhQAwrK5UwLGTwt4= github.com/pkg/errors v0.9.1/go.mod h1:bwawxfHBFNV+L2hUp1rHADufV3IMtnDRdf1r5NINEl0= github.com/pkg/sftp v1.10.1/go.mod h1:lYOWFsE0bwd1+KfKJaKeuokY15vzFx25BLbzYYoAxZI= github.com/pmezard/go-difflib v0.0.0-20151028094244-d8ed2627bdf0/go.mod h1:iKH77koFhYxTK1pcRnkKkqfTogsbg7gZNVY4sRDYZ/4= github.com/pmezard/go-difflib v1.0.0 h1:4DBwDE0NGyQoBHbLQYPwSUPoCMWR5BEzIk/f1lZbAQM= github.com/pmezard/go-difflib v1.0.0/go.mod h1:iKH77koFhYxTK1pcRnkKkqfTogsbg7gZNVY4sRDYZ/4= github.com/posener/complete v1.1.1/go.mod h1:em0nMJCgc9GFtwrmVmEMR/ZL6WyhyjMBndrE9hABlRI= github.com/prometheus/client_golang v0.9.1/go.mod h1:7SWBe2y4D6OKWSNQJUaRYU/AaXPKyh/dDVn+NZz0KFw= github.com/prometheus/client_golang v0.9.3/go.mod h1:/TN21ttK/J9q6uSwhBd54HahCDft0ttaMvbicHlPoso= github.com/prometheus/client_model v0.0.0-20180712105110-5c3871d89910/go.mod h1:MbSGuTsp3dbXC40dX6PRTWyKYBIrTGTE9sqQNg2J8bo= github.com/prometheus/client_model v0.0.0-20190129233127-fd36f4220a90/go.mod h1:xMI15A0UPsDsEKsMN9yxemIoYk6Tm2C1GtYGdfGttqA= github.com/prometheus/client_model v0.0.0-20190812154241-14fe0d1b01d4/go.mod h1:xMI15A0UPsDsEKsMN9yxemIoYk6Tm2C1GtYGdfGttqA= github.com/prometheus/common v0.0.0-20181113130724-41aa239b4cce/go.mod h1:daVV7qP5qjZbuso7PdcryaAu0sAZbrN9i7WWcTMWvro= github.com/prometheus/common v0.4.0/go.mod h1:TNfzLD0ON7rHzMJeJkieUDPYmFC7Snx/y86RQel1bk4= github.com/prometheus/procfs v0.0.0-20181005140218-185b4288413d/go.mod h1:c3At6R/oaqEKCNdg8wHV1ftS6bRYblBhIjjI8uT2IGk= github.com/prometheus/procfs v0.0.0-20190507164030-5867b95ac084/go.mod h1:TjEm7ze935MbeOT/UhFTIMYKhuLP4wbCsTZCD3I8kEA= github.com/prometheus/tsdb v0.7.1/go.mod h1:qhTCs0VvXwvX/y3TZrWD7rabWM+ijKTux40TwIPHuXU= github.com/rogpeppe/fastuuid v0.0.0-20150106093220-6724a57986af/go.mod h1:XWv6SoW27p1b0cqNHllgS5HIMJraePCO15w5zCzIWYg= github.com/rogpeppe/go-internal v1.3.0/go.mod h1:M8bDsm7K2OlrFYOpmOWEs/qY81heoFRclV5y23lUDJ4= github.com/rogpeppe/go-internal v1.6.2 h1:aIihoIOHCiLZHxyoNQ+ABL4NKhFTgKLBdMLyEAh98m0= github.com/rogpeppe/go-internal v1.6.2/go.mod h1:xXDCJY+GAPziupqXw64V24skbSoqbTEfhy4qGm1nDQc= github.com/russross/blackfriday v1.5.3-0.20200218234912-41c5fccfd6f6 h1:tlXG832s5pa9x9Gs3Rp2rTvEqjiDEuETUOSfBEiTcns= github.com/russross/blackfriday v1.5.3-0.20200218234912-41c5fccfd6f6/go.mod h1:JO/DiYxRf+HjHt06OyowR9PTA263kcR/rfWxYHBV53g= github.com/russross/blackfriday/v2 v2.0.1 h1:lPqVAte+HuHNfhJ/0LC98ESWRz8afy9tM/0RK8m9o+Q= github.com/russross/blackfriday/v2 v2.0.1/go.mod h1:+Rmxgy9KzJVeS9/2gXHxylqXiyQDYRxCVz55jmeOWTM= github.com/rwcarlsen/goexif v0.0.0-20190401172101-9e8deecbddbd h1:CmH9+J6ZSsIjUK3dcGsnCnO41eRBOnY12zwkn5qVwgc= github.com/rwcarlsen/goexif v0.0.0-20190401172101-9e8deecbddbd/go.mod h1:hPqNNc0+uJM6H+SuU8sEs5K5IQeKccPqeSjfgcKGgPk= github.com/ryanuber/columnize v0.0.0-20160712163229-9b3edd62028f/go.mod h1:sm1tb6uqfes/u+d4ooFouqFdy9/2g9QGwK3SQygK0Ts= github.com/sanity-io/litter v1.3.0 h1:5ZO+weUsqdSWMUng5JnpkW/Oz8iTXiIdeumhQr1sSjs= github.com/sanity-io/litter v1.3.0/go.mod h1:5Z71SvaYy5kcGtyglXOC9rrUi3c1E8CamFWjQsazTh0= github.com/sean-/seed v0.0.0-20170313163322-e2103e2c3529/go.mod h1:DxrIzT+xaE7yg65j358z/aeFdxmN0P9QXhEzd20vsDc= github.com/sergi/go-diff v1.0.0 h1:Kpca3qRNrduNnOQeazBd0ysaKrUJiIuISHxogkT9RPQ= github.com/sergi/go-diff v1.0.0/go.mod h1:0CfEIISq7TuYL3j771MWULgwwjU+GofnZX9QAmXWZgo= github.com/shogo82148/go-shuffle v0.0.0-20180218125048-27e6095f230d/go.mod h1:2htx6lmL0NGLHlO8ZCf+lQBGBHIbEujyywxJArf+2Yc= github.com/shurcooL/sanitized_anchor_name v1.0.0 h1:PdmoCO6wvbs+7yrJyMORt4/BmY5IYyJwS/kOiWx8mHo= github.com/shurcooL/sanitized_anchor_name v1.0.0/go.mod h1:1NzhyTcUVG4SuEtjjoZeVRXNmyL/1OwPU0+IJeTBvfc= github.com/sirupsen/logrus v1.2.0/go.mod h1:LxeOpSwHxABJmUn/MG1IvRgCAasNZTLOkJPxbbu5VWo= github.com/smartystreets/assertions v0.0.0-20180927180507-b2de0cb4f26d h1:zE9ykElWQ6/NYmHa3jpm/yHnI4xSofP+UP6SpjHcSeM= github.com/smartystreets/assertions v0.0.0-20180927180507-b2de0cb4f26d/go.mod h1:OnSkiWE9lh6wB0YB77sQom3nweQdgAjqCqsofrRNTgc= github.com/smartystreets/goconvey v1.6.4 h1:fv0U8FUIMPNf1L9lnHLvLhgicrIVChEkdzIKYqbNC9s= github.com/smartystreets/goconvey v1.6.4/go.mod h1:syvi0/a8iFYH4r/RixwvyeAJjdLS9QV7WQ/tjFTllLA= github.com/soheilhy/cmux v0.1.4/go.mod h1:IM3LyeVVIOuxMH7sFAkER9+bJ4dT7Ms6E4xg4kGIyLM= github.com/spaolacci/murmur3 v0.0.0-20180118202830-f09979ecbc72/go.mod h1:JwIasOWyU6f++ZhiEuf87xNszmSA2myDM2Kzu9HwQUA= github.com/spf13/afero v1.1.2/go.mod h1:j4pytiNVoe2o6bmDsKpLACNPDBIoEAkihy7loJ1B0CQ= github.com/spf13/afero v1.4.1 h1:asw9sl74539yqavKaglDM5hFpdJVK0Y5Dr/JOgQ89nQ= github.com/spf13/afero v1.4.1/go.mod h1:Ai8FlHk4v/PARR026UzYexafAt9roJ7LcLMAmO6Z93I= github.com/spf13/cast v1.3.0/go.mod h1:Qx5cxh0v+4UWYiBimWS+eyWzqEqokIECu5etghLkUJE= github.com/spf13/cast v1.3.1 h1:nFm6S0SMdyzrzcmThSipiEubIDy8WEXKNZ0UOgiRpng= github.com/spf13/cast v1.3.1/go.mod h1:Qx5cxh0v+4UWYiBimWS+eyWzqEqokIECu5etghLkUJE= github.com/spf13/cobra v1.1.1 h1:KfztREH0tPxJJ+geloSLaAkaPkr4ki2Er5quFV1TDo4= github.com/spf13/cobra v1.1.1/go.mod h1:WnodtKOvamDL/PwE2M4iKs8aMDBZ5Q5klgD3qfVJQMI= github.com/spf13/fsync v0.9.0 h1:f9CEt3DOB2mnHxZaftmEOFWjABEvKM/xpf3cUwJrGOY= github.com/spf13/fsync v0.9.0/go.mod h1:fNtJEfG3HiltN3y4cPOz6MLjos9+2pIEqLIgszqhp/0= github.com/spf13/jwalterweatherman v1.0.0/go.mod h1:cQK4TGJAtQXfYWX+Ddv3mKDzgVb68N+wFjFa4jdeBTo= github.com/spf13/jwalterweatherman v1.1.0 h1:ue6voC5bR5F8YxI5S67j9i582FU4Qvo2bmqnqMYADFk= github.com/spf13/jwalterweatherman v1.1.0/go.mod h1:aNWZUN0dPAAO/Ljvb5BEdw96iTZ0EXowPYD95IqWIGo= github.com/spf13/pflag v1.0.3/go.mod h1:DYY7MBk1bdzusC3SYhjObp+wFpr4gzcvqqNjLnInEg4= github.com/spf13/pflag v1.0.5 h1:iy+VFUOCP1a+8yFto/drg2CJ5u0yRoB7fZw3DKv/JXA= github.com/spf13/pflag v1.0.5/go.mod h1:McXfInJRrz4CZXVZOBLb0bTZqETkiAhM9Iw0y3An2Bg= github.com/spf13/viper v1.7.0/go.mod h1:8WkrPz2fc9jxqZNCJI/76HCieCp4Q8HaLFoCha5qpdg= github.com/spf13/viper v1.7.1 h1:pM5oEahlgWv/WnHXpgbKz7iLIxRf65tye2Ci+XFK5sk= github.com/spf13/viper v1.7.1/go.mod h1:8WkrPz2fc9jxqZNCJI/76HCieCp4Q8HaLFoCha5qpdg= github.com/stretchr/objx v0.1.0/go.mod h1:HFkY916IF+rwdDfMAkV7OtwuqBVzrE8GR6GFx+wExME= github.com/stretchr/objx v0.1.1/go.mod h1:HFkY916IF+rwdDfMAkV7OtwuqBVzrE8GR6GFx+wExME= github.com/stretchr/objx v0.2.0/go.mod h1:qt09Ya8vawLte6SNmTgCsAVtYtaKzEcn8ATUoHMkEqE= github.com/stretchr/testify v0.0.0-20161117074351-18a02ba4a312/go.mod h1:a8OnRcib4nhh0OaRAV+Yts87kKdq0PP7pXfy6kDkUVs= github.com/stretchr/testify v1.2.2/go.mod h1:a8OnRcib4nhh0OaRAV+Yts87kKdq0PP7pXfy6kDkUVs= github.com/stretchr/testify v1.3.0/go.mod h1:M5WIy9Dh21IEIfnGCwXGc5bZfKNJtfHm1UVUgZn+9EI= github.com/stretchr/testify v1.4.0/go.mod h1:j7eGeouHqKxXV5pUuKE4zz7dFj8WfuZ+81PSLYec5m4= github.com/stretchr/testify v1.5.1/go.mod h1:5W2xD1RspED5o8YsWQXVCued0rvSQ+mT+I5cxcmMvtA= github.com/stretchr/testify v1.6.1 h1:hDPOHmpOpP40lSULcqw7IrRb/u7w6RpDC9399XyoNd0= github.com/stretchr/testify v1.6.1/go.mod h1:6Fq8oRcR53rry900zMqJjRRixrwX3KX962/h/Wwjteg= github.com/subosito/gotenv v1.2.0 h1:Slr1R9HxAlEKefgq5jn9U+DnETlIUa6HfgEzj0g5d7s= github.com/subosito/gotenv v1.2.0/go.mod h1:N0PQaV/YGNqwC0u51sEeR/aUtSLEXKX9iv69rRypqCw= github.com/tdewolff/minify/v2 v2.6.2 h1:Jaod6aSABWmhftvnxvXogxcEoQt6yogfFeZgIQEMPOw= github.com/tdewolff/minify/v2 v2.6.2/go.mod h1:BkDSm8aMMT0ALGmpt7j3Ra7nLUgZL0qhyrAHXwxcy5w= github.com/tdewolff/parse/v2 v2.4.2 h1:Bu2Qv6wepkc+Ou7iB/qHjAhEImlAP5vedzlQRUdj3BI= github.com/tdewolff/parse/v2 v2.4.2/go.mod h1:WzaJpRSbwq++EIQHYIRTpbYKNA3gn9it1Ik++q4zyho= github.com/tdewolff/test v1.0.6 h1:76mzYJQ83Op284kMT+63iCNCI7NEERsIN8dLM+RiKr4= github.com/tdewolff/test v1.0.6/go.mod h1:6DAvZliBAAnD7rhVgwaM7DE5/d9NMOAJ09SqYqeK4QE= github.com/tmc/grpc-websocket-proxy v0.0.0-20190109142713-0ad062ec5ee5/go.mod h1:ncp9v5uamzpCO7NfCPTXjqaC+bZgJeR0sMTm6dMHP7U= github.com/urfave/cli v1.22.4/go.mod h1:Gos4lmkARVdJ6EkW0WaNv/tZAAMe9V7XWyB60NtXRu0= github.com/valyala/bytebufferpool v1.0.0/go.mod h1:6bBcMArwyJ5K/AmCkWv1jt77kVWyCJ6HpOuEn7z0Csc= github.com/valyala/fasttemplate v1.0.1/go.mod h1:UQGH1tvbgY+Nz5t2n7tXsz52dQxojPUpymEIMZ47gx8= github.com/xiang90/probing v0.0.0-20190116061207-43a291ad63a2/go.mod h1:UETIi67q53MR2AWcXfiuqkDkRtnGDLqkBTpCHuJHxtU= github.com/yuin/goldmark v1.1.22/go.mod h1:3hX8gzYuyVAZsxl0MRgGTJEmQBFcNTphYh9decYSb74= github.com/yuin/goldmark v1.1.25/go.mod h1:3hX8gzYuyVAZsxl0MRgGTJEmQBFcNTphYh9decYSb74= github.com/yuin/goldmark v1.1.27/go.mod h1:3hX8gzYuyVAZsxl0MRgGTJEmQBFcNTphYh9decYSb74= github.com/yuin/goldmark v1.2.1 h1:ruQGxdhGHe7FWOJPT0mKs5+pD2Xs1Bm/kdGlHO04FmM= github.com/yuin/goldmark v1.2.1/go.mod h1:3hX8gzYuyVAZsxl0MRgGTJEmQBFcNTphYh9decYSb74= github.com/yuin/goldmark-highlighting v0.0.0-20200307114337-60d527fdb691 h1:VWSxtAiQNh3zgHJpdpkpVYjTPqRE3P6UZCOPa1nRDio= github.com/yuin/goldmark-highlighting v0.0.0-20200307114337-60d527fdb691/go.mod h1:YLF3kDffRfUH/bTxOxHhV6lxwIB3Vfj91rEwNMS9MXo= go.etcd.io/bbolt v1.3.2/go.mod h1:IbVyRI1SCnLcuJnV2u8VeU0CEYM7e686BmAb1XKL+uU= go.opencensus.io v0.15.0/go.mod h1:UffZAU+4sDEINUGP/B7UfBBkq4fqLu9zXAX7ke6CHW0= go.opencensus.io v0.21.0/go.mod h1:mSImk1erAIZhrmZN+AvHh14ztQfjbGwt4TtuofqLduU= go.opencensus.io v0.22.0/go.mod h1:+kGneAE2xo2IficOXnaByMWTGM9T73dGwxeWcUqIpI8= go.opencensus.io v0.22.2/go.mod h1:yxeiOL68Rb0Xd1ddK5vPZ/oVn4vY4Ynel7k9FzqtOIw= go.opencensus.io v0.22.3 h1:8sGtKOrtQqkN1bp2AtX+misvLIlOmsEsNd+9NIcPEm8= go.opencensus.io v0.22.3/go.mod h1:yxeiOL68Rb0Xd1ddK5vPZ/oVn4vY4Ynel7k9FzqtOIw= go.uber.org/atomic v1.4.0/go.mod h1:gD2HeocX3+yG+ygLZcrzQJaqmWj9AIm7n08wl/qW/PE= go.uber.org/multierr v1.1.0/go.mod h1:wR5kodmAFQ0UK8QlbwjlSNy0Z68gJhDJUG5sjR94q/0= go.uber.org/zap v1.10.0/go.mod h1:vwi/ZaCAaUcBkycHslxD9B2zi4UTXhF60s6SWpuDF0Q= gocloud.dev v0.20.0 h1:mbEKMfnyPV7W1Rj35R1xXfjszs9dXkwSOq2KoFr25g8= gocloud.dev v0.20.0/go.mod h1:+Y/RpSXrJthIOM8uFNzWp6MRu9pFPNFEEZrQMxpkfIc= golang.org/x/crypto v0.0.0-20180904163835-0709b304e793/go.mod h1:6SG95UA2DQfeDnfUPMdvaQW0Q7yPrPDi9nlGo2tz2b4= golang.org/x/crypto v0.0.0-20181029021203-45a5f77698d3/go.mod h1:6SG95UA2DQfeDnfUPMdvaQW0Q7yPrPDi9nlGo2tz2b4= golang.org/x/crypto v0.0.0-20190308221718-c2843e01d9a2/go.mod h1:djNgcEr1/C05ACkg1iLfiJU5Ep61QUkGW8qpdssI0+w= golang.org/x/crypto v0.0.0-20190510104115-cbcb75029529/go.mod h1:yigFU9vqHzYiE8UmvKecakEJjdnWj3jj499lnFckfCI= golang.org/x/crypto v0.0.0-20190605123033-f99c8df09eb5/go.mod h1:yigFU9vqHzYiE8UmvKecakEJjdnWj3jj499lnFckfCI= golang.org/x/crypto v0.0.0-20190820162420-60c769a6c586/go.mod h1:yigFU9vqHzYiE8UmvKecakEJjdnWj3jj499lnFckfCI= golang.org/x/crypto v0.0.0-20191011191535-87dc89f01550/go.mod h1:yigFU9vqHzYiE8UmvKecakEJjdnWj3jj499lnFckfCI= golang.org/x/crypto v0.0.0-20191206172530-e9b2fee46413 h1:ULYEB3JvPRE/IfO+9uO7vKV/xzVTO7XPAwm8xbf4w2g= golang.org/x/crypto v0.0.0-20191206172530-e9b2fee46413/go.mod h1:LzIPMQfyMNhhGPhUkYOs5KpL4U8rLKemX1yGLhDgUto= golang.org/x/exp v0.0.0-20190121172915-509febef88a4/go.mod h1:CJ0aWSM057203Lf6IL+f9T1iT9GByDxfZKAQTCR3kQA= golang.org/x/exp v0.0.0-20190306152737-a1d7652674e8/go.mod h1:CJ0aWSM057203Lf6IL+f9T1iT9GByDxfZKAQTCR3kQA= golang.org/x/exp v0.0.0-20190510132918-efd6b22b2522/go.mod h1:ZjyILWgesfNpC6sMxTJOJm9Kp84zZh5NQWvqDGG3Qr8= golang.org/x/exp v0.0.0-20190829153037-c13cbed26979/go.mod h1:86+5VVa7VpoJ4kLfm080zCjGlMRFzhUhsZKEZO7MGek= golang.org/x/exp v0.0.0-20191030013958-a1ab85dbe136/go.mod h1:JXzH8nQsPlswgeRAPE3MuO9GYsAcnJvJ4vnMwN/5qkY= golang.org/x/exp v0.0.0-20191129062945-2f5052295587/go.mod h1:2RIsYlXP63K8oxa1u096TMicItID8zy7Y6sNkU49FU4= golang.org/x/exp v0.0.0-20191227195350-da58074b4299/go.mod h1:2RIsYlXP63K8oxa1u096TMicItID8zy7Y6sNkU49FU4= golang.org/x/exp v0.0.0-20200119233911-0405dc783f0a/go.mod h1:2RIsYlXP63K8oxa1u096TMicItID8zy7Y6sNkU49FU4= golang.org/x/exp v0.0.0-20200207192155-f17229e696bd/go.mod h1:J/WKrq2StrnmMY6+EHIKF9dgMWnmCNThgcyBT1FY9mM= golang.org/x/exp v0.0.0-20200224162631-6cc2880d07d6/go.mod h1:3jZMyOhIsHpP37uCMkUooju7aAi5cS1Q23tOzKc+0MU= golang.org/x/image v0.0.0-20190227222117-0694c2d4d067/go.mod h1:kZ7UVZpmo3dzQBMxlp+ypCbDeSB+sBbTgSJuh5dn5js= golang.org/x/image v0.0.0-20190802002840-cff245a6509b/go.mod h1:FeLwcggjj3mMvU+oOTbSwawSJRM1uh48EjtB4UJZlP0= golang.org/x/image v0.0.0-20191214001246-9130b4cfad52 h1:2fktqPPvDiVEEVT/vSTeoUPXfmRxRaGy6GU8jypvEn0= golang.org/x/image v0.0.0-20191214001246-9130b4cfad52/go.mod h1:FeLwcggjj3mMvU+oOTbSwawSJRM1uh48EjtB4UJZlP0= golang.org/x/lint v0.0.0-20181026193005-c67002cb31c3/go.mod h1:UVdnD1Gm6xHRNCYTkRU2/jEulfH38KcIWyp/GAMgvoE= golang.org/x/lint v0.0.0-20190227174305-5b3e6a55c961/go.mod h1:wehouNa3lNwaWXcvxsM5YxQ5yQlVC4a0KAMCusXpPoU= golang.org/x/lint v0.0.0-20190301231843-5614ed5bae6f/go.mod h1:UVdnD1Gm6xHRNCYTkRU2/jEulfH38KcIWyp/GAMgvoE= golang.org/x/lint v0.0.0-20190313153728-d0100b6bd8b3/go.mod h1:6SW0HCj/g11FgYtHlgUYUwCkIfeOF89ocIRzGO/8vkc= golang.org/x/lint v0.0.0-20190409202823-959b441ac422/go.mod h1:6SW0HCj/g11FgYtHlgUYUwCkIfeOF89ocIRzGO/8vkc= golang.org/x/lint v0.0.0-20190909230951-414d861bb4ac/go.mod h1:6SW0HCj/g11FgYtHlgUYUwCkIfeOF89ocIRzGO/8vkc= golang.org/x/lint v0.0.0-20190930215403-16217165b5de/go.mod h1:6SW0HCj/g11FgYtHlgUYUwCkIfeOF89ocIRzGO/8vkc= golang.org/x/lint v0.0.0-20191125180803-fdd1cda4f05f/go.mod h1:5qLYkcX4OjUUV8bRuDixDT3tpyyb+LUpUlRWLxfhWrs= golang.org/x/lint v0.0.0-20200130185559-910be7a94367/go.mod h1:3xt1FjdF8hUf6vQPIChWIBhFzV8gjjsPE/fR3IyQdNY= golang.org/x/lint v0.0.0-20200302205851-738671d3881b h1:Wh+f8QHJXR411sJR8/vRBTZ7YapZaRvUcLFFJhusH0k= golang.org/x/lint v0.0.0-20200302205851-738671d3881b/go.mod h1:3xt1FjdF8hUf6vQPIChWIBhFzV8gjjsPE/fR3IyQdNY= golang.org/x/mobile v0.0.0-20190312151609-d3739f865fa6/go.mod h1:z+o9i4GpDbdi3rU15maQ/Ox0txvL9dWGYEHz965HBQE= golang.org/x/mobile v0.0.0-20190719004257-d2bd2a29d028/go.mod h1:E/iHnbuqvinMTCcRqshq8CkpyQDoeVncDDYHnLhea+o= golang.org/x/mod v0.0.0-20190513183733-4bf6d317e70e/go.mod h1:mXi4GBBbnImb6dmsKGUJ2LatrhH/nqhxcFungHvyanc= golang.org/x/mod v0.1.0/go.mod h1:0QHyrYULN0/3qlju5TqG8bIK38QM8yzMo5ekMj3DlcY= golang.org/x/mod v0.1.1-0.20191105210325-c90efee705ee/go.mod h1:QqPTAvyqsEbceGzBzNggFXnrqF1CaUcvgkdR5Ot7KZg= golang.org/x/mod v0.1.1-0.20191107180719-034126e5016b/go.mod h1:QqPTAvyqsEbceGzBzNggFXnrqF1CaUcvgkdR5Ot7KZg= golang.org/x/mod v0.2.0/go.mod h1:s0Qsj1ACt9ePp/hMypM3fl4fZqREWJwdYDEqhRiZZUA= golang.org/x/mod v0.3.0 h1:RM4zey1++hCTbCVQfnWeKs9/IEsaBLA8vTkd0WVtmH4= golang.org/x/mod v0.3.0/go.mod h1:s0Qsj1ACt9ePp/hMypM3fl4fZqREWJwdYDEqhRiZZUA= golang.org/x/net v0.0.0-20180724234803-3673e40ba225/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20180826012351-8a410e7b638d/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20181023162649-9b4f9f5ad519/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20181114220301-adae6a3d119a/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20181201002055-351d144fa1fc/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20181220203305-927f97764cc3/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20190108225652-1e06a53dbb7e/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20190213061140-3a22650c66bd/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20190311183353-d8887717615a/go.mod h1:t9HGtf8HONx5eT2rtn7q6eTqICYqUVnKs3thJo3Qplg= golang.org/x/net v0.0.0-20190404232315-eb5bcb51f2a3/go.mod h1:t9HGtf8HONx5eT2rtn7q6eTqICYqUVnKs3thJo3Qplg= golang.org/x/net v0.0.0-20190501004415-9ce7a6920f09/go.mod h1:t9HGtf8HONx5eT2rtn7q6eTqICYqUVnKs3thJo3Qplg= golang.org/x/net v0.0.0-20190503192946-f4e77d36d62c/go.mod h1:t9HGtf8HONx5eT2rtn7q6eTqICYqUVnKs3thJo3Qplg= golang.org/x/net v0.0.0-20190603091049-60506f45cf65/go.mod h1:HSz+uSET+XFnRR8LxR5pz3Of3rY3CfYBVs4xY44aLks= golang.org/x/net v0.0.0-20190619014844-b5b0513f8c1b/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20190620200207-3b0461eec859/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20190724013045-ca1201d0de80/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20190813141303-74dc4d7220e7/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20191112182307-2180aed22343/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20191209160850-c0dbc17a3553/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20200114155413-6afb5195e5aa/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20200202094626-16171245cfb2/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20200222125558-5a598a2470a0/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20200226121028-0de0cce0169b/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20200301022130-244492dfa37a/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20200324143707-d3edc9973b7e/go.mod h1:qpuaurCH72eLCgpAm/N6yyVIVM9cpaDIP3A8BGJEC5A= golang.org/x/net v0.0.0-20200501053045-e0ff5e5a1de5/go.mod h1:qpuaurCH72eLCgpAm/N6yyVIVM9cpaDIP3A8BGJEC5A= golang.org/x/net v0.0.0-20200506145744-7e3656a0809f/go.mod h1:qpuaurCH72eLCgpAm/N6yyVIVM9cpaDIP3A8BGJEC5A= golang.org/x/net v0.0.0-20200513185701-a91f0712d120/go.mod h1:qpuaurCH72eLCgpAm/N6yyVIVM9cpaDIP3A8BGJEC5A= golang.org/x/net v0.0.0-20200520182314-0ba52f642ac2/go.mod h1:qpuaurCH72eLCgpAm/N6yyVIVM9cpaDIP3A8BGJEC5A= golang.org/x/net v0.0.0-20200602114024-627f9648deb9 h1:pNX+40auqi2JqRfOP1akLGtYcn15TUbkhwuCO3foqqM= golang.org/x/net v0.0.0-20200602114024-627f9648deb9/go.mod h1:qpuaurCH72eLCgpAm/N6yyVIVM9cpaDIP3A8BGJEC5A= golang.org/x/net v0.0.0-20201224014010-6772e930b67b h1:iFwSg7t5GZmB/Q5TjiEAsdoLDrdJRC1RiF2WhuV29Qw= golang.org/x/net v0.0.0-20201224014010-6772e930b67b/go.mod h1:m0MpNAwzfU5UDzcl9v0D8zg8gWTRqZa9RBIspLL5mdg= golang.org/x/oauth2 v0.0.0-20180821212333-d2e6202438be/go.mod h1:N/0e6XlmueqKjAGxoOufVs8QHGRruUQn6yWY3a++T0U= golang.org/x/oauth2 v0.0.0-20190226205417-e64efc72b421/go.mod h1:gOpvHmFTYa4IltrdGE7lF6nIHvwfUNPOp7c8zoXwtLw= golang.org/x/oauth2 v0.0.0-20190402181905-9f3314589c9a/go.mod h1:gOpvHmFTYa4IltrdGE7lF6nIHvwfUNPOp7c8zoXwtLw= golang.org/x/oauth2 v0.0.0-20190604053449-0f29369cfe45/go.mod h1:gOpvHmFTYa4IltrdGE7lF6nIHvwfUNPOp7c8zoXwtLw= golang.org/x/oauth2 v0.0.0-20191202225959-858c2ad4c8b6/go.mod h1:gOpvHmFTYa4IltrdGE7lF6nIHvwfUNPOp7c8zoXwtLw= golang.org/x/oauth2 v0.0.0-20200107190931-bf48bf16ab8d h1:TzXSXBo42m9gQenoE3b9BGiEpg5IG2JkU5FkPIawgtw= golang.org/x/oauth2 v0.0.0-20200107190931-bf48bf16ab8d/go.mod h1:gOpvHmFTYa4IltrdGE7lF6nIHvwfUNPOp7c8zoXwtLw= golang.org/x/sync v0.0.0-20180314180146-1d60e4601c6f/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20181108010431-42b317875d0f/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20181221193216-37e7f081c4d4/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20190227155943-e225da77a7e6/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20190423024810-112230192c58/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20190911185100-cd5d95a43a6e/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20200317015054-43a5402ce75a h1:WXEvlFVvvGxCJLG6REjsT03iWnKLEWinaScsxF2Vm2o= golang.org/x/sync v0.0.0-20200317015054-43a5402ce75a/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sys v0.0.0-20180823144017-11551d06cbcc/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20180830151530-49385e6e1522/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20180905080454-ebe1bf3edb33/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20181026203630-95b1ffbd15a5/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20181031143558-9b800f95dbbc/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20181107165924-66b7b1311ac8/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20181116152217-5ac8a444bdc5/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20181128092732-4ed8d59d0b35/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20190215142949-d0b11bdaac8a/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20190312061237-fead79001313/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20190412213103-97732733099d/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20190502145724-3ef323f4f1fd/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20190507160741-ecd444e8653b/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20190606165138-5da285871e9c/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20190624142023-c5567b49c5d0/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20190726091711-fc99dfbffb4e/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20191001151750-bb3f8db39f24/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20191005200804-aed5e4c7ecf9/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20191112214154-59a1497f0cea/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20191204072324-ce4227a45e2e/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20191228213918-04cbcbbfeed8/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200113162924-86b910548bc1/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200116001909-b77594299b42/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200122134326-e047566fdf82/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200202164722-d101bd2416d5/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200212091648-12a6c2dcc1e4/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200223170610-d5e6a3e2c0ae/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200302150141-5c8b2ff67527/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200317113312-5766fd39f98d/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200323222414-85ca7c5b95cd/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200331124033-c3d80250170d/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200413165638-669c56c373c4/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200501052902-10377860bb8e/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200501145240-bc7a7d42d5c3/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200511232937-7e40ca221e25/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200515095857-1151b9dac4a9/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200523222454-059865788121/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200602225109-6fdc65e7d980 h1:OjiUf46hAmXblsZdnoSXsEUSKU8r1UEzcL5RVZ4gO9Y= golang.org/x/sys v0.0.0-20200602225109-6fdc65e7d980/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20201119102817-f84b799fce68/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/term v0.0.0-20201126162022-7de9c90e9dd1/go.mod h1:bj7SfCRtBDWHUb9snDiAeCFNEtKQo2Wmx5Cou7ajbmo= golang.org/x/text v0.0.0-20170915032832-14c0d48ead0c/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ= golang.org/x/text v0.3.0/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ= golang.org/x/text v0.3.1-0.20180807135948-17ff2d5776d2/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ= golang.org/x/text v0.3.2/go.mod h1:bEr9sfX3Q8Zfm5fL9x+3itogRgK3+ptLWKqgva+5dAk= golang.org/x/text v0.3.3/go.mod h1:5Zoc/QRtKVWzQhOtBMvqHzDpF6irO9z98xDceosuGiQ= golang.org/x/text v0.3.4 h1:0YWbFKbhXG/wIiuHDSKpS0Iy7FSA+u45VtBMfQcFTTc= golang.org/x/text v0.3.4/go.mod h1:5Zoc/QRtKVWzQhOtBMvqHzDpF6irO9z98xDceosuGiQ= golang.org/x/time v0.0.0-20181108054448-85acf8d2951c/go.mod h1:tRJNPiyCQ0inRvYxbN9jk5I+vvW/OXSQhTDSoE431IQ= golang.org/x/time v0.0.0-20190308202827-9d24e82272b4/go.mod h1:tRJNPiyCQ0inRvYxbN9jk5I+vvW/OXSQhTDSoE431IQ= golang.org/x/time v0.0.0-20191024005414-555d28b269f0/go.mod h1:tRJNPiyCQ0inRvYxbN9jk5I+vvW/OXSQhTDSoE431IQ= golang.org/x/tools v0.0.0-20180221164845-07fd8470d635/go.mod h1:n7NCudcB/nEzxVGmLbDWY5pfWTLqBcC2KZ6jyYvM4mQ= golang.org/x/tools v0.0.0-20180917221912-90fa682c2a6e/go.mod h1:n7NCudcB/nEzxVGmLbDWY5pfWTLqBcC2KZ6jyYvM4mQ= golang.org/x/tools v0.0.0-20190114222345-bf090417da8b/go.mod h1:n7NCudcB/nEzxVGmLbDWY5pfWTLqBcC2KZ6jyYvM4mQ= golang.org/x/tools v0.0.0-20190226205152-f727befe758c/go.mod h1:9Yl7xja0Znq3iFh3HoIrodX9oNMXvdceNzlUR8zjMvY= golang.org/x/tools v0.0.0-20190311212946-11955173bddd/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= golang.org/x/tools v0.0.0-20190312151545-0bb0c0a6e846/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= golang.org/x/tools v0.0.0-20190312170243-e65039ee4138/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= golang.org/x/tools v0.0.0-20190328211700-ab21143f2384/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= golang.org/x/tools v0.0.0-20190422233926-fe54fb35175b/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= golang.org/x/tools v0.0.0-20190425150028-36563e24a262/go.mod h1:RgjU9mgBXZiqYHBnxXauZ1Gv1EHHAz9KjViQ78xBX0Q= golang.org/x/tools v0.0.0-20190506145303-2d16b83fe98c/go.mod h1:RgjU9mgBXZiqYHBnxXauZ1Gv1EHHAz9KjViQ78xBX0Q= golang.org/x/tools v0.0.0-20190524140312-2c0ae7006135/go.mod h1:RgjU9mgBXZiqYHBnxXauZ1Gv1EHHAz9KjViQ78xBX0Q= golang.org/x/tools v0.0.0-20190606124116-d0a3d012864b/go.mod h1:/rFqwRUd4F7ZHNgwSSTFct+R/Kf4OFW1sUzUTQQTgfc= golang.org/x/tools v0.0.0-20190621195816-6e04913cbbac/go.mod h1:/rFqwRUd4F7ZHNgwSSTFct+R/Kf4OFW1sUzUTQQTgfc= golang.org/x/tools v0.0.0-20190628153133-6cdbf07be9d0/go.mod h1:/rFqwRUd4F7ZHNgwSSTFct+R/Kf4OFW1sUzUTQQTgfc= golang.org/x/tools v0.0.0-20190816200558-6889da9d5479/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= golang.org/x/tools v0.0.0-20190911174233-4f2ddba30aff/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= golang.org/x/tools v0.0.0-20191012152004-8de300cfc20a/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= golang.org/x/tools v0.0.0-20191112195655-aa38f8e97acc/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= golang.org/x/tools v0.0.0-20191113191852-77e3bb0ad9e7/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= golang.org/x/tools v0.0.0-20191115202509-3a792d9c32b2/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= golang.org/x/tools v0.0.0-20191119224855-298f0cb1881e/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= golang.org/x/tools v0.0.0-20191125144606-a911d9008d1f/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= golang.org/x/tools v0.0.0-20191130070609-6e064ea0cf2d/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= golang.org/x/tools v0.0.0-20191216173652-a0e659d51361/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20191227053925-7b8e75db28f4/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20200117161641-43d50277825c/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20200122220014-bf1340f18c4a/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20200130002326-2f3ba24bd6e7/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20200204074204-1cc6d1ef6c74/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20200207183749-b753a1ba74fa/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20200212150539-ea181f53ac56/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20200224181240-023911ca70b2/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20200227222343-706bc42d1f0d/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= golang.org/x/tools v0.0.0-20200304193943-95d2e580d8eb/go.mod h1:o4KQGtdN14AW+yjsvvwRTJJuXz8XRtIHtEnmAXLyFUw= golang.org/x/tools v0.0.0-20200312045724-11d5b4c81c7d/go.mod h1:o4KQGtdN14AW+yjsvvwRTJJuXz8XRtIHtEnmAXLyFUw= golang.org/x/tools v0.0.0-20200317043434-63da46f3035e/go.mod h1:Sl4aGygMT6LrqrWclx+PTx3U+LnKx/seiNR+3G19Ar8= golang.org/x/tools v0.0.0-20200325010219-a49f79bcc224/go.mod h1:Sl4aGygMT6LrqrWclx+PTx3U+LnKx/seiNR+3G19Ar8= golang.org/x/tools v0.0.0-20200331025713-a30bf2db82d4/go.mod h1:Sl4aGygMT6LrqrWclx+PTx3U+LnKx/seiNR+3G19Ar8= golang.org/x/tools v0.0.0-20200501065659-ab2804fb9c9d/go.mod h1:EkVYQZoAsY45+roYkvgYkIh4xh/qjgUK9TdY2XT94GE= golang.org/x/tools v0.0.0-20200512131952-2bc93b1c0c88/go.mod h1:EkVYQZoAsY45+roYkvgYkIh4xh/qjgUK9TdY2XT94GE= golang.org/x/tools v0.0.0-20200515010526-7d3b6ebf133d/go.mod h1:EkVYQZoAsY45+roYkvgYkIh4xh/qjgUK9TdY2XT94GE= golang.org/x/tools v0.0.0-20200601175630-2caf76543d99/go.mod h1:EkVYQZoAsY45+roYkvgYkIh4xh/qjgUK9TdY2XT94GE= golang.org/x/tools v0.0.0-20200606014950-c42cb6316fb6/go.mod h1:EkVYQZoAsY45+roYkvgYkIh4xh/qjgUK9TdY2XT94GE= golang.org/x/tools v0.0.0-20200608174601-1b747fd94509 h1:MI14dOfl3OG6Zd32w3ugsrvcUO810fDZdWakTq39dH4= golang.org/x/tools v0.0.0-20200608174601-1b747fd94509/go.mod h1:EkVYQZoAsY45+roYkvgYkIh4xh/qjgUK9TdY2XT94GE= golang.org/x/xerrors v0.0.0-20190717185122-a985d3407aa7/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0= golang.org/x/xerrors v0.0.0-20191011141410-1b5146add898/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0= golang.org/x/xerrors v0.0.0-20191204190536-9bdfabe68543 h1:E7g+9GITq07hpfrRu66IVDexMakfv52eLZ2CXBWiKr4= golang.org/x/xerrors v0.0.0-20191204190536-9bdfabe68543/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0= google.golang.org/api v0.4.0/go.mod h1:8k5glujaEP+g9n7WNsDg8QP6cUVNI86fCNMcbazEtwE= google.golang.org/api v0.5.0/go.mod h1:8k5glujaEP+g9n7WNsDg8QP6cUVNI86fCNMcbazEtwE= google.golang.org/api v0.7.0/go.mod h1:WtwebWUNSVBH/HAw79HIFXZNqEvBhG+Ra+ax0hx3E3M= google.golang.org/api v0.8.0/go.mod h1:o4eAsZoiT+ibD93RtjEohWalFOjRDx6CVaqeizhEnKg= google.golang.org/api v0.9.0/go.mod h1:o4eAsZoiT+ibD93RtjEohWalFOjRDx6CVaqeizhEnKg= google.golang.org/api v0.13.0/go.mod h1:iLdEw5Ide6rF15KTC1Kkl0iskquN2gFfn9o9XIsbkAI= google.golang.org/api v0.14.0/go.mod h1:iLdEw5Ide6rF15KTC1Kkl0iskquN2gFfn9o9XIsbkAI= google.golang.org/api v0.15.0/go.mod h1:iLdEw5Ide6rF15KTC1Kkl0iskquN2gFfn9o9XIsbkAI= google.golang.org/api v0.17.0/go.mod h1:BwFmGc8tA3vsd7r/7kR8DY7iEEGSU04BFxCo5jP/sfE= google.golang.org/api v0.18.0/go.mod h1:BwFmGc8tA3vsd7r/7kR8DY7iEEGSU04BFxCo5jP/sfE= google.golang.org/api v0.19.0/go.mod h1:BwFmGc8tA3vsd7r/7kR8DY7iEEGSU04BFxCo5jP/sfE= google.golang.org/api v0.20.0/go.mod h1:BwFmGc8tA3vsd7r/7kR8DY7iEEGSU04BFxCo5jP/sfE= google.golang.org/api v0.22.0/go.mod h1:BwFmGc8tA3vsd7r/7kR8DY7iEEGSU04BFxCo5jP/sfE= google.golang.org/api v0.24.0/go.mod h1:lIXQywCXRcnZPGlsd8NbLnOjtAoL6em04bJ9+z0MncE= google.golang.org/api v0.26.0 h1:VJZ8h6E8ip82FRpQl848c5vAadxlTXrUh8RzQzSRm08= google.golang.org/api v0.26.0/go.mod h1:lIXQywCXRcnZPGlsd8NbLnOjtAoL6em04bJ9+z0MncE= google.golang.org/appengine v1.1.0/go.mod h1:EbEs0AVv82hx2wNQdGPgUI5lhzA/G0D9YwlJXL52JkM= google.golang.org/appengine v1.4.0/go.mod h1:xpcJRLb0r/rnEns0DIKYYv+WjYCduHsrkT7/EB5XEv4= google.golang.org/appengine v1.5.0/go.mod h1:xpcJRLb0r/rnEns0DIKYYv+WjYCduHsrkT7/EB5XEv4= google.golang.org/appengine v1.6.1/go.mod h1:i06prIuMbXzDqacNJfV5OdTW448YApPu5ww/cMBSeb0= google.golang.org/appengine v1.6.5/go.mod h1:8WjMMxjGQR8xUklV/ARdw2HLXBOI7O7uCIDZVag1xfc= google.golang.org/appengine v1.6.6 h1:lMO5rYAqUxkmaj76jAkRUvt5JZgFymx/+Q5Mzfivuhc= google.golang.org/appengine v1.6.6/go.mod h1:8WjMMxjGQR8xUklV/ARdw2HLXBOI7O7uCIDZVag1xfc= google.golang.org/genproto v0.0.0-20180817151627-c66870c02cf8/go.mod h1:JiN7NxoALGmiZfu7CAH4rXhgtRTLTxftemlI0sWmxmc= google.golang.org/genproto v0.0.0-20190307195333-5fe7a883aa19/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= google.golang.org/genproto v0.0.0-20190418145605-e7d98fc518a7/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= google.golang.org/genproto v0.0.0-20190425155659-357c62f0e4bb/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= google.golang.org/genproto v0.0.0-20190502173448-54afdca5d873/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= google.golang.org/genproto v0.0.0-20190508193815-b515fa19cec8/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= google.golang.org/genproto v0.0.0-20190530194941-fb225487d101/go.mod h1:z3L6/3dTEVtUr6QSP8miRzeRqwQOioJ9I66odjN4I7s= google.golang.org/genproto v0.0.0-20190801165951-fa694d86fc64/go.mod h1:DMBHOl98Agz4BDEuKkezgsaosCRResVns1a3J2ZsMNc= google.golang.org/genproto v0.0.0-20190819201941-24fa4b261c55/go.mod h1:DMBHOl98Agz4BDEuKkezgsaosCRResVns1a3J2ZsMNc= google.golang.org/genproto v0.0.0-20190911173649-1774047e7e51/go.mod h1:IbNlFCBrqXvoKpeg0TB2l7cyZUmoaFKYIwrEpbDKLA8= google.golang.org/genproto v0.0.0-20191108220845-16a3f7862a1a/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= google.golang.org/genproto v0.0.0-20191115194625-c23dd37a84c9/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= google.golang.org/genproto v0.0.0-20191216164720-4f79533eabd1/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= google.golang.org/genproto v0.0.0-20191230161307-f3c370f40bfb/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= google.golang.org/genproto v0.0.0-20200115191322-ca5a22157cba/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= google.golang.org/genproto v0.0.0-20200122232147-0452cf42e150/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= google.golang.org/genproto v0.0.0-20200204135345-fa8e72b47b90/go.mod h1:GmwEX6Z4W5gMy59cAlVYjN9JhxgbQH6Gn+gFDQe2lzA= google.golang.org/genproto v0.0.0-20200212174721-66ed5ce911ce/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200224152610-e50cd9704f63/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200228133532-8c2c7df3a383/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200305110556-506484158171/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200312145019-da6875a35672/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200317114155-1f3552e48f24/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200325114520-5b2d0af7952b/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200331122359-1ee6d9798940/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200430143042-b979b6f78d84/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200511104702-f5ebc3bea380/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200515170657-fc4c6c6a6587/go.mod h1:YsZOwe1myG/8QRHRsmBRE1LrgQY60beZKjly0O1fX9U= google.golang.org/genproto v0.0.0-20200526211855-cb27e3aa2013/go.mod h1:NbSheEEYHJ7i3ixzK3sjbqSGDJWnxyFXZblF3eUsNvo= google.golang.org/genproto v0.0.0-20200603110839-e855014d5736/go.mod h1:jDfRM7FcilCzHH/e9qn6dsT145K34l5v+OpcnNgKAAA= google.golang.org/genproto v0.0.0-20200608115520-7c474a2e3482 h1:i+Aiej6cta/Frzp13/swvwz5O00kYcSe0A/C5Wd7zX8= google.golang.org/genproto v0.0.0-20200608115520-7c474a2e3482/go.mod h1:jDfRM7FcilCzHH/e9qn6dsT145K34l5v+OpcnNgKAAA= google.golang.org/grpc v1.19.0/go.mod h1:mqu4LbDTu4XGKhr4mRzUsmM4RtVoemTSY81AxZiDr8c= google.golang.org/grpc v1.20.1/go.mod h1:10oTOabMzJvdu6/UiuZezV6QK5dSlG84ov/aaiqXj38= google.golang.org/grpc v1.21.0/go.mod h1:oYelfM1adQP15Ek0mdvEgi9Df8B9CZIaU1084ijfRaM= google.golang.org/grpc v1.21.1/go.mod h1:oYelfM1adQP15Ek0mdvEgi9Df8B9CZIaU1084ijfRaM= google.golang.org/grpc v1.23.0/go.mod h1:Y5yQAOtifL1yxbo5wqy6BxZv8vAUGQwXBOALyacEbxg= google.golang.org/grpc v1.25.1/go.mod h1:c3i+UQWmh7LiEpx4sFZnkU36qjEYZ0imhYfXVyQciAY= google.golang.org/grpc v1.26.0/go.mod h1:qbnxyOmOxrQa7FizSgH+ReBfzJrCY1pSN7KXBS8abTk= google.golang.org/grpc v1.27.0/go.mod h1:qbnxyOmOxrQa7FizSgH+ReBfzJrCY1pSN7KXBS8abTk= google.golang.org/grpc v1.27.1/go.mod h1:qbnxyOmOxrQa7FizSgH+ReBfzJrCY1pSN7KXBS8abTk= google.golang.org/grpc v1.28.0/go.mod h1:rpkK4SK4GF4Ach/+MFLZUBavHOvF2JJB5uozKKal+60= google.golang.org/grpc v1.29.1 h1:EC2SB8S04d2r73uptxphDSUG+kTKVgjRPF+N3xpxRB4= google.golang.org/grpc v1.29.1/go.mod h1:itym6AZVZYACWQqET3MqgPpjcuV5QH3BxFS3IjizoKk= google.golang.org/protobuf v0.0.0-20200109180630-ec00e32a8dfd/go.mod h1:DFci5gLYBciE7Vtevhsrf46CRTquxDuWsQurQQe4oz8= google.golang.org/protobuf v0.0.0-20200221191635-4d8936d0db64/go.mod h1:kwYJMbMJ01Woi6D6+Kah6886xMZcty6N08ah7+eCXa0= google.golang.org/protobuf v0.0.0-20200228230310-ab0ca4ff8a60/go.mod h1:cfTl7dwQJ+fmap5saPgwCLgHXTUD7jkjRqWcaiX5VyM= google.golang.org/protobuf v1.20.1-0.20200309200217-e05f789c0967/go.mod h1:A+miEFZTKqfCUM6K7xSMQL9OKL/b6hQv+e19PK+JZNE= google.golang.org/protobuf v1.21.0/go.mod h1:47Nbq4nVaFHyn7ilMalzfO3qCViNmqZ2kzikPIcrTAo= google.golang.org/protobuf v1.22.0/go.mod h1:EGpADcykh3NcUnDUJcl1+ZksZNG86OlYog2l/sGQquU= google.golang.org/protobuf v1.23.0/go.mod h1:EGpADcykh3NcUnDUJcl1+ZksZNG86OlYog2l/sGQquU= google.golang.org/protobuf v1.23.1-0.20200526195155-81db48ad09cc/go.mod h1:EGpADcykh3NcUnDUJcl1+ZksZNG86OlYog2l/sGQquU= google.golang.org/protobuf v1.24.0/go.mod h1:r/3tXBNzIEhYS9I1OUVjXDlt8tc493IdKGjtUeSXeh4= google.golang.org/protobuf v1.25.0 h1:Ejskq+SyPohKW+1uil0JJMtmHCgJPJ/qWTxr8qp+R4c= google.golang.org/protobuf v1.25.0/go.mod h1:9JNX74DMeImyA3h4bdi1ymwjUzf21/xIlbajtzgsN7c= gopkg.in/alecthomas/kingpin.v2 v2.2.6/go.mod h1:FMv+mEhP44yOT+4EoQTLFTRgOQ1FBLkstjWtayDeSgw= gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= gopkg.in/check.v1 v1.0.0-20180628173108-788fd7840127/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= gopkg.in/check.v1 v1.0.0-20190902080502-41f04d3bba15 h1:YR8cESwS4TdDjEe65xsg0ogRM/Nc3DYOhEAlW+xobZo= gopkg.in/check.v1 v1.0.0-20190902080502-41f04d3bba15/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= gopkg.in/errgo.v2 v2.1.0/go.mod h1:hNsd1EY+bozCKY1Ytp96fpM3vjJbqLJn88ws8XvfDNI= gopkg.in/ini.v1 v1.51.0/go.mod h1:pNLf8WUiyNEtQjuu5G5vTm06TEv9tsIgeAvK8hOrP4k= gopkg.in/ini.v1 v1.51.1 h1:GyboHr4UqMiLUybYjd22ZjQIKEJEpgtLXtuGbR21Oho= gopkg.in/ini.v1 v1.51.1/go.mod h1:pNLf8WUiyNEtQjuu5G5vTm06TEv9tsIgeAvK8hOrP4k= gopkg.in/neurosnap/sentences.v1 v1.0.6/go.mod h1:YlK+SN+fLQZj+kY3r8DkGDhDr91+S3JmTb5LSxFRQo0= gopkg.in/resty.v1 v1.12.0/go.mod h1:mDo4pnntr5jdWRML875a/NmxYqAlA73dVijT2AXvQQo= gopkg.in/yaml.v2 v2.0.0-20170812160011-eb3733d160e7/go.mod h1:JAlM8MvJe8wmxCU4Bli9HhUf9+ttbYbLASfIpnQbh74= gopkg.in/yaml.v2 v2.2.1/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= gopkg.in/yaml.v2 v2.2.2/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= gopkg.in/yaml.v2 v2.2.4/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= gopkg.in/yaml.v2 v2.2.8/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= gopkg.in/yaml.v2 v2.3.0/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= gopkg.in/yaml.v2 v2.4.0 h1:D8xgwECY7CYvx+Y2n4sBz93Jn9JRvxdiyyo8CTfuKaY= gopkg.in/yaml.v2 v2.4.0/go.mod h1:RDklbk79AGWmwhnvt/jBztapEOGDOx6ZbXqjP6csGnQ= gopkg.in/yaml.v3 v3.0.0-20200313102051-9f266ea9e77c h1:dUUwHk2QECo/6vqA44rthZ8ie2QXMNeKRTHCNY2nXvo= gopkg.in/yaml.v3 v3.0.0-20200313102051-9f266ea9e77c/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM= honnef.co/go/tools v0.0.0-20190102054323-c2f93a96b099/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= honnef.co/go/tools v0.0.0-20190106161140-3f1c8253044a/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= honnef.co/go/tools v0.0.0-20190418001031-e561f6794a2a/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= honnef.co/go/tools v0.0.0-20190523083050-ea95bdfd59fc/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= honnef.co/go/tools v0.0.1-2019.2.3/go.mod h1:a3bituU0lyd329TUQxRnasdCoJDkEUEAqEt0JzvZhAg= honnef.co/go/tools v0.0.1-2020.1.3/go.mod h1:X/FiERA/W4tHapMX5mGpAtMSVEeEUOyHaw9vFzvIQ3k= honnef.co/go/tools v0.0.1-2020.1.4 h1:UoveltGrhghAA7ePc+e+QYDHXrBps2PqFZiHkGR/xK8= honnef.co/go/tools v0.0.1-2020.1.4/go.mod h1:X/FiERA/W4tHapMX5mGpAtMSVEeEUOyHaw9vFzvIQ3k= rsc.io/binaryregexp v0.2.0/go.mod h1:qTv7/COck+e2FymRvadv62gMdZztPaShugOCi3I+8D8= rsc.io/quote/v3 v3.1.0/go.mod h1:yEA65RcK8LyAZtP9Kv3t0HmxON59tX3rD+tICJqUlj0= rsc.io/sampler v1.3.0/go.mod h1:T1hPZKmBbMNahiBKFy5HrXp6adAjACjK9JXDnKaTXpA=
1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./markup/org/convert.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. // Package org converts Emacs Org-Mode to HTML. package org import ( "bytes" "github.com/gohugoio/hugo/identity" "github.com/gohugoio/hugo/markup/converter" "github.com/niklasfasching/go-org/org" "github.com/spf13/afero" ) // Provider is the package entry point. var Provider converter.ProviderProvider = provide{} type provide struct { } func (p provide) New(cfg converter.ProviderConfig) (converter.Provider, error) { return converter.NewProvider("org", func(ctx converter.DocumentContext) (converter.Converter, error) { return &orgConverter{ ctx: ctx, cfg: cfg, }, nil }), nil } type orgConverter struct { ctx converter.DocumentContext cfg converter.ProviderConfig } func (c *orgConverter) Convert(ctx converter.RenderContext) (converter.Result, error) { logger := c.cfg.Logger config := org.New() config.Log = logger.Warn() config.ReadFile = func(filename string) ([]byte, error) { return afero.ReadFile(c.cfg.ContentFs, filename) } writer := org.NewHTMLWriter() writer.HighlightCodeBlock = func(source, lang string, inline bool) string { highlightedSource, err := c.cfg.Highlight(source, lang, "") if err != nil { logger.Errorf("Could not highlight source as lang %s. Using raw source.", lang) return source } return highlightedSource } html, err := config.Parse(bytes.NewReader(ctx.Src), c.ctx.DocumentName).Write(writer) if err != nil { logger.Errorf("Could not render org: %s. Using unrendered content.", err) return converter.Bytes(ctx.Src), nil } return converter.Bytes([]byte(html)), nil } func (c *orgConverter) Supports(feature identity.Identity) bool { return false }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. // Package org converts Emacs Org-Mode to HTML. package org import ( "bytes" "github.com/gohugoio/hugo/identity" "github.com/gohugoio/hugo/markup/converter" "github.com/niklasfasching/go-org/org" "github.com/spf13/afero" ) // Provider is the package entry point. var Provider converter.ProviderProvider = provide{} type provide struct { } func (p provide) New(cfg converter.ProviderConfig) (converter.Provider, error) { return converter.NewProvider("org", func(ctx converter.DocumentContext) (converter.Converter, error) { return &orgConverter{ ctx: ctx, cfg: cfg, }, nil }), nil } type orgConverter struct { ctx converter.DocumentContext cfg converter.ProviderConfig } func (c *orgConverter) Convert(ctx converter.RenderContext) (converter.Result, error) { logger := c.cfg.Logger config := org.New() config.Log = logger.Warn() config.ReadFile = func(filename string) ([]byte, error) { return afero.ReadFile(c.cfg.ContentFs, filename) } writer := org.NewHTMLWriter() writer.PrettyRelativeLinks = !c.cfg.Cfg.GetBool("uglyURLs") writer.HighlightCodeBlock = func(source, lang string, inline bool) string { highlightedSource, err := c.cfg.Highlight(source, lang, "") if err != nil { logger.Errorf("Could not highlight source as lang %s. Using raw source.", lang) return source } return highlightedSource } html, err := config.Parse(bytes.NewReader(ctx.Src), c.ctx.DocumentName).Write(writer) if err != nil { logger.Errorf("Could not render org: %s. Using unrendered content.", err) return converter.Bytes(ctx.Src), nil } return converter.Bytes([]byte(html)), nil } func (c *orgConverter) Supports(feature identity.Identity) bool { return false }
1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./markup/org/convert_test.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package org import ( "testing" "github.com/gohugoio/hugo/common/loggers" "github.com/gohugoio/hugo/markup/converter" qt "github.com/frankban/quicktest" ) func TestConvert(t *testing.T) { c := qt.New(t) p, err := Provider.New(converter.ProviderConfig{Logger: loggers.NewErrorLogger()}) c.Assert(err, qt.IsNil) conv, err := p.New(converter.DocumentContext{}) c.Assert(err, qt.IsNil) b, err := conv.Convert(converter.RenderContext{Src: []byte("testContent")}) c.Assert(err, qt.IsNil) c.Assert(string(b.Bytes()), qt.Equals, "<p>testContent</p>\n") }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package org import ( "testing" "github.com/gohugoio/hugo/common/loggers" "github.com/spf13/viper" "github.com/gohugoio/hugo/markup/converter" qt "github.com/frankban/quicktest" ) func TestConvert(t *testing.T) { c := qt.New(t) p, err := Provider.New(converter.ProviderConfig{ Logger: loggers.NewErrorLogger(), Cfg: viper.New(), }) c.Assert(err, qt.IsNil) conv, err := p.New(converter.DocumentContext{}) c.Assert(err, qt.IsNil) b, err := conv.Convert(converter.RenderContext{Src: []byte("testContent")}) c.Assert(err, qt.IsNil) c.Assert(string(b.Bytes()), qt.Equals, "<p>testContent</p>\n") }
1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./resources/page/pagemeta/pagemeta.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package pagemeta import ( "github.com/mitchellh/mapstructure" ) type URLPath struct { URL string Permalink string Slug string Section string } const ( Never = "never" Always = "always" ListLocally = "local" Link = "link" ) var defaultBuildConfig = BuildConfig{ List: Always, Render: Always, PublishResources: true, set: true, } // BuildConfig holds configuration options about how to handle a Page in Hugo's // build process. type BuildConfig struct { // Whether to add it to any of the page collections. // Note that the page can always be found with .Site.GetPage. // Valid values: never, always, local. // Setting it to 'local' means they will be available via the local // page collections, e.g. $section.Pages. // Note: before 0.57.2 this was a bool, so we accept those too. List string // Whether to render it. // Valid values: never, always, link. // The value link means it will not be rendered, but it will get a RelPermalink/Permalink. // Note that before 0.76.0 this was a bool, so we accept those too. Render string // Whether to publish its resources. These will still be published on demand, // but enabling this can be useful if the originals (e.g. images) are // never used. PublishResources bool set bool // BuildCfg is non-zero if this is set to true. } // Disable sets all options to their off value. func (b *BuildConfig) Disable() { b.List = Never b.Render = Never b.PublishResources = false b.set = true } func (b BuildConfig) IsZero() bool { return !b.set } func DecodeBuildConfig(m interface{}) (BuildConfig, error) { b := defaultBuildConfig if m == nil { return b, nil } err := mapstructure.WeakDecode(m, &b) // In 0.67.1 we changed the list attribute from a bool to a string (enum). // Bool values will become 0 or 1. switch b.List { case "0": b.List = Never case "1": b.List = Always case Always, Never, ListLocally: default: b.List = Always } // In 0.76.0 we changed the Render from bool to a string. switch b.Render { case "0": b.Render = Never case "1": b.Render = Always case Always, Never, Link: default: b.Render = Always } return b, err }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package pagemeta import ( "github.com/mitchellh/mapstructure" ) type URLPath struct { URL string Permalink string Slug string Section string } const ( Never = "never" Always = "always" ListLocally = "local" Link = "link" ) var defaultBuildConfig = BuildConfig{ List: Always, Render: Always, PublishResources: true, set: true, } // BuildConfig holds configuration options about how to handle a Page in Hugo's // build process. type BuildConfig struct { // Whether to add it to any of the page collections. // Note that the page can always be found with .Site.GetPage. // Valid values: never, always, local. // Setting it to 'local' means they will be available via the local // page collections, e.g. $section.Pages. // Note: before 0.57.2 this was a bool, so we accept those too. List string // Whether to render it. // Valid values: never, always, link. // The value link means it will not be rendered, but it will get a RelPermalink/Permalink. // Note that before 0.76.0 this was a bool, so we accept those too. Render string // Whether to publish its resources. These will still be published on demand, // but enabling this can be useful if the originals (e.g. images) are // never used. PublishResources bool set bool // BuildCfg is non-zero if this is set to true. } // Disable sets all options to their off value. func (b *BuildConfig) Disable() { b.List = Never b.Render = Never b.PublishResources = false b.set = true } func (b BuildConfig) IsZero() bool { return !b.set } func DecodeBuildConfig(m interface{}) (BuildConfig, error) { b := defaultBuildConfig if m == nil { return b, nil } err := mapstructure.WeakDecode(m, &b) // In 0.67.1 we changed the list attribute from a bool to a string (enum). // Bool values will become 0 or 1. switch b.List { case "0": b.List = Never case "1": b.List = Always case Always, Never, ListLocally: default: b.List = Always } // In 0.76.0 we changed the Render from bool to a string. switch b.Render { case "0": b.Render = Never case "1": b.Render = Always case Always, Never, Link: default: b.Render = Always } return b, err }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./tpl/math/round.go
// Copyright 2009 The Go Authors. All rights reserved. // Use of this source code is governed by a BSD-style // license that can be found in the LICENSE file. // According to https://github.com/golang/go/issues/20100, the Go stdlib will // include math.Round beginning with Go 1.10. // // The following implementation was taken from https://golang.org/cl/43652. package math import "math" const ( mask = 0x7FF shift = 64 - 11 - 1 bias = 1023 ) // Round returns the nearest integer, rounding half away from zero. // // Special cases are: // Round(±0) = ±0 // Round(±Inf) = ±Inf // Round(NaN) = NaN func _round(x float64) float64 { // Round is a faster implementation of: // // func Round(x float64) float64 { // t := Trunc(x) // if Abs(x-t) >= 0.5 { // return t + Copysign(1, x) // } // return t // } const ( signMask = 1 << 63 fracMask = 1<<shift - 1 half = 1 << (shift - 1) one = bias << shift ) bits := math.Float64bits(x) e := uint(bits>>shift) & mask if e < bias { // Round abs(x) < 1 including denormals. bits &= signMask // +-0 if e == bias-1 { bits |= one // +-1 } } else if e < bias+shift { // Round any abs(x) >= 1 containing a fractional component [0,1). // // Numbers with larger exponents are returned unchanged since they // must be either an integer, infinity, or NaN. e -= bias bits += half >> e bits &^= fracMask >> e } return math.Float64frombits(bits) }
// Copyright 2009 The Go Authors. All rights reserved. // Use of this source code is governed by a BSD-style // license that can be found in the LICENSE file. // According to https://github.com/golang/go/issues/20100, the Go stdlib will // include math.Round beginning with Go 1.10. // // The following implementation was taken from https://golang.org/cl/43652. package math import "math" const ( mask = 0x7FF shift = 64 - 11 - 1 bias = 1023 ) // Round returns the nearest integer, rounding half away from zero. // // Special cases are: // Round(±0) = ±0 // Round(±Inf) = ±Inf // Round(NaN) = NaN func _round(x float64) float64 { // Round is a faster implementation of: // // func Round(x float64) float64 { // t := Trunc(x) // if Abs(x-t) >= 0.5 { // return t + Copysign(1, x) // } // return t // } const ( signMask = 1 << 63 fracMask = 1<<shift - 1 half = 1 << (shift - 1) one = bias << shift ) bits := math.Float64bits(x) e := uint(bits>>shift) & mask if e < bias { // Round abs(x) < 1 including denormals. bits &= signMask // +-0 if e == bias-1 { bits |= one // +-1 } } else if e < bias+shift { // Round any abs(x) >= 1 containing a fractional component [0,1). // // Numbers with larger exponents are returned unchanged since they // must be either an integer, infinity, or NaN. e -= bias bits += half >> e bits &^= fracMask >> e } return math.Float64frombits(bits) }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./tpl/internal/go_templates/texttemplate/parse/parse.go
// Copyright 2011 The Go Authors. All rights reserved. // Use of this source code is governed by a BSD-style // license that can be found in the LICENSE file. // Package parse builds parse trees for templates as defined by text/template // and html/template. Clients should use those packages to construct templates // rather than this one, which provides shared internal data structures not // intended for general use. package parse import ( "bytes" "fmt" "runtime" "strconv" "strings" ) // Tree is the representation of a single parsed template. type Tree struct { Name string // name of the template represented by the tree. ParseName string // name of the top-level template during parsing, for error messages. Root *ListNode // top-level root of the tree. text string // text parsed to create the template (or its parent) // Parsing only; cleared after parse. funcs []map[string]interface{} lex *lexer token [3]item // three-token lookahead for parser. peekCount int vars []string // variables defined at the moment. treeSet map[string]*Tree } // Copy returns a copy of the Tree. Any parsing state is discarded. func (t *Tree) Copy() *Tree { if t == nil { return nil } return &Tree{ Name: t.Name, ParseName: t.ParseName, Root: t.Root.CopyList(), text: t.text, } } // Parse returns a map from template name to parse.Tree, created by parsing the // templates described in the argument string. The top-level template will be // given the specified name. If an error is encountered, parsing stops and an // empty map is returned with the error. func Parse(name, text, leftDelim, rightDelim string, funcs ...map[string]interface{}) (map[string]*Tree, error) { treeSet := make(map[string]*Tree) t := New(name) t.text = text _, err := t.Parse(text, leftDelim, rightDelim, treeSet, funcs...) return treeSet, err } // next returns the next token. func (t *Tree) next() item { if t.peekCount > 0 { t.peekCount-- } else { t.token[0] = t.lex.nextItem() } return t.token[t.peekCount] } // backup backs the input stream up one token. func (t *Tree) backup() { t.peekCount++ } // backup2 backs the input stream up two tokens. // The zeroth token is already there. func (t *Tree) backup2(t1 item) { t.token[1] = t1 t.peekCount = 2 } // backup3 backs the input stream up three tokens // The zeroth token is already there. func (t *Tree) backup3(t2, t1 item) { // Reverse order: we're pushing back. t.token[1] = t1 t.token[2] = t2 t.peekCount = 3 } // peek returns but does not consume the next token. func (t *Tree) peek() item { if t.peekCount > 0 { return t.token[t.peekCount-1] } t.peekCount = 1 t.token[0] = t.lex.nextItem() return t.token[0] } // nextNonSpace returns the next non-space token. func (t *Tree) nextNonSpace() (token item) { for { token = t.next() if token.typ != itemSpace { break } } return token } // peekNonSpace returns but does not consume the next non-space token. func (t *Tree) peekNonSpace() item { token := t.nextNonSpace() t.backup() return token } // Parsing. // New allocates a new parse tree with the given name. func New(name string, funcs ...map[string]interface{}) *Tree { return &Tree{ Name: name, funcs: funcs, } } // ErrorContext returns a textual representation of the location of the node in the input text. // The receiver is only used when the node does not have a pointer to the tree inside, // which can occur in old code. func (t *Tree) ErrorContext(n Node) (location, context string) { pos := int(n.Position()) tree := n.tree() if tree == nil { tree = t } text := tree.text[:pos] byteNum := strings.LastIndex(text, "\n") if byteNum == -1 { byteNum = pos // On first line. } else { byteNum++ // After the newline. byteNum = pos - byteNum } lineNum := 1 + strings.Count(text, "\n") context = n.String() return fmt.Sprintf("%s:%d:%d", tree.ParseName, lineNum, byteNum), context } // errorf formats the error and terminates processing. func (t *Tree) errorf(format string, args ...interface{}) { t.Root = nil format = fmt.Sprintf("template: %s:%d: %s", t.ParseName, t.token[0].line, format) panic(fmt.Errorf(format, args...)) } // error terminates processing. func (t *Tree) error(err error) { t.errorf("%s", err) } // expect consumes the next token and guarantees it has the required type. func (t *Tree) expect(expected itemType, context string) item { token := t.nextNonSpace() if token.typ != expected { t.unexpected(token, context) } return token } // expectOneOf consumes the next token and guarantees it has one of the required types. func (t *Tree) expectOneOf(expected1, expected2 itemType, context string) item { token := t.nextNonSpace() if token.typ != expected1 && token.typ != expected2 { t.unexpected(token, context) } return token } // unexpected complains about the token and terminates processing. func (t *Tree) unexpected(token item, context string) { t.errorf("unexpected %s in %s", token, context) } // recover is the handler that turns panics into returns from the top level of Parse. func (t *Tree) recover(errp *error) { e := recover() if e != nil { if _, ok := e.(runtime.Error); ok { panic(e) } if t != nil { t.lex.drain() t.stopParse() } *errp = e.(error) } } // startParse initializes the parser, using the lexer. func (t *Tree) startParse(funcs []map[string]interface{}, lex *lexer, treeSet map[string]*Tree) { t.Root = nil t.lex = lex t.vars = []string{"$"} t.funcs = funcs t.treeSet = treeSet } // stopParse terminates parsing. func (t *Tree) stopParse() { t.lex = nil t.vars = nil t.funcs = nil t.treeSet = nil } // Parse parses the template definition string to construct a representation of // the template for execution. If either action delimiter string is empty, the // default ("{{" or "}}") is used. Embedded template definitions are added to // the treeSet map. func (t *Tree) Parse(text, leftDelim, rightDelim string, treeSet map[string]*Tree, funcs ...map[string]interface{}) (tree *Tree, err error) { defer t.recover(&err) t.ParseName = t.Name t.startParse(funcs, lex(t.Name, text, leftDelim, rightDelim), treeSet) t.text = text t.parse() t.add() t.stopParse() return t, nil } // add adds tree to t.treeSet. func (t *Tree) add() { tree := t.treeSet[t.Name] if tree == nil || IsEmptyTree(tree.Root) { t.treeSet[t.Name] = t return } if !IsEmptyTree(t.Root) { t.errorf("template: multiple definition of template %q", t.Name) } } // IsEmptyTree reports whether this tree (node) is empty of everything but space. func IsEmptyTree(n Node) bool { switch n := n.(type) { case nil: return true case *ActionNode: case *IfNode: case *ListNode: for _, node := range n.Nodes { if !IsEmptyTree(node) { return false } } return true case *RangeNode: case *TemplateNode: case *TextNode: return len(bytes.TrimSpace(n.Text)) == 0 case *WithNode: default: panic("unknown node: " + n.String()) } return false } // parse is the top-level parser for a template, essentially the same // as itemList except it also parses {{define}} actions. // It runs to EOF. func (t *Tree) parse() { t.Root = t.newList(t.peek().pos) for t.peek().typ != itemEOF { if t.peek().typ == itemLeftDelim { delim := t.next() if t.nextNonSpace().typ == itemDefine { newT := New("definition") // name will be updated once we know it. newT.text = t.text newT.ParseName = t.ParseName newT.startParse(t.funcs, t.lex, t.treeSet) newT.parseDefinition() continue } t.backup2(delim) } switch n := t.textOrAction(); n.Type() { case nodeEnd, nodeElse: t.errorf("unexpected %s", n) default: t.Root.append(n) } } } // parseDefinition parses a {{define}} ... {{end}} template definition and // installs the definition in t.treeSet. The "define" keyword has already // been scanned. func (t *Tree) parseDefinition() { const context = "define clause" name := t.expectOneOf(itemString, itemRawString, context) var err error t.Name, err = strconv.Unquote(name.val) if err != nil { t.error(err) } t.expect(itemRightDelim, context) var end Node t.Root, end = t.itemList() if end.Type() != nodeEnd { t.errorf("unexpected %s in %s", end, context) } t.add() t.stopParse() } // itemList: // textOrAction* // Terminates at {{end}} or {{else}}, returned separately. func (t *Tree) itemList() (list *ListNode, next Node) { list = t.newList(t.peekNonSpace().pos) for t.peekNonSpace().typ != itemEOF { n := t.textOrAction() switch n.Type() { case nodeEnd, nodeElse: return list, n } list.append(n) } t.errorf("unexpected EOF") return } // textOrAction: // text | action func (t *Tree) textOrAction() Node { switch token := t.nextNonSpace(); token.typ { case itemText: return t.newText(token.pos, token.val) case itemLeftDelim: return t.action() default: t.unexpected(token, "input") } return nil } // Action: // control // command ("|" command)* // Left delim is past. Now get actions. // First word could be a keyword such as range. func (t *Tree) action() (n Node) { switch token := t.nextNonSpace(); token.typ { case itemBlock: return t.blockControl() case itemElse: return t.elseControl() case itemEnd: return t.endControl() case itemIf: return t.ifControl() case itemRange: return t.rangeControl() case itemTemplate: return t.templateControl() case itemWith: return t.withControl() } t.backup() token := t.peek() // Do not pop variables; they persist until "end". return t.newAction(token.pos, token.line, t.pipeline("command")) } // Pipeline: // declarations? command ('|' command)* func (t *Tree) pipeline(context string) (pipe *PipeNode) { token := t.peekNonSpace() pipe = t.newPipeline(token.pos, token.line, nil) // Are there declarations or assignments? decls: if v := t.peekNonSpace(); v.typ == itemVariable { t.next() // Since space is a token, we need 3-token look-ahead here in the worst case: // in "$x foo" we need to read "foo" (as opposed to ":=") to know that $x is an // argument variable rather than a declaration. So remember the token // adjacent to the variable so we can push it back if necessary. tokenAfterVariable := t.peek() next := t.peekNonSpace() switch { case next.typ == itemAssign, next.typ == itemDeclare: pipe.IsAssign = next.typ == itemAssign t.nextNonSpace() pipe.Decl = append(pipe.Decl, t.newVariable(v.pos, v.val)) t.vars = append(t.vars, v.val) case next.typ == itemChar && next.val == ",": t.nextNonSpace() pipe.Decl = append(pipe.Decl, t.newVariable(v.pos, v.val)) t.vars = append(t.vars, v.val) if context == "range" && len(pipe.Decl) < 2 { switch t.peekNonSpace().typ { case itemVariable, itemRightDelim, itemRightParen: // second initialized variable in a range pipeline goto decls default: t.errorf("range can only initialize variables") } } t.errorf("too many declarations in %s", context) case tokenAfterVariable.typ == itemSpace: t.backup3(v, tokenAfterVariable) default: t.backup2(v) } } for { switch token := t.nextNonSpace(); token.typ { case itemRightDelim, itemRightParen: // At this point, the pipeline is complete t.checkPipeline(pipe, context) if token.typ == itemRightParen { t.backup() } return case itemBool, itemCharConstant, itemComplex, itemDot, itemField, itemIdentifier, itemNumber, itemNil, itemRawString, itemString, itemVariable, itemLeftParen: t.backup() pipe.append(t.command()) default: t.unexpected(token, context) } } } func (t *Tree) checkPipeline(pipe *PipeNode, context string) { // Reject empty pipelines if len(pipe.Cmds) == 0 { t.errorf("missing value for %s", context) } // Only the first command of a pipeline can start with a non executable operand for i, c := range pipe.Cmds[1:] { switch c.Args[0].Type() { case NodeBool, NodeDot, NodeNil, NodeNumber, NodeString: // With A|B|C, pipeline stage 2 is B t.errorf("non executable command in pipeline stage %d", i+2) } } } func (t *Tree) parseControl(allowElseIf bool, context string) (pos Pos, line int, pipe *PipeNode, list, elseList *ListNode) { defer t.popVars(len(t.vars)) pipe = t.pipeline(context) var next Node list, next = t.itemList() switch next.Type() { case nodeEnd: //done case nodeElse: if allowElseIf { // Special case for "else if". If the "else" is followed immediately by an "if", // the elseControl will have left the "if" token pending. Treat // {{if a}}_{{else if b}}_{{end}} // as // {{if a}}_{{else}}{{if b}}_{{end}}{{end}}. // To do this, parse the if as usual and stop at it {{end}}; the subsequent{{end}} // is assumed. This technique works even for long if-else-if chains. // TODO: Should we allow else-if in with and range? if t.peek().typ == itemIf { t.next() // Consume the "if" token. elseList = t.newList(next.Position()) elseList.append(t.ifControl()) // Do not consume the next item - only one {{end}} required. break } } elseList, next = t.itemList() if next.Type() != nodeEnd { t.errorf("expected end; found %s", next) } } return pipe.Position(), pipe.Line, pipe, list, elseList } // If: // {{if pipeline}} itemList {{end}} // {{if pipeline}} itemList {{else}} itemList {{end}} // If keyword is past. func (t *Tree) ifControl() Node { return t.newIf(t.parseControl(true, "if")) } // Range: // {{range pipeline}} itemList {{end}} // {{range pipeline}} itemList {{else}} itemList {{end}} // Range keyword is past. func (t *Tree) rangeControl() Node { return t.newRange(t.parseControl(false, "range")) } // With: // {{with pipeline}} itemList {{end}} // {{with pipeline}} itemList {{else}} itemList {{end}} // If keyword is past. func (t *Tree) withControl() Node { return t.newWith(t.parseControl(false, "with")) } // End: // {{end}} // End keyword is past. func (t *Tree) endControl() Node { return t.newEnd(t.expect(itemRightDelim, "end").pos) } // Else: // {{else}} // Else keyword is past. func (t *Tree) elseControl() Node { // Special case for "else if". peek := t.peekNonSpace() if peek.typ == itemIf { // We see "{{else if ... " but in effect rewrite it to {{else}}{{if ... ". return t.newElse(peek.pos, peek.line) } token := t.expect(itemRightDelim, "else") return t.newElse(token.pos, token.line) } // Block: // {{block stringValue pipeline}} // Block keyword is past. // The name must be something that can evaluate to a string. // The pipeline is mandatory. func (t *Tree) blockControl() Node { const context = "block clause" token := t.nextNonSpace() name := t.parseTemplateName(token, context) pipe := t.pipeline(context) block := New(name) // name will be updated once we know it. block.text = t.text block.ParseName = t.ParseName block.startParse(t.funcs, t.lex, t.treeSet) var end Node block.Root, end = block.itemList() if end.Type() != nodeEnd { t.errorf("unexpected %s in %s", end, context) } block.add() block.stopParse() return t.newTemplate(token.pos, token.line, name, pipe) } // Template: // {{template stringValue pipeline}} // Template keyword is past. The name must be something that can evaluate // to a string. func (t *Tree) templateControl() Node { const context = "template clause" token := t.nextNonSpace() name := t.parseTemplateName(token, context) var pipe *PipeNode if t.nextNonSpace().typ != itemRightDelim { t.backup() // Do not pop variables; they persist until "end". pipe = t.pipeline(context) } return t.newTemplate(token.pos, token.line, name, pipe) } func (t *Tree) parseTemplateName(token item, context string) (name string) { switch token.typ { case itemString, itemRawString: s, err := strconv.Unquote(token.val) if err != nil { t.error(err) } name = s default: t.unexpected(token, context) } return } // command: // operand (space operand)* // space-separated arguments up to a pipeline character or right delimiter. // we consume the pipe character but leave the right delim to terminate the action. func (t *Tree) command() *CommandNode { cmd := t.newCommand(t.peekNonSpace().pos) for { t.peekNonSpace() // skip leading spaces. operand := t.operand() if operand != nil { cmd.append(operand) } switch token := t.next(); token.typ { case itemSpace: continue case itemError: t.errorf("%s", token.val) case itemRightDelim, itemRightParen: t.backup() case itemPipe: default: t.errorf("unexpected %s in operand", token) } break } if len(cmd.Args) == 0 { t.errorf("empty command") } return cmd } // operand: // term .Field* // An operand is a space-separated component of a command, // a term possibly followed by field accesses. // A nil return means the next item is not an operand. func (t *Tree) operand() Node { node := t.term() if node == nil { return nil } if t.peek().typ == itemField { chain := t.newChain(t.peek().pos, node) for t.peek().typ == itemField { chain.Add(t.next().val) } // Compatibility with original API: If the term is of type NodeField // or NodeVariable, just put more fields on the original. // Otherwise, keep the Chain node. // Obvious parsing errors involving literal values are detected here. // More complex error cases will have to be handled at execution time. switch node.Type() { case NodeField: node = t.newField(chain.Position(), chain.String()) case NodeVariable: node = t.newVariable(chain.Position(), chain.String()) case NodeBool, NodeString, NodeNumber, NodeNil, NodeDot: t.errorf("unexpected . after term %q", node.String()) default: node = chain } } return node } // term: // literal (number, string, nil, boolean) // function (identifier) // . // .Field // $ // '(' pipeline ')' // A term is a simple "expression". // A nil return means the next item is not a term. func (t *Tree) term() Node { switch token := t.nextNonSpace(); token.typ { case itemError: t.errorf("%s", token.val) case itemIdentifier: if !t.hasFunction(token.val) { t.errorf("function %q not defined", token.val) } return NewIdentifier(token.val).SetTree(t).SetPos(token.pos) case itemDot: return t.newDot(token.pos) case itemNil: return t.newNil(token.pos) case itemVariable: return t.useVar(token.pos, token.val) case itemField: return t.newField(token.pos, token.val) case itemBool: return t.newBool(token.pos, token.val == "true") case itemCharConstant, itemComplex, itemNumber: number, err := t.newNumber(token.pos, token.val, token.typ) if err != nil { t.error(err) } return number case itemLeftParen: pipe := t.pipeline("parenthesized pipeline") if token := t.next(); token.typ != itemRightParen { t.errorf("unclosed right paren: unexpected %s", token) } return pipe case itemString, itemRawString: s, err := strconv.Unquote(token.val) if err != nil { t.error(err) } return t.newString(token.pos, token.val, s) } t.backup() return nil } // hasFunction reports if a function name exists in the Tree's maps. func (t *Tree) hasFunction(name string) bool { for _, funcMap := range t.funcs { if funcMap == nil { continue } if funcMap[name] != nil { return true } } return false } // popVars trims the variable list to the specified length func (t *Tree) popVars(n int) { t.vars = t.vars[:n] } // useVar returns a node for a variable reference. It errors if the // variable is not defined. func (t *Tree) useVar(pos Pos, name string) Node { v := t.newVariable(pos, name) for _, varName := range t.vars { if varName == v.Ident[0] { return v } } t.errorf("undefined variable %q", v.Ident[0]) return nil }
// Copyright 2011 The Go Authors. All rights reserved. // Use of this source code is governed by a BSD-style // license that can be found in the LICENSE file. // Package parse builds parse trees for templates as defined by text/template // and html/template. Clients should use those packages to construct templates // rather than this one, which provides shared internal data structures not // intended for general use. package parse import ( "bytes" "fmt" "runtime" "strconv" "strings" ) // Tree is the representation of a single parsed template. type Tree struct { Name string // name of the template represented by the tree. ParseName string // name of the top-level template during parsing, for error messages. Root *ListNode // top-level root of the tree. text string // text parsed to create the template (or its parent) // Parsing only; cleared after parse. funcs []map[string]interface{} lex *lexer token [3]item // three-token lookahead for parser. peekCount int vars []string // variables defined at the moment. treeSet map[string]*Tree } // Copy returns a copy of the Tree. Any parsing state is discarded. func (t *Tree) Copy() *Tree { if t == nil { return nil } return &Tree{ Name: t.Name, ParseName: t.ParseName, Root: t.Root.CopyList(), text: t.text, } } // Parse returns a map from template name to parse.Tree, created by parsing the // templates described in the argument string. The top-level template will be // given the specified name. If an error is encountered, parsing stops and an // empty map is returned with the error. func Parse(name, text, leftDelim, rightDelim string, funcs ...map[string]interface{}) (map[string]*Tree, error) { treeSet := make(map[string]*Tree) t := New(name) t.text = text _, err := t.Parse(text, leftDelim, rightDelim, treeSet, funcs...) return treeSet, err } // next returns the next token. func (t *Tree) next() item { if t.peekCount > 0 { t.peekCount-- } else { t.token[0] = t.lex.nextItem() } return t.token[t.peekCount] } // backup backs the input stream up one token. func (t *Tree) backup() { t.peekCount++ } // backup2 backs the input stream up two tokens. // The zeroth token is already there. func (t *Tree) backup2(t1 item) { t.token[1] = t1 t.peekCount = 2 } // backup3 backs the input stream up three tokens // The zeroth token is already there. func (t *Tree) backup3(t2, t1 item) { // Reverse order: we're pushing back. t.token[1] = t1 t.token[2] = t2 t.peekCount = 3 } // peek returns but does not consume the next token. func (t *Tree) peek() item { if t.peekCount > 0 { return t.token[t.peekCount-1] } t.peekCount = 1 t.token[0] = t.lex.nextItem() return t.token[0] } // nextNonSpace returns the next non-space token. func (t *Tree) nextNonSpace() (token item) { for { token = t.next() if token.typ != itemSpace { break } } return token } // peekNonSpace returns but does not consume the next non-space token. func (t *Tree) peekNonSpace() item { token := t.nextNonSpace() t.backup() return token } // Parsing. // New allocates a new parse tree with the given name. func New(name string, funcs ...map[string]interface{}) *Tree { return &Tree{ Name: name, funcs: funcs, } } // ErrorContext returns a textual representation of the location of the node in the input text. // The receiver is only used when the node does not have a pointer to the tree inside, // which can occur in old code. func (t *Tree) ErrorContext(n Node) (location, context string) { pos := int(n.Position()) tree := n.tree() if tree == nil { tree = t } text := tree.text[:pos] byteNum := strings.LastIndex(text, "\n") if byteNum == -1 { byteNum = pos // On first line. } else { byteNum++ // After the newline. byteNum = pos - byteNum } lineNum := 1 + strings.Count(text, "\n") context = n.String() return fmt.Sprintf("%s:%d:%d", tree.ParseName, lineNum, byteNum), context } // errorf formats the error and terminates processing. func (t *Tree) errorf(format string, args ...interface{}) { t.Root = nil format = fmt.Sprintf("template: %s:%d: %s", t.ParseName, t.token[0].line, format) panic(fmt.Errorf(format, args...)) } // error terminates processing. func (t *Tree) error(err error) { t.errorf("%s", err) } // expect consumes the next token and guarantees it has the required type. func (t *Tree) expect(expected itemType, context string) item { token := t.nextNonSpace() if token.typ != expected { t.unexpected(token, context) } return token } // expectOneOf consumes the next token and guarantees it has one of the required types. func (t *Tree) expectOneOf(expected1, expected2 itemType, context string) item { token := t.nextNonSpace() if token.typ != expected1 && token.typ != expected2 { t.unexpected(token, context) } return token } // unexpected complains about the token and terminates processing. func (t *Tree) unexpected(token item, context string) { t.errorf("unexpected %s in %s", token, context) } // recover is the handler that turns panics into returns from the top level of Parse. func (t *Tree) recover(errp *error) { e := recover() if e != nil { if _, ok := e.(runtime.Error); ok { panic(e) } if t != nil { t.lex.drain() t.stopParse() } *errp = e.(error) } } // startParse initializes the parser, using the lexer. func (t *Tree) startParse(funcs []map[string]interface{}, lex *lexer, treeSet map[string]*Tree) { t.Root = nil t.lex = lex t.vars = []string{"$"} t.funcs = funcs t.treeSet = treeSet } // stopParse terminates parsing. func (t *Tree) stopParse() { t.lex = nil t.vars = nil t.funcs = nil t.treeSet = nil } // Parse parses the template definition string to construct a representation of // the template for execution. If either action delimiter string is empty, the // default ("{{" or "}}") is used. Embedded template definitions are added to // the treeSet map. func (t *Tree) Parse(text, leftDelim, rightDelim string, treeSet map[string]*Tree, funcs ...map[string]interface{}) (tree *Tree, err error) { defer t.recover(&err) t.ParseName = t.Name t.startParse(funcs, lex(t.Name, text, leftDelim, rightDelim), treeSet) t.text = text t.parse() t.add() t.stopParse() return t, nil } // add adds tree to t.treeSet. func (t *Tree) add() { tree := t.treeSet[t.Name] if tree == nil || IsEmptyTree(tree.Root) { t.treeSet[t.Name] = t return } if !IsEmptyTree(t.Root) { t.errorf("template: multiple definition of template %q", t.Name) } } // IsEmptyTree reports whether this tree (node) is empty of everything but space. func IsEmptyTree(n Node) bool { switch n := n.(type) { case nil: return true case *ActionNode: case *IfNode: case *ListNode: for _, node := range n.Nodes { if !IsEmptyTree(node) { return false } } return true case *RangeNode: case *TemplateNode: case *TextNode: return len(bytes.TrimSpace(n.Text)) == 0 case *WithNode: default: panic("unknown node: " + n.String()) } return false } // parse is the top-level parser for a template, essentially the same // as itemList except it also parses {{define}} actions. // It runs to EOF. func (t *Tree) parse() { t.Root = t.newList(t.peek().pos) for t.peek().typ != itemEOF { if t.peek().typ == itemLeftDelim { delim := t.next() if t.nextNonSpace().typ == itemDefine { newT := New("definition") // name will be updated once we know it. newT.text = t.text newT.ParseName = t.ParseName newT.startParse(t.funcs, t.lex, t.treeSet) newT.parseDefinition() continue } t.backup2(delim) } switch n := t.textOrAction(); n.Type() { case nodeEnd, nodeElse: t.errorf("unexpected %s", n) default: t.Root.append(n) } } } // parseDefinition parses a {{define}} ... {{end}} template definition and // installs the definition in t.treeSet. The "define" keyword has already // been scanned. func (t *Tree) parseDefinition() { const context = "define clause" name := t.expectOneOf(itemString, itemRawString, context) var err error t.Name, err = strconv.Unquote(name.val) if err != nil { t.error(err) } t.expect(itemRightDelim, context) var end Node t.Root, end = t.itemList() if end.Type() != nodeEnd { t.errorf("unexpected %s in %s", end, context) } t.add() t.stopParse() } // itemList: // textOrAction* // Terminates at {{end}} or {{else}}, returned separately. func (t *Tree) itemList() (list *ListNode, next Node) { list = t.newList(t.peekNonSpace().pos) for t.peekNonSpace().typ != itemEOF { n := t.textOrAction() switch n.Type() { case nodeEnd, nodeElse: return list, n } list.append(n) } t.errorf("unexpected EOF") return } // textOrAction: // text | action func (t *Tree) textOrAction() Node { switch token := t.nextNonSpace(); token.typ { case itemText: return t.newText(token.pos, token.val) case itemLeftDelim: return t.action() default: t.unexpected(token, "input") } return nil } // Action: // control // command ("|" command)* // Left delim is past. Now get actions. // First word could be a keyword such as range. func (t *Tree) action() (n Node) { switch token := t.nextNonSpace(); token.typ { case itemBlock: return t.blockControl() case itemElse: return t.elseControl() case itemEnd: return t.endControl() case itemIf: return t.ifControl() case itemRange: return t.rangeControl() case itemTemplate: return t.templateControl() case itemWith: return t.withControl() } t.backup() token := t.peek() // Do not pop variables; they persist until "end". return t.newAction(token.pos, token.line, t.pipeline("command")) } // Pipeline: // declarations? command ('|' command)* func (t *Tree) pipeline(context string) (pipe *PipeNode) { token := t.peekNonSpace() pipe = t.newPipeline(token.pos, token.line, nil) // Are there declarations or assignments? decls: if v := t.peekNonSpace(); v.typ == itemVariable { t.next() // Since space is a token, we need 3-token look-ahead here in the worst case: // in "$x foo" we need to read "foo" (as opposed to ":=") to know that $x is an // argument variable rather than a declaration. So remember the token // adjacent to the variable so we can push it back if necessary. tokenAfterVariable := t.peek() next := t.peekNonSpace() switch { case next.typ == itemAssign, next.typ == itemDeclare: pipe.IsAssign = next.typ == itemAssign t.nextNonSpace() pipe.Decl = append(pipe.Decl, t.newVariable(v.pos, v.val)) t.vars = append(t.vars, v.val) case next.typ == itemChar && next.val == ",": t.nextNonSpace() pipe.Decl = append(pipe.Decl, t.newVariable(v.pos, v.val)) t.vars = append(t.vars, v.val) if context == "range" && len(pipe.Decl) < 2 { switch t.peekNonSpace().typ { case itemVariable, itemRightDelim, itemRightParen: // second initialized variable in a range pipeline goto decls default: t.errorf("range can only initialize variables") } } t.errorf("too many declarations in %s", context) case tokenAfterVariable.typ == itemSpace: t.backup3(v, tokenAfterVariable) default: t.backup2(v) } } for { switch token := t.nextNonSpace(); token.typ { case itemRightDelim, itemRightParen: // At this point, the pipeline is complete t.checkPipeline(pipe, context) if token.typ == itemRightParen { t.backup() } return case itemBool, itemCharConstant, itemComplex, itemDot, itemField, itemIdentifier, itemNumber, itemNil, itemRawString, itemString, itemVariable, itemLeftParen: t.backup() pipe.append(t.command()) default: t.unexpected(token, context) } } } func (t *Tree) checkPipeline(pipe *PipeNode, context string) { // Reject empty pipelines if len(pipe.Cmds) == 0 { t.errorf("missing value for %s", context) } // Only the first command of a pipeline can start with a non executable operand for i, c := range pipe.Cmds[1:] { switch c.Args[0].Type() { case NodeBool, NodeDot, NodeNil, NodeNumber, NodeString: // With A|B|C, pipeline stage 2 is B t.errorf("non executable command in pipeline stage %d", i+2) } } } func (t *Tree) parseControl(allowElseIf bool, context string) (pos Pos, line int, pipe *PipeNode, list, elseList *ListNode) { defer t.popVars(len(t.vars)) pipe = t.pipeline(context) var next Node list, next = t.itemList() switch next.Type() { case nodeEnd: //done case nodeElse: if allowElseIf { // Special case for "else if". If the "else" is followed immediately by an "if", // the elseControl will have left the "if" token pending. Treat // {{if a}}_{{else if b}}_{{end}} // as // {{if a}}_{{else}}{{if b}}_{{end}}{{end}}. // To do this, parse the if as usual and stop at it {{end}}; the subsequent{{end}} // is assumed. This technique works even for long if-else-if chains. // TODO: Should we allow else-if in with and range? if t.peek().typ == itemIf { t.next() // Consume the "if" token. elseList = t.newList(next.Position()) elseList.append(t.ifControl()) // Do not consume the next item - only one {{end}} required. break } } elseList, next = t.itemList() if next.Type() != nodeEnd { t.errorf("expected end; found %s", next) } } return pipe.Position(), pipe.Line, pipe, list, elseList } // If: // {{if pipeline}} itemList {{end}} // {{if pipeline}} itemList {{else}} itemList {{end}} // If keyword is past. func (t *Tree) ifControl() Node { return t.newIf(t.parseControl(true, "if")) } // Range: // {{range pipeline}} itemList {{end}} // {{range pipeline}} itemList {{else}} itemList {{end}} // Range keyword is past. func (t *Tree) rangeControl() Node { return t.newRange(t.parseControl(false, "range")) } // With: // {{with pipeline}} itemList {{end}} // {{with pipeline}} itemList {{else}} itemList {{end}} // If keyword is past. func (t *Tree) withControl() Node { return t.newWith(t.parseControl(false, "with")) } // End: // {{end}} // End keyword is past. func (t *Tree) endControl() Node { return t.newEnd(t.expect(itemRightDelim, "end").pos) } // Else: // {{else}} // Else keyword is past. func (t *Tree) elseControl() Node { // Special case for "else if". peek := t.peekNonSpace() if peek.typ == itemIf { // We see "{{else if ... " but in effect rewrite it to {{else}}{{if ... ". return t.newElse(peek.pos, peek.line) } token := t.expect(itemRightDelim, "else") return t.newElse(token.pos, token.line) } // Block: // {{block stringValue pipeline}} // Block keyword is past. // The name must be something that can evaluate to a string. // The pipeline is mandatory. func (t *Tree) blockControl() Node { const context = "block clause" token := t.nextNonSpace() name := t.parseTemplateName(token, context) pipe := t.pipeline(context) block := New(name) // name will be updated once we know it. block.text = t.text block.ParseName = t.ParseName block.startParse(t.funcs, t.lex, t.treeSet) var end Node block.Root, end = block.itemList() if end.Type() != nodeEnd { t.errorf("unexpected %s in %s", end, context) } block.add() block.stopParse() return t.newTemplate(token.pos, token.line, name, pipe) } // Template: // {{template stringValue pipeline}} // Template keyword is past. The name must be something that can evaluate // to a string. func (t *Tree) templateControl() Node { const context = "template clause" token := t.nextNonSpace() name := t.parseTemplateName(token, context) var pipe *PipeNode if t.nextNonSpace().typ != itemRightDelim { t.backup() // Do not pop variables; they persist until "end". pipe = t.pipeline(context) } return t.newTemplate(token.pos, token.line, name, pipe) } func (t *Tree) parseTemplateName(token item, context string) (name string) { switch token.typ { case itemString, itemRawString: s, err := strconv.Unquote(token.val) if err != nil { t.error(err) } name = s default: t.unexpected(token, context) } return } // command: // operand (space operand)* // space-separated arguments up to a pipeline character or right delimiter. // we consume the pipe character but leave the right delim to terminate the action. func (t *Tree) command() *CommandNode { cmd := t.newCommand(t.peekNonSpace().pos) for { t.peekNonSpace() // skip leading spaces. operand := t.operand() if operand != nil { cmd.append(operand) } switch token := t.next(); token.typ { case itemSpace: continue case itemError: t.errorf("%s", token.val) case itemRightDelim, itemRightParen: t.backup() case itemPipe: default: t.errorf("unexpected %s in operand", token) } break } if len(cmd.Args) == 0 { t.errorf("empty command") } return cmd } // operand: // term .Field* // An operand is a space-separated component of a command, // a term possibly followed by field accesses. // A nil return means the next item is not an operand. func (t *Tree) operand() Node { node := t.term() if node == nil { return nil } if t.peek().typ == itemField { chain := t.newChain(t.peek().pos, node) for t.peek().typ == itemField { chain.Add(t.next().val) } // Compatibility with original API: If the term is of type NodeField // or NodeVariable, just put more fields on the original. // Otherwise, keep the Chain node. // Obvious parsing errors involving literal values are detected here. // More complex error cases will have to be handled at execution time. switch node.Type() { case NodeField: node = t.newField(chain.Position(), chain.String()) case NodeVariable: node = t.newVariable(chain.Position(), chain.String()) case NodeBool, NodeString, NodeNumber, NodeNil, NodeDot: t.errorf("unexpected . after term %q", node.String()) default: node = chain } } return node } // term: // literal (number, string, nil, boolean) // function (identifier) // . // .Field // $ // '(' pipeline ')' // A term is a simple "expression". // A nil return means the next item is not a term. func (t *Tree) term() Node { switch token := t.nextNonSpace(); token.typ { case itemError: t.errorf("%s", token.val) case itemIdentifier: if !t.hasFunction(token.val) { t.errorf("function %q not defined", token.val) } return NewIdentifier(token.val).SetTree(t).SetPos(token.pos) case itemDot: return t.newDot(token.pos) case itemNil: return t.newNil(token.pos) case itemVariable: return t.useVar(token.pos, token.val) case itemField: return t.newField(token.pos, token.val) case itemBool: return t.newBool(token.pos, token.val == "true") case itemCharConstant, itemComplex, itemNumber: number, err := t.newNumber(token.pos, token.val, token.typ) if err != nil { t.error(err) } return number case itemLeftParen: pipe := t.pipeline("parenthesized pipeline") if token := t.next(); token.typ != itemRightParen { t.errorf("unclosed right paren: unexpected %s", token) } return pipe case itemString, itemRawString: s, err := strconv.Unquote(token.val) if err != nil { t.error(err) } return t.newString(token.pos, token.val, s) } t.backup() return nil } // hasFunction reports if a function name exists in the Tree's maps. func (t *Tree) hasFunction(name string) bool { for _, funcMap := range t.funcs { if funcMap == nil { continue } if funcMap[name] != nil { return true } } return false } // popVars trims the variable list to the specified length func (t *Tree) popVars(n int) { t.vars = t.vars[:n] } // useVar returns a node for a variable reference. It errors if the // variable is not defined. func (t *Tree) useVar(pos Pos, name string) Node { v := t.newVariable(pos, name) for _, varName := range t.vars { if varName == v.Ident[0] { return v } } t.errorf("undefined variable %q", v.Ident[0]) return nil }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./resources/resource.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package resources import ( "fmt" "io" "io/ioutil" "os" "path" "path/filepath" "sync" "github.com/gohugoio/hugo/resources/internal" "github.com/gohugoio/hugo/common/herrors" "github.com/gohugoio/hugo/hugofs" "github.com/gohugoio/hugo/media" "github.com/gohugoio/hugo/source" "github.com/pkg/errors" "github.com/gohugoio/hugo/common/hugio" "github.com/gohugoio/hugo/common/maps" "github.com/gohugoio/hugo/resources/page" "github.com/gohugoio/hugo/resources/resource" "github.com/spf13/afero" "github.com/gohugoio/hugo/helpers" ) var ( _ resource.ContentResource = (*genericResource)(nil) _ resource.ReadSeekCloserResource = (*genericResource)(nil) _ resource.Resource = (*genericResource)(nil) _ resource.Source = (*genericResource)(nil) _ resource.Cloner = (*genericResource)(nil) _ resource.ResourcesLanguageMerger = (*resource.Resources)(nil) _ permalinker = (*genericResource)(nil) _ resource.Identifier = (*genericResource)(nil) _ fileInfo = (*genericResource)(nil) ) type ResourceSourceDescriptor struct { // TargetPaths is a callback to fetch paths's relative to its owner. TargetPaths func() page.TargetPaths // Need one of these to load the resource content. SourceFile source.File OpenReadSeekCloser resource.OpenReadSeekCloser FileInfo os.FileInfo // If OpenReadSeekerCloser is not set, we use this to open the file. SourceFilename string Fs afero.Fs // The relative target filename without any language code. RelTargetFilename string // Any base paths prepended to the target path. This will also typically be the // language code, but setting it here means that it should not have any effect on // the permalink. // This may be several values. In multihost mode we may publish the same resources to // multiple targets. TargetBasePaths []string // Delay publishing until either Permalink or RelPermalink is called. Maybe never. LazyPublish bool } func (r ResourceSourceDescriptor) Filename() string { if r.SourceFile != nil { return r.SourceFile.Filename() } return r.SourceFilename } type ResourceTransformer interface { resource.Resource Transformer } type Transformer interface { Transform(...ResourceTransformation) (ResourceTransformer, error) } func NewFeatureNotAvailableTransformer(key string, elements ...interface{}) ResourceTransformation { return transformerNotAvailable{ key: internal.NewResourceTransformationKey(key, elements...), } } type transformerNotAvailable struct { key internal.ResourceTransformationKey } func (t transformerNotAvailable) Transform(ctx *ResourceTransformationCtx) error { return herrors.ErrFeatureNotAvailable } func (t transformerNotAvailable) Key() internal.ResourceTransformationKey { return t.key } type baseResourceResource interface { resource.Cloner resource.ContentProvider resource.Resource resource.Identifier } type baseResourceInternal interface { resource.Source fileInfo metaAssigner targetPather ReadSeekCloser() (hugio.ReadSeekCloser, error) // Internal cloneWithUpdates(*transformationUpdate) (baseResource, error) tryTransformedFileCache(key string, u *transformationUpdate) io.ReadCloser specProvider getResourcePaths() *resourcePathDescriptor getTargetFilenames() []string openDestinationsForWriting() (io.WriteCloser, error) openPublishFileForWriting(relTargetPath string) (io.WriteCloser, error) relTargetPathForRel(rel string, addBaseTargetPath, isAbs, isURL bool) string } type specProvider interface { getSpec() *Spec } type baseResource interface { baseResourceResource baseResourceInternal } type commonResource struct { } // Slice is not meant to be used externally. It's a bridge function // for the template functions. See collections.Slice. func (commonResource) Slice(in interface{}) (interface{}, error) { switch items := in.(type) { case resource.Resources: return items, nil case []interface{}: groups := make(resource.Resources, len(items)) for i, v := range items { g, ok := v.(resource.Resource) if !ok { return nil, fmt.Errorf("type %T is not a Resource", v) } groups[i] = g { } } return groups, nil default: return nil, fmt.Errorf("invalid slice type %T", items) } } type dirFile struct { // This is the directory component with Unix-style slashes. dir string // This is the file component. file string } func (d dirFile) path() string { return path.Join(d.dir, d.file) } type fileInfo interface { getSourceFilename() string setSourceFilename(string) setSourceFs(afero.Fs) getFileInfo() hugofs.FileMetaInfo hash() (string, error) size() int } // genericResource represents a generic linkable resource. type genericResource struct { *resourcePathDescriptor *resourceFileInfo *resourceContent spec *Spec title string name string params map[string]interface{} data map[string]interface{} resourceType string mediaType media.Type } func (l *genericResource) Clone() resource.Resource { return l.clone() } func (l *genericResource) Content() (interface{}, error) { if err := l.initContent(); err != nil { return nil, err } return l.content, nil } func (l *genericResource) Data() interface{} { return l.data } func (l *genericResource) Key() string { return l.RelPermalink() } func (l *genericResource) MediaType() media.Type { return l.mediaType } func (l *genericResource) setMediaType(mediaType media.Type) { l.mediaType = mediaType } func (l *genericResource) Name() string { return l.name } func (l *genericResource) Params() maps.Params { return l.params } func (l *genericResource) Permalink() string { return l.spec.PermalinkForBaseURL(l.relPermalinkForRel(l.relTargetDirFile.path(), true), l.spec.BaseURL.HostURL()) } func (l *genericResource) Publish() error { var err error l.publishInit.Do(func() { var fr hugio.ReadSeekCloser fr, err = l.ReadSeekCloser() if err != nil { return } defer fr.Close() var fw io.WriteCloser fw, err = helpers.OpenFilesForWriting(l.spec.BaseFs.PublishFs, l.getTargetFilenames()...) if err != nil { return } defer fw.Close() _, err = io.Copy(fw, fr) }) return err } func (l *genericResource) RelPermalink() string { return l.relPermalinkFor(l.relTargetDirFile.path()) } func (l *genericResource) ResourceType() string { return l.resourceType } func (l *genericResource) String() string { return fmt.Sprintf("Resource(%s: %s)", l.resourceType, l.name) } // Path is stored with Unix style slashes. func (l *genericResource) TargetPath() string { return l.relTargetDirFile.path() } func (l *genericResource) Title() string { return l.title } func (l *genericResource) createBasePath(rel string, isURL bool) string { if l.targetPathBuilder == nil { return rel } tp := l.targetPathBuilder() if isURL { return path.Join(tp.SubResourceBaseLink, rel) } // TODO(bep) path return path.Join(filepath.ToSlash(tp.SubResourceBaseTarget), rel) } func (l *genericResource) initContent() error { var err error l.contentInit.Do(func() { var r hugio.ReadSeekCloser r, err = l.ReadSeekCloser() if err != nil { return } defer r.Close() var b []byte b, err = ioutil.ReadAll(r) if err != nil { return } l.content = string(b) }) return err } func (l *genericResource) setName(name string) { l.name = name } func (l *genericResource) getResourcePaths() *resourcePathDescriptor { return l.resourcePathDescriptor } func (l *genericResource) getSpec() *Spec { return l.spec } func (l *genericResource) getTargetFilenames() []string { paths := l.relTargetPaths() for i, p := range paths { paths[i] = filepath.Clean(p) } return paths } func (l *genericResource) setTitle(title string) { l.title = title } func (r *genericResource) tryTransformedFileCache(key string, u *transformationUpdate) io.ReadCloser { fi, f, meta, found := r.spec.ResourceCache.getFromFile(key) if !found { return nil } u.sourceFilename = &fi.Name mt, _ := r.spec.MediaTypes.GetByType(meta.MediaTypeV) u.mediaType = mt u.data = meta.MetaData u.targetPath = meta.Target return f } func (r *genericResource) mergeData(in map[string]interface{}) { if len(in) == 0 { return } if r.data == nil { r.data = make(map[string]interface{}) } for k, v := range in { if _, found := r.data[k]; !found { r.data[k] = v } } } func (rc *genericResource) cloneWithUpdates(u *transformationUpdate) (baseResource, error) { r := rc.clone() if u.content != nil { r.contentInit.Do(func() { r.content = *u.content r.openReadSeekerCloser = func() (hugio.ReadSeekCloser, error) { return hugio.NewReadSeekerNoOpCloserFromString(r.content), nil } }) } r.mediaType = u.mediaType if u.sourceFilename != nil { r.setSourceFilename(*u.sourceFilename) } if u.sourceFs != nil { r.setSourceFs(u.sourceFs) } if u.targetPath == "" { return nil, errors.New("missing targetPath") } fpath, fname := path.Split(u.targetPath) r.resourcePathDescriptor.relTargetDirFile = dirFile{dir: fpath, file: fname} r.mergeData(u.data) return r, nil } func (l genericResource) clone() *genericResource { gi := *l.resourceFileInfo rp := *l.resourcePathDescriptor l.resourceFileInfo = &gi l.resourcePathDescriptor = &rp l.resourceContent = &resourceContent{} return &l } // returns an opened file or nil if nothing to write (it may already be published). func (l *genericResource) openDestinationsForWriting() (w io.WriteCloser, err error) { l.publishInit.Do(func() { targetFilenames := l.getTargetFilenames() var changedFilenames []string // Fast path: // This is a processed version of the original; // check if it already exists at the destination. for _, targetFilename := range targetFilenames { if _, err := l.getSpec().BaseFs.PublishFs.Stat(targetFilename); err == nil { continue } changedFilenames = append(changedFilenames, targetFilename) } if len(changedFilenames) == 0 { return } w, err = helpers.OpenFilesForWriting(l.getSpec().BaseFs.PublishFs, changedFilenames...) }) return } func (r *genericResource) openPublishFileForWriting(relTargetPath string) (io.WriteCloser, error) { return helpers.OpenFilesForWriting(r.spec.BaseFs.PublishFs, r.relTargetPathsFor(relTargetPath)...) } func (l *genericResource) permalinkFor(target string) string { return l.spec.PermalinkForBaseURL(l.relPermalinkForRel(target, true), l.spec.BaseURL.HostURL()) } func (l *genericResource) relPermalinkFor(target string) string { return l.relPermalinkForRel(target, false) } func (l *genericResource) relPermalinkForRel(rel string, isAbs bool) string { return l.spec.PathSpec.URLizeFilename(l.relTargetPathForRel(rel, false, isAbs, true)) } func (l *genericResource) relTargetPathForRel(rel string, addBaseTargetPath, isAbs, isURL bool) string { if addBaseTargetPath && len(l.baseTargetPathDirs) > 1 { panic("multiple baseTargetPathDirs") } var basePath string if addBaseTargetPath && len(l.baseTargetPathDirs) > 0 { basePath = l.baseTargetPathDirs[0] } return l.relTargetPathForRelAndBasePath(rel, basePath, isAbs, isURL) } func (l *genericResource) relTargetPathForRelAndBasePath(rel, basePath string, isAbs, isURL bool) string { rel = l.createBasePath(rel, isURL) if basePath != "" { rel = path.Join(basePath, rel) } if l.baseOffset != "" { rel = path.Join(l.baseOffset, rel) } if isURL { bp := l.spec.PathSpec.GetBasePath(!isAbs) if bp != "" { rel = path.Join(bp, rel) } } if len(rel) == 0 || rel[0] != '/' { rel = "/" + rel } return rel } func (l *genericResource) relTargetPaths() []string { return l.relTargetPathsForRel(l.TargetPath()) } func (l *genericResource) relTargetPathsFor(target string) []string { return l.relTargetPathsForRel(target) } func (l *genericResource) relTargetPathsForRel(rel string) []string { if len(l.baseTargetPathDirs) == 0 { return []string{l.relTargetPathForRelAndBasePath(rel, "", false, false)} } targetPaths := make([]string, len(l.baseTargetPathDirs)) for i, dir := range l.baseTargetPathDirs { targetPaths[i] = l.relTargetPathForRelAndBasePath(rel, dir, false, false) } return targetPaths } func (l *genericResource) updateParams(params map[string]interface{}) { if l.params == nil { l.params = params return } // Sets the params not already set for k, v := range params { if _, found := l.params[k]; !found { l.params[k] = v } } } type targetPather interface { TargetPath() string } type permalinker interface { targetPather permalinkFor(target string) string relPermalinkFor(target string) string relTargetPaths() []string relTargetPathsFor(target string) []string } type resourceContent struct { content string contentInit sync.Once publishInit sync.Once } type resourceFileInfo struct { // Will be set if this resource is backed by something other than a file. openReadSeekerCloser resource.OpenReadSeekCloser // This may be set to tell us to look in another filesystem for this resource. // We, by default, use the sourceFs filesystem in the spec below. sourceFs afero.Fs // Absolute filename to the source, including any content folder path. // Note that this is absolute in relation to the filesystem it is stored in. // It can be a base path filesystem, and then this filename will not match // the path to the file on the real filesystem. sourceFilename string fi hugofs.FileMetaInfo // A hash of the source content. Is only calculated in caching situations. h *resourceHash } func (fi *resourceFileInfo) ReadSeekCloser() (hugio.ReadSeekCloser, error) { if fi.openReadSeekerCloser != nil { return fi.openReadSeekerCloser() } f, err := fi.getSourceFs().Open(fi.getSourceFilename()) if err != nil { return nil, err } return f, nil } func (fi *resourceFileInfo) getFileInfo() hugofs.FileMetaInfo { return fi.fi } func (fi *resourceFileInfo) getSourceFilename() string { return fi.sourceFilename } func (fi *resourceFileInfo) setSourceFilename(s string) { // Make sure it's always loaded by sourceFilename. fi.openReadSeekerCloser = nil fi.sourceFilename = s } func (fi *resourceFileInfo) getSourceFs() afero.Fs { return fi.sourceFs } func (fi *resourceFileInfo) setSourceFs(fs afero.Fs) { fi.sourceFs = fs } func (fi *resourceFileInfo) hash() (string, error) { var err error fi.h.init.Do(func() { var hash string var f hugio.ReadSeekCloser f, err = fi.ReadSeekCloser() if err != nil { err = errors.Wrap(err, "failed to open source file") return } defer f.Close() hash, err = helpers.MD5FromFileFast(f) if err != nil { return } fi.h.value = hash }) return fi.h.value, err } func (fi *resourceFileInfo) size() int { if fi.fi == nil { return 0 } return int(fi.fi.Size()) } type resourceHash struct { value string init sync.Once } type resourcePathDescriptor struct { // The relative target directory and filename. relTargetDirFile dirFile // Callback used to construct a target path relative to its owner. targetPathBuilder func() page.TargetPaths // This will normally be the same as above, but this will only apply to publishing // of resources. It may be multiple values when in multihost mode. baseTargetPathDirs []string // baseOffset is set when the output format's path has a offset, e.g. for AMP. baseOffset string }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package resources import ( "fmt" "io" "io/ioutil" "os" "path" "path/filepath" "sync" "github.com/gohugoio/hugo/resources/internal" "github.com/gohugoio/hugo/common/herrors" "github.com/gohugoio/hugo/hugofs" "github.com/gohugoio/hugo/media" "github.com/gohugoio/hugo/source" "github.com/pkg/errors" "github.com/gohugoio/hugo/common/hugio" "github.com/gohugoio/hugo/common/maps" "github.com/gohugoio/hugo/resources/page" "github.com/gohugoio/hugo/resources/resource" "github.com/spf13/afero" "github.com/gohugoio/hugo/helpers" ) var ( _ resource.ContentResource = (*genericResource)(nil) _ resource.ReadSeekCloserResource = (*genericResource)(nil) _ resource.Resource = (*genericResource)(nil) _ resource.Source = (*genericResource)(nil) _ resource.Cloner = (*genericResource)(nil) _ resource.ResourcesLanguageMerger = (*resource.Resources)(nil) _ permalinker = (*genericResource)(nil) _ resource.Identifier = (*genericResource)(nil) _ fileInfo = (*genericResource)(nil) ) type ResourceSourceDescriptor struct { // TargetPaths is a callback to fetch paths's relative to its owner. TargetPaths func() page.TargetPaths // Need one of these to load the resource content. SourceFile source.File OpenReadSeekCloser resource.OpenReadSeekCloser FileInfo os.FileInfo // If OpenReadSeekerCloser is not set, we use this to open the file. SourceFilename string Fs afero.Fs // The relative target filename without any language code. RelTargetFilename string // Any base paths prepended to the target path. This will also typically be the // language code, but setting it here means that it should not have any effect on // the permalink. // This may be several values. In multihost mode we may publish the same resources to // multiple targets. TargetBasePaths []string // Delay publishing until either Permalink or RelPermalink is called. Maybe never. LazyPublish bool } func (r ResourceSourceDescriptor) Filename() string { if r.SourceFile != nil { return r.SourceFile.Filename() } return r.SourceFilename } type ResourceTransformer interface { resource.Resource Transformer } type Transformer interface { Transform(...ResourceTransformation) (ResourceTransformer, error) } func NewFeatureNotAvailableTransformer(key string, elements ...interface{}) ResourceTransformation { return transformerNotAvailable{ key: internal.NewResourceTransformationKey(key, elements...), } } type transformerNotAvailable struct { key internal.ResourceTransformationKey } func (t transformerNotAvailable) Transform(ctx *ResourceTransformationCtx) error { return herrors.ErrFeatureNotAvailable } func (t transformerNotAvailable) Key() internal.ResourceTransformationKey { return t.key } type baseResourceResource interface { resource.Cloner resource.ContentProvider resource.Resource resource.Identifier } type baseResourceInternal interface { resource.Source fileInfo metaAssigner targetPather ReadSeekCloser() (hugio.ReadSeekCloser, error) // Internal cloneWithUpdates(*transformationUpdate) (baseResource, error) tryTransformedFileCache(key string, u *transformationUpdate) io.ReadCloser specProvider getResourcePaths() *resourcePathDescriptor getTargetFilenames() []string openDestinationsForWriting() (io.WriteCloser, error) openPublishFileForWriting(relTargetPath string) (io.WriteCloser, error) relTargetPathForRel(rel string, addBaseTargetPath, isAbs, isURL bool) string } type specProvider interface { getSpec() *Spec } type baseResource interface { baseResourceResource baseResourceInternal } type commonResource struct { } // Slice is not meant to be used externally. It's a bridge function // for the template functions. See collections.Slice. func (commonResource) Slice(in interface{}) (interface{}, error) { switch items := in.(type) { case resource.Resources: return items, nil case []interface{}: groups := make(resource.Resources, len(items)) for i, v := range items { g, ok := v.(resource.Resource) if !ok { return nil, fmt.Errorf("type %T is not a Resource", v) } groups[i] = g { } } return groups, nil default: return nil, fmt.Errorf("invalid slice type %T", items) } } type dirFile struct { // This is the directory component with Unix-style slashes. dir string // This is the file component. file string } func (d dirFile) path() string { return path.Join(d.dir, d.file) } type fileInfo interface { getSourceFilename() string setSourceFilename(string) setSourceFs(afero.Fs) getFileInfo() hugofs.FileMetaInfo hash() (string, error) size() int } // genericResource represents a generic linkable resource. type genericResource struct { *resourcePathDescriptor *resourceFileInfo *resourceContent spec *Spec title string name string params map[string]interface{} data map[string]interface{} resourceType string mediaType media.Type } func (l *genericResource) Clone() resource.Resource { return l.clone() } func (l *genericResource) Content() (interface{}, error) { if err := l.initContent(); err != nil { return nil, err } return l.content, nil } func (l *genericResource) Data() interface{} { return l.data } func (l *genericResource) Key() string { return l.RelPermalink() } func (l *genericResource) MediaType() media.Type { return l.mediaType } func (l *genericResource) setMediaType(mediaType media.Type) { l.mediaType = mediaType } func (l *genericResource) Name() string { return l.name } func (l *genericResource) Params() maps.Params { return l.params } func (l *genericResource) Permalink() string { return l.spec.PermalinkForBaseURL(l.relPermalinkForRel(l.relTargetDirFile.path(), true), l.spec.BaseURL.HostURL()) } func (l *genericResource) Publish() error { var err error l.publishInit.Do(func() { var fr hugio.ReadSeekCloser fr, err = l.ReadSeekCloser() if err != nil { return } defer fr.Close() var fw io.WriteCloser fw, err = helpers.OpenFilesForWriting(l.spec.BaseFs.PublishFs, l.getTargetFilenames()...) if err != nil { return } defer fw.Close() _, err = io.Copy(fw, fr) }) return err } func (l *genericResource) RelPermalink() string { return l.relPermalinkFor(l.relTargetDirFile.path()) } func (l *genericResource) ResourceType() string { return l.resourceType } func (l *genericResource) String() string { return fmt.Sprintf("Resource(%s: %s)", l.resourceType, l.name) } // Path is stored with Unix style slashes. func (l *genericResource) TargetPath() string { return l.relTargetDirFile.path() } func (l *genericResource) Title() string { return l.title } func (l *genericResource) createBasePath(rel string, isURL bool) string { if l.targetPathBuilder == nil { return rel } tp := l.targetPathBuilder() if isURL { return path.Join(tp.SubResourceBaseLink, rel) } // TODO(bep) path return path.Join(filepath.ToSlash(tp.SubResourceBaseTarget), rel) } func (l *genericResource) initContent() error { var err error l.contentInit.Do(func() { var r hugio.ReadSeekCloser r, err = l.ReadSeekCloser() if err != nil { return } defer r.Close() var b []byte b, err = ioutil.ReadAll(r) if err != nil { return } l.content = string(b) }) return err } func (l *genericResource) setName(name string) { l.name = name } func (l *genericResource) getResourcePaths() *resourcePathDescriptor { return l.resourcePathDescriptor } func (l *genericResource) getSpec() *Spec { return l.spec } func (l *genericResource) getTargetFilenames() []string { paths := l.relTargetPaths() for i, p := range paths { paths[i] = filepath.Clean(p) } return paths } func (l *genericResource) setTitle(title string) { l.title = title } func (r *genericResource) tryTransformedFileCache(key string, u *transformationUpdate) io.ReadCloser { fi, f, meta, found := r.spec.ResourceCache.getFromFile(key) if !found { return nil } u.sourceFilename = &fi.Name mt, _ := r.spec.MediaTypes.GetByType(meta.MediaTypeV) u.mediaType = mt u.data = meta.MetaData u.targetPath = meta.Target return f } func (r *genericResource) mergeData(in map[string]interface{}) { if len(in) == 0 { return } if r.data == nil { r.data = make(map[string]interface{}) } for k, v := range in { if _, found := r.data[k]; !found { r.data[k] = v } } } func (rc *genericResource) cloneWithUpdates(u *transformationUpdate) (baseResource, error) { r := rc.clone() if u.content != nil { r.contentInit.Do(func() { r.content = *u.content r.openReadSeekerCloser = func() (hugio.ReadSeekCloser, error) { return hugio.NewReadSeekerNoOpCloserFromString(r.content), nil } }) } r.mediaType = u.mediaType if u.sourceFilename != nil { r.setSourceFilename(*u.sourceFilename) } if u.sourceFs != nil { r.setSourceFs(u.sourceFs) } if u.targetPath == "" { return nil, errors.New("missing targetPath") } fpath, fname := path.Split(u.targetPath) r.resourcePathDescriptor.relTargetDirFile = dirFile{dir: fpath, file: fname} r.mergeData(u.data) return r, nil } func (l genericResource) clone() *genericResource { gi := *l.resourceFileInfo rp := *l.resourcePathDescriptor l.resourceFileInfo = &gi l.resourcePathDescriptor = &rp l.resourceContent = &resourceContent{} return &l } // returns an opened file or nil if nothing to write (it may already be published). func (l *genericResource) openDestinationsForWriting() (w io.WriteCloser, err error) { l.publishInit.Do(func() { targetFilenames := l.getTargetFilenames() var changedFilenames []string // Fast path: // This is a processed version of the original; // check if it already exists at the destination. for _, targetFilename := range targetFilenames { if _, err := l.getSpec().BaseFs.PublishFs.Stat(targetFilename); err == nil { continue } changedFilenames = append(changedFilenames, targetFilename) } if len(changedFilenames) == 0 { return } w, err = helpers.OpenFilesForWriting(l.getSpec().BaseFs.PublishFs, changedFilenames...) }) return } func (r *genericResource) openPublishFileForWriting(relTargetPath string) (io.WriteCloser, error) { return helpers.OpenFilesForWriting(r.spec.BaseFs.PublishFs, r.relTargetPathsFor(relTargetPath)...) } func (l *genericResource) permalinkFor(target string) string { return l.spec.PermalinkForBaseURL(l.relPermalinkForRel(target, true), l.spec.BaseURL.HostURL()) } func (l *genericResource) relPermalinkFor(target string) string { return l.relPermalinkForRel(target, false) } func (l *genericResource) relPermalinkForRel(rel string, isAbs bool) string { return l.spec.PathSpec.URLizeFilename(l.relTargetPathForRel(rel, false, isAbs, true)) } func (l *genericResource) relTargetPathForRel(rel string, addBaseTargetPath, isAbs, isURL bool) string { if addBaseTargetPath && len(l.baseTargetPathDirs) > 1 { panic("multiple baseTargetPathDirs") } var basePath string if addBaseTargetPath && len(l.baseTargetPathDirs) > 0 { basePath = l.baseTargetPathDirs[0] } return l.relTargetPathForRelAndBasePath(rel, basePath, isAbs, isURL) } func (l *genericResource) relTargetPathForRelAndBasePath(rel, basePath string, isAbs, isURL bool) string { rel = l.createBasePath(rel, isURL) if basePath != "" { rel = path.Join(basePath, rel) } if l.baseOffset != "" { rel = path.Join(l.baseOffset, rel) } if isURL { bp := l.spec.PathSpec.GetBasePath(!isAbs) if bp != "" { rel = path.Join(bp, rel) } } if len(rel) == 0 || rel[0] != '/' { rel = "/" + rel } return rel } func (l *genericResource) relTargetPaths() []string { return l.relTargetPathsForRel(l.TargetPath()) } func (l *genericResource) relTargetPathsFor(target string) []string { return l.relTargetPathsForRel(target) } func (l *genericResource) relTargetPathsForRel(rel string) []string { if len(l.baseTargetPathDirs) == 0 { return []string{l.relTargetPathForRelAndBasePath(rel, "", false, false)} } targetPaths := make([]string, len(l.baseTargetPathDirs)) for i, dir := range l.baseTargetPathDirs { targetPaths[i] = l.relTargetPathForRelAndBasePath(rel, dir, false, false) } return targetPaths } func (l *genericResource) updateParams(params map[string]interface{}) { if l.params == nil { l.params = params return } // Sets the params not already set for k, v := range params { if _, found := l.params[k]; !found { l.params[k] = v } } } type targetPather interface { TargetPath() string } type permalinker interface { targetPather permalinkFor(target string) string relPermalinkFor(target string) string relTargetPaths() []string relTargetPathsFor(target string) []string } type resourceContent struct { content string contentInit sync.Once publishInit sync.Once } type resourceFileInfo struct { // Will be set if this resource is backed by something other than a file. openReadSeekerCloser resource.OpenReadSeekCloser // This may be set to tell us to look in another filesystem for this resource. // We, by default, use the sourceFs filesystem in the spec below. sourceFs afero.Fs // Absolute filename to the source, including any content folder path. // Note that this is absolute in relation to the filesystem it is stored in. // It can be a base path filesystem, and then this filename will not match // the path to the file on the real filesystem. sourceFilename string fi hugofs.FileMetaInfo // A hash of the source content. Is only calculated in caching situations. h *resourceHash } func (fi *resourceFileInfo) ReadSeekCloser() (hugio.ReadSeekCloser, error) { if fi.openReadSeekerCloser != nil { return fi.openReadSeekerCloser() } f, err := fi.getSourceFs().Open(fi.getSourceFilename()) if err != nil { return nil, err } return f, nil } func (fi *resourceFileInfo) getFileInfo() hugofs.FileMetaInfo { return fi.fi } func (fi *resourceFileInfo) getSourceFilename() string { return fi.sourceFilename } func (fi *resourceFileInfo) setSourceFilename(s string) { // Make sure it's always loaded by sourceFilename. fi.openReadSeekerCloser = nil fi.sourceFilename = s } func (fi *resourceFileInfo) getSourceFs() afero.Fs { return fi.sourceFs } func (fi *resourceFileInfo) setSourceFs(fs afero.Fs) { fi.sourceFs = fs } func (fi *resourceFileInfo) hash() (string, error) { var err error fi.h.init.Do(func() { var hash string var f hugio.ReadSeekCloser f, err = fi.ReadSeekCloser() if err != nil { err = errors.Wrap(err, "failed to open source file") return } defer f.Close() hash, err = helpers.MD5FromFileFast(f) if err != nil { return } fi.h.value = hash }) return fi.h.value, err } func (fi *resourceFileInfo) size() int { if fi.fi == nil { return 0 } return int(fi.fi.Size()) } type resourceHash struct { value string init sync.Once } type resourcePathDescriptor struct { // The relative target directory and filename. relTargetDirFile dirFile // Callback used to construct a target path relative to its owner. targetPathBuilder func() page.TargetPaths // This will normally be the same as above, but this will only apply to publishing // of resources. It may be multiple values when in multihost mode. baseTargetPathDirs []string // baseOffset is set when the output format's path has a offset, e.g. for AMP. baseOffset string }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./tpl/internal/go_templates/testenv/testenv_cgo.go
// Copyright 2017 The Go Authors. All rights reserved. // Use of this source code is governed by a BSD-style // license that can be found in the LICENSE file. // +build cgo package testenv func init() { haveCGO = true }
// Copyright 2017 The Go Authors. All rights reserved. // Use of this source code is governed by a BSD-style // license that can be found in the LICENSE file. // +build cgo package testenv func init() { haveCGO = true }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./tpl/hugo/init_test.go
// Copyright 2017 The Hugo Authors. All rights reserved. // // 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. package hugo import ( "testing" "github.com/gohugoio/hugo/htesting/hqt" qt "github.com/frankban/quicktest" "github.com/gohugoio/hugo/deps" "github.com/gohugoio/hugo/resources/page" "github.com/gohugoio/hugo/tpl/internal" "github.com/spf13/viper" ) func TestInit(t *testing.T) { c := qt.New(t) var found bool var ns *internal.TemplateFuncsNamespace v := viper.New() v.Set("contentDir", "content") s := page.NewDummyHugoSite(v) for _, nsf := range internal.TemplateFuncsNamespaceRegistry { ns = nsf(&deps.Deps{Site: s}) if ns.Name == name { found = true break } } c.Assert(found, qt.Equals, true) c.Assert(ns.Context(), hqt.IsSameType, s.Hugo()) }
// Copyright 2017 The Hugo Authors. All rights reserved. // // 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. package hugo import ( "testing" "github.com/gohugoio/hugo/htesting/hqt" qt "github.com/frankban/quicktest" "github.com/gohugoio/hugo/deps" "github.com/gohugoio/hugo/resources/page" "github.com/gohugoio/hugo/tpl/internal" "github.com/spf13/viper" ) func TestInit(t *testing.T) { c := qt.New(t) var found bool var ns *internal.TemplateFuncsNamespace v := viper.New() v.Set("contentDir", "content") s := page.NewDummyHugoSite(v) for _, nsf := range internal.TemplateFuncsNamespaceRegistry { ns = nsf(&deps.Deps{Site: s}) if ns.Name == name { found = true break } } c.Assert(found, qt.Equals, true) c.Assert(ns.Context(), hqt.IsSameType, s.Hugo()) }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./common/collections/collections.go
// Copyright 2018 The Hugo Authors. All rights reserved. // // 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. // Package collections contains common Hugo functionality related to collection // handling. package collections // Grouper defines a very generic way to group items by a given key. type Grouper interface { Group(key interface{}, items interface{}) (interface{}, error) }
// Copyright 2018 The Hugo Authors. All rights reserved. // // 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. // Package collections contains common Hugo functionality related to collection // handling. package collections // Grouper defines a very generic way to group items by a given key. type Grouper interface { Group(key interface{}, items interface{}) (interface{}, error) }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./tpl/internal/go_templates/htmltemplate/transition_test.go
// Copyright 2011 The Go Authors. All rights reserved. // Use of this source code is governed by a BSD-style // license that can be found in the LICENSE file. // +build go1.13,!windows package template import ( "bytes" "strings" "testing" ) func TestFindEndTag(t *testing.T) { tests := []struct { s, tag string want int }{ {"", "tag", -1}, {"hello </textarea> hello", "textarea", 6}, {"hello </TEXTarea> hello", "textarea", 6}, {"hello </textAREA>", "textarea", 6}, {"hello </textarea", "textareax", -1}, {"hello </textarea>", "tag", -1}, {"hello tag </textarea", "tag", -1}, {"hello </tag> </other> </textarea> <other>", "textarea", 22}, {"</textarea> <other>", "textarea", 0}, {"<div> </div> </TEXTAREA>", "textarea", 13}, {"<div> </div> </TEXTAREA\t>", "textarea", 13}, {"<div> </div> </TEXTAREA >", "textarea", 13}, {"<div> </div> </TEXTAREAfoo", "textarea", -1}, {"</TEXTAREAfoo </textarea>", "textarea", 14}, {"<</script >", "script", 1}, {"</script>", "textarea", -1}, } for _, test := range tests { if got := indexTagEnd([]byte(test.s), []byte(test.tag)); test.want != got { t.Errorf("%q/%q: want\n\t%d\nbut got\n\t%d", test.s, test.tag, test.want, got) } } } func BenchmarkTemplateSpecialTags(b *testing.B) { r := struct { Name, Gift string }{"Aunt Mildred", "bone china tea set"} h1 := "<textarea> Hello Hello Hello </textarea> " h2 := "<textarea> <p> Dear {{.Name}},\n{{with .Gift}}Thank you for the lovely {{.}}. {{end}}\nBest wishes. </p>\n</textarea>" html := strings.Repeat(h1, 100) + h2 + strings.Repeat(h1, 100) + h2 var buf bytes.Buffer for i := 0; i < b.N; i++ { tmpl := Must(New("foo").Parse(html)) if err := tmpl.Execute(&buf, r); err != nil { b.Fatal(err) } buf.Reset() } }
// Copyright 2011 The Go Authors. All rights reserved. // Use of this source code is governed by a BSD-style // license that can be found in the LICENSE file. // +build go1.13,!windows package template import ( "bytes" "strings" "testing" ) func TestFindEndTag(t *testing.T) { tests := []struct { s, tag string want int }{ {"", "tag", -1}, {"hello </textarea> hello", "textarea", 6}, {"hello </TEXTarea> hello", "textarea", 6}, {"hello </textAREA>", "textarea", 6}, {"hello </textarea", "textareax", -1}, {"hello </textarea>", "tag", -1}, {"hello tag </textarea", "tag", -1}, {"hello </tag> </other> </textarea> <other>", "textarea", 22}, {"</textarea> <other>", "textarea", 0}, {"<div> </div> </TEXTAREA>", "textarea", 13}, {"<div> </div> </TEXTAREA\t>", "textarea", 13}, {"<div> </div> </TEXTAREA >", "textarea", 13}, {"<div> </div> </TEXTAREAfoo", "textarea", -1}, {"</TEXTAREAfoo </textarea>", "textarea", 14}, {"<</script >", "script", 1}, {"</script>", "textarea", -1}, } for _, test := range tests { if got := indexTagEnd([]byte(test.s), []byte(test.tag)); test.want != got { t.Errorf("%q/%q: want\n\t%d\nbut got\n\t%d", test.s, test.tag, test.want, got) } } } func BenchmarkTemplateSpecialTags(b *testing.B) { r := struct { Name, Gift string }{"Aunt Mildred", "bone china tea set"} h1 := "<textarea> Hello Hello Hello </textarea> " h2 := "<textarea> <p> Dear {{.Name}},\n{{with .Gift}}Thank you for the lovely {{.}}. {{end}}\nBest wishes. </p>\n</textarea>" html := strings.Repeat(h1, 100) + h2 + strings.Repeat(h1, 100) + h2 var buf bytes.Buffer for i := 0; i < b.N; i++ { tmpl := Must(New("foo").Parse(html)) if err := tmpl.Execute(&buf, r); err != nil { b.Fatal(err) } buf.Reset() } }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./releaser/git.go
// Copyright 2017-present The Hugo Authors. All rights reserved. // // 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. package releaser import ( "fmt" "regexp" "sort" "strconv" "strings" "github.com/gohugoio/hugo/common/hexec" ) var issueRe = regexp.MustCompile(`(?i)[Updates?|Closes?|Fix.*|See] #(\d+)`) const ( notesChanges = "notesChanges" templateChanges = "templateChanges" coreChanges = "coreChanges" outChanges = "outChanges" otherChanges = "otherChanges" ) type changeLog struct { Version string Enhancements map[string]gitInfos Fixes map[string]gitInfos Notes gitInfos All gitInfos Docs gitInfos // Overall stats Repo *gitHubRepo ContributorCount int ThemeCount int } func newChangeLog(infos, docInfos gitInfos) *changeLog { return &changeLog{ Enhancements: make(map[string]gitInfos), Fixes: make(map[string]gitInfos), All: infos, Docs: docInfos, } } func (l *changeLog) addGitInfo(isFix bool, info gitInfo, category string) { var ( infos gitInfos found bool segment map[string]gitInfos ) if category == notesChanges { l.Notes = append(l.Notes, info) return } else if isFix { segment = l.Fixes } else { segment = l.Enhancements } infos, found = segment[category] if !found { infos = gitInfos{} } infos = append(infos, info) segment[category] = infos } func gitInfosToChangeLog(infos, docInfos gitInfos) *changeLog { log := newChangeLog(infos, docInfos) for _, info := range infos { los := strings.ToLower(info.Subject) isFix := strings.Contains(los, "fix") category := otherChanges // TODO(bep) improve if regexp.MustCompile("(?i)deprecate").MatchString(los) { category = notesChanges } else if regexp.MustCompile("(?i)tpl|tplimpl:|layout").MatchString(los) { category = templateChanges } else if regexp.MustCompile("(?i)hugolib:").MatchString(los) { category = coreChanges } else if regexp.MustCompile("(?i)out(put)?:|media:|Output|Media").MatchString(los) { category = outChanges } // Trim package prefix. colonIdx := strings.Index(info.Subject, ":") if colonIdx != -1 && colonIdx < (len(info.Subject)/2) { info.Subject = info.Subject[colonIdx+1:] } info.Subject = strings.TrimSpace(info.Subject) log.addGitInfo(isFix, info, category) } return log } type gitInfo struct { Hash string Author string Subject string Body string GitHubCommit *gitHubCommit } func (g gitInfo) Issues() []int { return extractIssues(g.Body) } func (g gitInfo) AuthorID() string { if g.GitHubCommit != nil { return g.GitHubCommit.Author.Login } return g.Author } func extractIssues(body string) []int { var i []int m := issueRe.FindAllStringSubmatch(body, -1) for _, mm := range m { issueID, err := strconv.Atoi(mm[1]) if err != nil { continue } i = append(i, issueID) } return i } type gitInfos []gitInfo func git(args ...string) (string, error) { cmd, _ := hexec.SafeCommand("git", args...) out, err := cmd.CombinedOutput() if err != nil { return "", fmt.Errorf("git failed: %q: %q (%q)", err, out, args) } return string(out), nil } func getGitInfos(tag, repo, repoPath string, remote bool) (gitInfos, error) { return getGitInfosBefore("HEAD", tag, repo, repoPath, remote) } type countribCount struct { Author string GitHubAuthor gitHubAuthor Count int } func (c countribCount) AuthorLink() string { if c.GitHubAuthor.HTMLURL != "" { return fmt.Sprintf("[@%s](%s)", c.GitHubAuthor.Login, c.GitHubAuthor.HTMLURL) } if !strings.Contains(c.Author, "@") { return c.Author } return c.Author[:strings.Index(c.Author, "@")] } type contribCounts []countribCount func (c contribCounts) Less(i, j int) bool { return c[i].Count > c[j].Count } func (c contribCounts) Len() int { return len(c) } func (c contribCounts) Swap(i, j int) { c[i], c[j] = c[j], c[i] } func (g gitInfos) ContribCountPerAuthor() contribCounts { var c contribCounts counters := make(map[string]countribCount) for _, gi := range g { authorID := gi.AuthorID() if count, ok := counters[authorID]; ok { count.Count = count.Count + 1 counters[authorID] = count } else { var ghA gitHubAuthor if gi.GitHubCommit != nil { ghA = gi.GitHubCommit.Author } authorCount := countribCount{Count: 1, Author: gi.Author, GitHubAuthor: ghA} counters[authorID] = authorCount } } for _, v := range counters { c = append(c, v) } sort.Sort(c) return c } func getGitInfosBefore(ref, tag, repo, repoPath string, remote bool) (gitInfos, error) { client := newGitHubAPI(repo) var g gitInfos log, err := gitLogBefore(ref, tag, repoPath) if err != nil { return g, err } log = strings.Trim(log, "\n\x1e'") entries := strings.Split(log, "\x1e") for _, entry := range entries { items := strings.Split(entry, "\x1f") gi := gitInfo{} if len(items) > 0 { gi.Hash = items[0] } if len(items) > 1 { gi.Author = items[1] } if len(items) > 2 { gi.Subject = items[2] } if len(items) > 3 { gi.Body = items[3] } if remote && gi.Hash != "" { gc, err := client.fetchCommit(gi.Hash) if err == nil { gi.GitHubCommit = &gc } } g = append(g, gi) } return g, nil } // Ignore autogenerated commits etc. in change log. This is a regexp. const ignoredCommits = "releaser?:|snapcraft:|Merge commit|Squashed" func gitLogBefore(ref, tag, repoPath string) (string, error) { var prevTag string var err error if tag != "" { prevTag = tag } else { prevTag, err = gitVersionTagBefore(ref) if err != nil { return "", err } } defaultArgs := []string{"log", "-E", fmt.Sprintf("--grep=%s", ignoredCommits), "--invert-grep", "--pretty=format:%x1e%h%x1f%aE%x1f%s%x1f%b", "--abbrev-commit", prevTag + ".." + ref} var args []string if repoPath != "" { args = append([]string{"-C", repoPath}, defaultArgs...) } else { args = defaultArgs } log, err := git(args...) if err != nil { return ",", err } return log, err } func gitVersionTagBefore(ref string) (string, error) { return gitShort("describe", "--tags", "--abbrev=0", "--always", "--match", "v[0-9]*", ref+"^") } func gitShort(args ...string) (output string, err error) { output, err = git(args...) return strings.Replace(strings.Split(output, "\n")[0], "'", "", -1), err } func tagExists(tag string) (bool, error) { out, err := git("tag", "-l", tag) if err != nil { return false, err } if strings.Contains(out, tag) { return true, nil } return false, nil }
// Copyright 2017-present The Hugo Authors. All rights reserved. // // 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. package releaser import ( "fmt" "regexp" "sort" "strconv" "strings" "github.com/gohugoio/hugo/common/hexec" ) var issueRe = regexp.MustCompile(`(?i)[Updates?|Closes?|Fix.*|See] #(\d+)`) const ( notesChanges = "notesChanges" templateChanges = "templateChanges" coreChanges = "coreChanges" outChanges = "outChanges" otherChanges = "otherChanges" ) type changeLog struct { Version string Enhancements map[string]gitInfos Fixes map[string]gitInfos Notes gitInfos All gitInfos Docs gitInfos // Overall stats Repo *gitHubRepo ContributorCount int ThemeCount int } func newChangeLog(infos, docInfos gitInfos) *changeLog { return &changeLog{ Enhancements: make(map[string]gitInfos), Fixes: make(map[string]gitInfos), All: infos, Docs: docInfos, } } func (l *changeLog) addGitInfo(isFix bool, info gitInfo, category string) { var ( infos gitInfos found bool segment map[string]gitInfos ) if category == notesChanges { l.Notes = append(l.Notes, info) return } else if isFix { segment = l.Fixes } else { segment = l.Enhancements } infos, found = segment[category] if !found { infos = gitInfos{} } infos = append(infos, info) segment[category] = infos } func gitInfosToChangeLog(infos, docInfos gitInfos) *changeLog { log := newChangeLog(infos, docInfos) for _, info := range infos { los := strings.ToLower(info.Subject) isFix := strings.Contains(los, "fix") category := otherChanges // TODO(bep) improve if regexp.MustCompile("(?i)deprecate").MatchString(los) { category = notesChanges } else if regexp.MustCompile("(?i)tpl|tplimpl:|layout").MatchString(los) { category = templateChanges } else if regexp.MustCompile("(?i)hugolib:").MatchString(los) { category = coreChanges } else if regexp.MustCompile("(?i)out(put)?:|media:|Output|Media").MatchString(los) { category = outChanges } // Trim package prefix. colonIdx := strings.Index(info.Subject, ":") if colonIdx != -1 && colonIdx < (len(info.Subject)/2) { info.Subject = info.Subject[colonIdx+1:] } info.Subject = strings.TrimSpace(info.Subject) log.addGitInfo(isFix, info, category) } return log } type gitInfo struct { Hash string Author string Subject string Body string GitHubCommit *gitHubCommit } func (g gitInfo) Issues() []int { return extractIssues(g.Body) } func (g gitInfo) AuthorID() string { if g.GitHubCommit != nil { return g.GitHubCommit.Author.Login } return g.Author } func extractIssues(body string) []int { var i []int m := issueRe.FindAllStringSubmatch(body, -1) for _, mm := range m { issueID, err := strconv.Atoi(mm[1]) if err != nil { continue } i = append(i, issueID) } return i } type gitInfos []gitInfo func git(args ...string) (string, error) { cmd, _ := hexec.SafeCommand("git", args...) out, err := cmd.CombinedOutput() if err != nil { return "", fmt.Errorf("git failed: %q: %q (%q)", err, out, args) } return string(out), nil } func getGitInfos(tag, repo, repoPath string, remote bool) (gitInfos, error) { return getGitInfosBefore("HEAD", tag, repo, repoPath, remote) } type countribCount struct { Author string GitHubAuthor gitHubAuthor Count int } func (c countribCount) AuthorLink() string { if c.GitHubAuthor.HTMLURL != "" { return fmt.Sprintf("[@%s](%s)", c.GitHubAuthor.Login, c.GitHubAuthor.HTMLURL) } if !strings.Contains(c.Author, "@") { return c.Author } return c.Author[:strings.Index(c.Author, "@")] } type contribCounts []countribCount func (c contribCounts) Less(i, j int) bool { return c[i].Count > c[j].Count } func (c contribCounts) Len() int { return len(c) } func (c contribCounts) Swap(i, j int) { c[i], c[j] = c[j], c[i] } func (g gitInfos) ContribCountPerAuthor() contribCounts { var c contribCounts counters := make(map[string]countribCount) for _, gi := range g { authorID := gi.AuthorID() if count, ok := counters[authorID]; ok { count.Count = count.Count + 1 counters[authorID] = count } else { var ghA gitHubAuthor if gi.GitHubCommit != nil { ghA = gi.GitHubCommit.Author } authorCount := countribCount{Count: 1, Author: gi.Author, GitHubAuthor: ghA} counters[authorID] = authorCount } } for _, v := range counters { c = append(c, v) } sort.Sort(c) return c } func getGitInfosBefore(ref, tag, repo, repoPath string, remote bool) (gitInfos, error) { client := newGitHubAPI(repo) var g gitInfos log, err := gitLogBefore(ref, tag, repoPath) if err != nil { return g, err } log = strings.Trim(log, "\n\x1e'") entries := strings.Split(log, "\x1e") for _, entry := range entries { items := strings.Split(entry, "\x1f") gi := gitInfo{} if len(items) > 0 { gi.Hash = items[0] } if len(items) > 1 { gi.Author = items[1] } if len(items) > 2 { gi.Subject = items[2] } if len(items) > 3 { gi.Body = items[3] } if remote && gi.Hash != "" { gc, err := client.fetchCommit(gi.Hash) if err == nil { gi.GitHubCommit = &gc } } g = append(g, gi) } return g, nil } // Ignore autogenerated commits etc. in change log. This is a regexp. const ignoredCommits = "releaser?:|snapcraft:|Merge commit|Squashed" func gitLogBefore(ref, tag, repoPath string) (string, error) { var prevTag string var err error if tag != "" { prevTag = tag } else { prevTag, err = gitVersionTagBefore(ref) if err != nil { return "", err } } defaultArgs := []string{"log", "-E", fmt.Sprintf("--grep=%s", ignoredCommits), "--invert-grep", "--pretty=format:%x1e%h%x1f%aE%x1f%s%x1f%b", "--abbrev-commit", prevTag + ".." + ref} var args []string if repoPath != "" { args = append([]string{"-C", repoPath}, defaultArgs...) } else { args = defaultArgs } log, err := git(args...) if err != nil { return ",", err } return log, err } func gitVersionTagBefore(ref string) (string, error) { return gitShort("describe", "--tags", "--abbrev=0", "--always", "--match", "v[0-9]*", ref+"^") } func gitShort(args ...string) (output string, err error) { output, err = git(args...) return strings.Replace(strings.Split(output, "\n")[0], "'", "", -1), err } func tagExists(tag string) (bool, error) { out, err := git("tag", "-l", tag) if err != nil { return false, err } if strings.Contains(out, tag) { return true, nil } return false, nil }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./bufferpool/bufpool.go
// Copyright 2015 The Hugo Authors. All rights reserved. // // 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. // Package bufferpool provides a pool of bytes buffers. package bufferpool import ( "bytes" "sync" ) var bufferPool = &sync.Pool{ New: func() interface{} { return &bytes.Buffer{} }, } // GetBuffer returns a buffer from the pool. func GetBuffer() (buf *bytes.Buffer) { return bufferPool.Get().(*bytes.Buffer) } // PutBuffer returns a buffer to the pool. // The buffer is reset before it is put back into circulation. func PutBuffer(buf *bytes.Buffer) { buf.Reset() bufferPool.Put(buf) }
// Copyright 2015 The Hugo Authors. All rights reserved. // // 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. // Package bufferpool provides a pool of bytes buffers. package bufferpool import ( "bytes" "sync" ) var bufferPool = &sync.Pool{ New: func() interface{} { return &bytes.Buffer{} }, } // GetBuffer returns a buffer from the pool. func GetBuffer() (buf *bytes.Buffer) { return bufferPool.Get().(*bytes.Buffer) } // PutBuffer returns a buffer to the pool. // The buffer is reset before it is put back into circulation. func PutBuffer(buf *bytes.Buffer) { buf.Reset() bufferPool.Put(buf) }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./tpl/internal/go_templates/texttemplate/parse/parse_test.go
// Copyright 2011 The Go Authors. All rights reserved. // Use of this source code is governed by a BSD-style // license that can be found in the LICENSE file. // +build go1.13 package parse import ( "flag" "fmt" "strings" "testing" ) var debug = flag.Bool("debug", false, "show the errors produced by the main tests") type numberTest struct { text string isInt bool isUint bool isFloat bool isComplex bool int64 uint64 float64 complex128 } var numberTests = []numberTest{ // basics {"0", true, true, true, false, 0, 0, 0, 0}, {"-0", true, true, true, false, 0, 0, 0, 0}, // check that -0 is a uint. {"73", true, true, true, false, 73, 73, 73, 0}, {"7_3", true, true, true, false, 73, 73, 73, 0}, {"0b10_010_01", true, true, true, false, 73, 73, 73, 0}, {"0B10_010_01", true, true, true, false, 73, 73, 73, 0}, {"073", true, true, true, false, 073, 073, 073, 0}, {"0o73", true, true, true, false, 073, 073, 073, 0}, {"0O73", true, true, true, false, 073, 073, 073, 0}, {"0x73", true, true, true, false, 0x73, 0x73, 0x73, 0}, {"0X73", true, true, true, false, 0x73, 0x73, 0x73, 0}, {"0x7_3", true, true, true, false, 0x73, 0x73, 0x73, 0}, {"-73", true, false, true, false, -73, 0, -73, 0}, {"+73", true, false, true, false, 73, 0, 73, 0}, {"100", true, true, true, false, 100, 100, 100, 0}, {"1e9", true, true, true, false, 1e9, 1e9, 1e9, 0}, {"-1e9", true, false, true, false, -1e9, 0, -1e9, 0}, {"-1.2", false, false, true, false, 0, 0, -1.2, 0}, {"1e19", false, true, true, false, 0, 1e19, 1e19, 0}, {"1e1_9", false, true, true, false, 0, 1e19, 1e19, 0}, {"1E19", false, true, true, false, 0, 1e19, 1e19, 0}, {"-1e19", false, false, true, false, 0, 0, -1e19, 0}, {"0x_1p4", true, true, true, false, 16, 16, 16, 0}, {"0X_1P4", true, true, true, false, 16, 16, 16, 0}, {"0x_1p-4", false, false, true, false, 0, 0, 1 / 16., 0}, {"4i", false, false, false, true, 0, 0, 0, 4i}, {"-1.2+4.2i", false, false, false, true, 0, 0, 0, -1.2 + 4.2i}, {"073i", false, false, false, true, 0, 0, 0, 73i}, // not octal! // complex with 0 imaginary are float (and maybe integer) {"0i", true, true, true, true, 0, 0, 0, 0}, {"-1.2+0i", false, false, true, true, 0, 0, -1.2, -1.2}, {"-12+0i", true, false, true, true, -12, 0, -12, -12}, {"13+0i", true, true, true, true, 13, 13, 13, 13}, // funny bases {"0123", true, true, true, false, 0123, 0123, 0123, 0}, {"-0x0", true, true, true, false, 0, 0, 0, 0}, {"0xdeadbeef", true, true, true, false, 0xdeadbeef, 0xdeadbeef, 0xdeadbeef, 0}, // character constants {`'a'`, true, true, true, false, 'a', 'a', 'a', 0}, {`'\n'`, true, true, true, false, '\n', '\n', '\n', 0}, {`'\\'`, true, true, true, false, '\\', '\\', '\\', 0}, {`'\''`, true, true, true, false, '\'', '\'', '\'', 0}, {`'\xFF'`, true, true, true, false, 0xFF, 0xFF, 0xFF, 0}, {`'パ'`, true, true, true, false, 0x30d1, 0x30d1, 0x30d1, 0}, {`'\u30d1'`, true, true, true, false, 0x30d1, 0x30d1, 0x30d1, 0}, {`'\U000030d1'`, true, true, true, false, 0x30d1, 0x30d1, 0x30d1, 0}, // some broken syntax {text: "+-2"}, {text: "0x123."}, {text: "1e."}, {text: "0xi."}, {text: "1+2."}, {text: "'x"}, {text: "'xx'"}, {text: "'433937734937734969526500969526500'"}, // Integer too large - issue 10634. // Issue 8622 - 0xe parsed as floating point. Very embarrassing. {"0xef", true, true, true, false, 0xef, 0xef, 0xef, 0}, } func TestNumberParse(t *testing.T) { for _, test := range numberTests { // If fmt.Sscan thinks it's complex, it's complex. We can't trust the output // because imaginary comes out as a number. var c complex128 typ := itemNumber var tree *Tree if test.text[0] == '\'' { typ = itemCharConstant } else { _, err := fmt.Sscan(test.text, &c) if err == nil { typ = itemComplex } } n, err := tree.newNumber(0, test.text, typ) ok := test.isInt || test.isUint || test.isFloat || test.isComplex if ok && err != nil { t.Errorf("unexpected error for %q: %s", test.text, err) continue } if !ok && err == nil { t.Errorf("expected error for %q", test.text) continue } if !ok { if *debug { fmt.Printf("%s\n\t%s\n", test.text, err) } continue } if n.IsComplex != test.isComplex { t.Errorf("complex incorrect for %q; should be %t", test.text, test.isComplex) } if test.isInt { if !n.IsInt { t.Errorf("expected integer for %q", test.text) } if n.Int64 != test.int64 { t.Errorf("int64 for %q should be %d Is %d", test.text, test.int64, n.Int64) } } else if n.IsInt { t.Errorf("did not expect integer for %q", test.text) } if test.isUint { if !n.IsUint { t.Errorf("expected unsigned integer for %q", test.text) } if n.Uint64 != test.uint64 { t.Errorf("uint64 for %q should be %d Is %d", test.text, test.uint64, n.Uint64) } } else if n.IsUint { t.Errorf("did not expect unsigned integer for %q", test.text) } if test.isFloat { if !n.IsFloat { t.Errorf("expected float for %q", test.text) } if n.Float64 != test.float64 { t.Errorf("float64 for %q should be %g Is %g", test.text, test.float64, n.Float64) } } else if n.IsFloat { t.Errorf("did not expect float for %q", test.text) } if test.isComplex { if !n.IsComplex { t.Errorf("expected complex for %q", test.text) } if n.Complex128 != test.complex128 { t.Errorf("complex128 for %q should be %g Is %g", test.text, test.complex128, n.Complex128) } } else if n.IsComplex { t.Errorf("did not expect complex for %q", test.text) } } } type parseTest struct { name string input string ok bool result string // what the user would see in an error message. } const ( noError = true hasError = false ) var parseTests = []parseTest{ {"empty", "", noError, ``}, {"comment", "{{/*\n\n\n*/}}", noError, ``}, {"spaces", " \t\n", noError, `" \t\n"`}, {"text", "some text", noError, `"some text"`}, {"emptyAction", "{{}}", hasError, `{{}}`}, {"field", "{{.X}}", noError, `{{.X}}`}, {"simple command", "{{printf}}", noError, `{{printf}}`}, {"$ invocation", "{{$}}", noError, "{{$}}"}, {"variable invocation", "{{with $x := 3}}{{$x 23}}{{end}}", noError, "{{with $x := 3}}{{$x 23}}{{end}}"}, {"variable with fields", "{{$.I}}", noError, "{{$.I}}"}, {"multi-word command", "{{printf `%d` 23}}", noError, "{{printf `%d` 23}}"}, {"pipeline", "{{.X|.Y}}", noError, `{{.X | .Y}}`}, {"pipeline with decl", "{{$x := .X|.Y}}", noError, `{{$x := .X | .Y}}`}, {"nested pipeline", "{{.X (.Y .Z) (.A | .B .C) (.E)}}", noError, `{{.X (.Y .Z) (.A | .B .C) (.E)}}`}, {"field applied to parentheses", "{{(.Y .Z).Field}}", noError, `{{(.Y .Z).Field}}`}, {"simple if", "{{if .X}}hello{{end}}", noError, `{{if .X}}"hello"{{end}}`}, {"if with else", "{{if .X}}true{{else}}false{{end}}", noError, `{{if .X}}"true"{{else}}"false"{{end}}`}, {"if with else if", "{{if .X}}true{{else if .Y}}false{{end}}", noError, `{{if .X}}"true"{{else}}{{if .Y}}"false"{{end}}{{end}}`}, {"if else chain", "+{{if .X}}X{{else if .Y}}Y{{else if .Z}}Z{{end}}+", noError, `"+"{{if .X}}"X"{{else}}{{if .Y}}"Y"{{else}}{{if .Z}}"Z"{{end}}{{end}}{{end}}"+"`}, {"simple range", "{{range .X}}hello{{end}}", noError, `{{range .X}}"hello"{{end}}`}, {"chained field range", "{{range .X.Y.Z}}hello{{end}}", noError, `{{range .X.Y.Z}}"hello"{{end}}`}, {"nested range", "{{range .X}}hello{{range .Y}}goodbye{{end}}{{end}}", noError, `{{range .X}}"hello"{{range .Y}}"goodbye"{{end}}{{end}}`}, {"range with else", "{{range .X}}true{{else}}false{{end}}", noError, `{{range .X}}"true"{{else}}"false"{{end}}`}, {"range over pipeline", "{{range .X|.M}}true{{else}}false{{end}}", noError, `{{range .X | .M}}"true"{{else}}"false"{{end}}`}, {"range []int", "{{range .SI}}{{.}}{{end}}", noError, `{{range .SI}}{{.}}{{end}}`}, {"range 1 var", "{{range $x := .SI}}{{.}}{{end}}", noError, `{{range $x := .SI}}{{.}}{{end}}`}, {"range 2 vars", "{{range $x, $y := .SI}}{{.}}{{end}}", noError, `{{range $x, $y := .SI}}{{.}}{{end}}`}, {"constants", "{{range .SI 1 -3.2i true false 'a' nil}}{{end}}", noError, `{{range .SI 1 -3.2i true false 'a' nil}}{{end}}`}, {"template", "{{template `x`}}", noError, `{{template "x"}}`}, {"template with arg", "{{template `x` .Y}}", noError, `{{template "x" .Y}}`}, {"with", "{{with .X}}hello{{end}}", noError, `{{with .X}}"hello"{{end}}`}, {"with with else", "{{with .X}}hello{{else}}goodbye{{end}}", noError, `{{with .X}}"hello"{{else}}"goodbye"{{end}}`}, // Trimming spaces. {"trim left", "x \r\n\t{{- 3}}", noError, `"x"{{3}}`}, {"trim right", "{{3 -}}\n\n\ty", noError, `{{3}}"y"`}, {"trim left and right", "x \r\n\t{{- 3 -}}\n\n\ty", noError, `"x"{{3}}"y"`}, {"trim with extra spaces", "x\n{{- 3 -}}\ny", noError, `"x"{{3}}"y"`}, {"comment trim left", "x \r\n\t{{- /* hi */}}", noError, `"x"`}, {"comment trim right", "{{/* hi */ -}}\n\n\ty", noError, `"y"`}, {"comment trim left and right", "x \r\n\t{{- /* */ -}}\n\n\ty", noError, `"x""y"`}, {"block definition", `{{block "foo" .}}hello{{end}}`, noError, `{{template "foo" .}}`}, // Errors. {"unclosed action", "hello{{range", hasError, ""}, {"unmatched end", "{{end}}", hasError, ""}, {"unmatched else", "{{else}}", hasError, ""}, {"unmatched else after if", "{{if .X}}hello{{end}}{{else}}", hasError, ""}, {"multiple else", "{{if .X}}1{{else}}2{{else}}3{{end}}", hasError, ""}, {"missing end", "hello{{range .x}}", hasError, ""}, {"missing end after else", "hello{{range .x}}{{else}}", hasError, ""}, {"undefined function", "hello{{undefined}}", hasError, ""}, {"undefined variable", "{{$x}}", hasError, ""}, {"variable undefined after end", "{{with $x := 4}}{{end}}{{$x}}", hasError, ""}, {"variable undefined in template", "{{template $v}}", hasError, ""}, {"declare with field", "{{with $x.Y := 4}}{{end}}", hasError, ""}, {"template with field ref", "{{template .X}}", hasError, ""}, {"template with var", "{{template $v}}", hasError, ""}, {"invalid punctuation", "{{printf 3, 4}}", hasError, ""}, {"multidecl outside range", "{{with $v, $u := 3}}{{end}}", hasError, ""}, {"too many decls in range", "{{range $u, $v, $w := 3}}{{end}}", hasError, ""}, {"dot applied to parentheses", "{{printf (printf .).}}", hasError, ""}, {"adjacent args", "{{printf 3`x`}}", hasError, ""}, {"adjacent args with .", "{{printf `x`.}}", hasError, ""}, {"extra end after if", "{{if .X}}a{{else if .Y}}b{{end}}{{end}}", hasError, ""}, // Other kinds of assignments and operators aren't available yet. {"bug0a", "{{$x := 0}}{{$x}}", noError, "{{$x := 0}}{{$x}}"}, {"bug0b", "{{$x += 1}}{{$x}}", hasError, ""}, {"bug0c", "{{$x ! 2}}{{$x}}", hasError, ""}, {"bug0d", "{{$x % 3}}{{$x}}", hasError, ""}, // Check the parse fails for := rather than comma. {"bug0e", "{{range $x := $y := 3}}{{end}}", hasError, ""}, // Another bug: variable read must ignore following punctuation. {"bug1a", "{{$x:=.}}{{$x!2}}", hasError, ""}, // ! is just illegal here. {"bug1b", "{{$x:=.}}{{$x+2}}", hasError, ""}, // $x+2 should not parse as ($x) (+2). {"bug1c", "{{$x:=.}}{{$x +2}}", noError, "{{$x := .}}{{$x +2}}"}, // It's OK with a space. // dot following a literal value {"dot after integer", "{{1.E}}", hasError, ""}, {"dot after float", "{{0.1.E}}", hasError, ""}, {"dot after boolean", "{{true.E}}", hasError, ""}, {"dot after char", "{{'a'.any}}", hasError, ""}, {"dot after string", `{{"hello".guys}}`, hasError, ""}, {"dot after dot", "{{..E}}", hasError, ""}, {"dot after nil", "{{nil.E}}", hasError, ""}, // Wrong pipeline {"wrong pipeline dot", "{{12|.}}", hasError, ""}, {"wrong pipeline number", "{{.|12|printf}}", hasError, ""}, {"wrong pipeline string", "{{.|printf|\"error\"}}", hasError, ""}, {"wrong pipeline char", "{{12|printf|'e'}}", hasError, ""}, {"wrong pipeline boolean", "{{.|true}}", hasError, ""}, {"wrong pipeline nil", "{{'c'|nil}}", hasError, ""}, {"empty pipeline", `{{printf "%d" ( ) }}`, hasError, ""}, // Missing pipeline in block {"block definition", `{{block "foo"}}hello{{end}}`, hasError, ""}, } var builtins = map[string]interface{}{ "printf": fmt.Sprintf, "contains": strings.Contains, } func testParse(doCopy bool, t *testing.T) { textFormat = "%q" defer func() { textFormat = "%s" }() for _, test := range parseTests { tmpl, err := New(test.name).Parse(test.input, "", "", make(map[string]*Tree), builtins) switch { case err == nil && !test.ok: t.Errorf("%q: expected error; got none", test.name) continue case err != nil && test.ok: t.Errorf("%q: unexpected error: %v", test.name, err) continue case err != nil && !test.ok: // expected error, got one if *debug { fmt.Printf("%s: %s\n\t%s\n", test.name, test.input, err) } continue } var result string if doCopy { result = tmpl.Root.Copy().String() } else { result = tmpl.Root.String() } if result != test.result { t.Errorf("%s=(%q): got\n\t%v\nexpected\n\t%v", test.name, test.input, result, test.result) } } } func TestParse(t *testing.T) { testParse(false, t) } // Same as TestParse, but we copy the node first func TestParseCopy(t *testing.T) { testParse(true, t) } type isEmptyTest struct { name string input string empty bool } var isEmptyTests = []isEmptyTest{ {"empty", ``, true}, {"nonempty", `hello`, false}, {"spaces only", " \t\n \t\n", true}, {"definition", `{{define "x"}}something{{end}}`, true}, {"definitions and space", "{{define `x`}}something{{end}}\n\n{{define `y`}}something{{end}}\n\n", true}, {"definitions and text", "{{define `x`}}something{{end}}\nx\n{{define `y`}}something{{end}}\ny\n", false}, {"definition and action", "{{define `x`}}something{{end}}{{if 3}}foo{{end}}", false}, } func TestIsEmpty(t *testing.T) { if !IsEmptyTree(nil) { t.Errorf("nil tree is not empty") } for _, test := range isEmptyTests { tree, err := New("root").Parse(test.input, "", "", make(map[string]*Tree), nil) if err != nil { t.Errorf("%q: unexpected error: %v", test.name, err) continue } if empty := IsEmptyTree(tree.Root); empty != test.empty { t.Errorf("%q: expected %t got %t", test.name, test.empty, empty) } } } func TestErrorContextWithTreeCopy(t *testing.T) { tree, err := New("root").Parse("{{if true}}{{end}}", "", "", make(map[string]*Tree), nil) if err != nil { t.Fatalf("unexpected tree parse failure: %v", err) } treeCopy := tree.Copy() wantLocation, wantContext := tree.ErrorContext(tree.Root.Nodes[0]) gotLocation, gotContext := treeCopy.ErrorContext(treeCopy.Root.Nodes[0]) if wantLocation != gotLocation { t.Errorf("wrong error location want %q got %q", wantLocation, gotLocation) } if wantContext != gotContext { t.Errorf("wrong error location want %q got %q", wantContext, gotContext) } } // All failures, and the result is a string that must appear in the error message. var errorTests = []parseTest{ // Check line numbers are accurate. {"unclosed1", "line1\n{{", hasError, `unclosed1:2: unexpected unclosed action in command`}, {"unclosed2", "line1\n{{define `x`}}line2\n{{", hasError, `unclosed2:3: unexpected unclosed action in command`}, // Specific errors. {"function", "{{foo}}", hasError, `function "foo" not defined`}, {"comment", "{{/*}}", hasError, `unclosed comment`}, {"lparen", "{{.X (1 2 3}}", hasError, `unclosed left paren`}, {"rparen", "{{.X 1 2 3)}}", hasError, `unexpected ")"`}, {"space", "{{`x`3}}", hasError, `in operand`}, {"idchar", "{{a#}}", hasError, `'#'`}, {"charconst", "{{'a}}", hasError, `unterminated character constant`}, {"stringconst", `{{"a}}`, hasError, `unterminated quoted string`}, {"rawstringconst", "{{`a}}", hasError, `unterminated raw quoted string`}, {"number", "{{0xi}}", hasError, `number syntax`}, {"multidefine", "{{define `a`}}a{{end}}{{define `a`}}b{{end}}", hasError, `multiple definition of template`}, {"eof", "{{range .X}}", hasError, `unexpected EOF`}, {"variable", // Declare $x so it's defined, to avoid that error, and then check we don't parse a declaration. "{{$x := 23}}{{with $x.y := 3}}{{$x 23}}{{end}}", hasError, `unexpected ":="`}, {"multidecl", "{{$a,$b,$c := 23}}", hasError, `too many declarations`}, {"undefvar", "{{$a}}", hasError, `undefined variable`}, {"wrongdot", "{{true.any}}", hasError, `unexpected . after term`}, {"wrongpipeline", "{{12|false}}", hasError, `non executable command in pipeline`}, {"emptypipeline", `{{ ( ) }}`, hasError, `missing value for parenthesized pipeline`}, {"multilinerawstring", "{{ $v := `\n` }} {{", hasError, `multilinerawstring:2: unexpected unclosed action`}, {"rangeundefvar", "{{range $k}}{{end}}", hasError, `undefined variable`}, {"rangeundefvars", "{{range $k, $v}}{{end}}", hasError, `undefined variable`}, {"rangemissingvalue1", "{{range $k,}}{{end}}", hasError, `missing value for range`}, {"rangemissingvalue2", "{{range $k, $v := }}{{end}}", hasError, `missing value for range`}, {"rangenotvariable1", "{{range $k, .}}{{end}}", hasError, `range can only initialize variables`}, {"rangenotvariable2", "{{range $k, 123 := .}}{{end}}", hasError, `range can only initialize variables`}, } func TestErrors(t *testing.T) { for _, test := range errorTests { t.Run(test.name, func(t *testing.T) { _, err := New(test.name).Parse(test.input, "", "", make(map[string]*Tree)) if err == nil { t.Fatalf("expected error %q, got nil", test.result) } if !strings.Contains(err.Error(), test.result) { t.Fatalf("error %q does not contain %q", err, test.result) } }) } } func TestBlock(t *testing.T) { const ( input = `a{{block "inner" .}}bar{{.}}baz{{end}}b` outer = `a{{template "inner" .}}b` inner = `bar{{.}}baz` ) treeSet := make(map[string]*Tree) tmpl, err := New("outer").Parse(input, "", "", treeSet, nil) if err != nil { t.Fatal(err) } if g, w := tmpl.Root.String(), outer; g != w { t.Errorf("outer template = %q, want %q", g, w) } inTmpl := treeSet["inner"] if inTmpl == nil { t.Fatal("block did not define template") } if g, w := inTmpl.Root.String(), inner; g != w { t.Errorf("inner template = %q, want %q", g, w) } } func TestLineNum(t *testing.T) { const count = 100 text := strings.Repeat("{{printf 1234}}\n", count) tree, err := New("bench").Parse(text, "", "", make(map[string]*Tree), builtins) if err != nil { t.Fatal(err) } // Check the line numbers. Each line is an action containing a template, followed by text. // That's two nodes per line. nodes := tree.Root.Nodes for i := 0; i < len(nodes); i += 2 { line := 1 + i/2 // Action first. action := nodes[i].(*ActionNode) if action.Line != line { t.Fatalf("line %d: action is line %d", line, action.Line) } pipe := action.Pipe if pipe.Line != line { t.Fatalf("line %d: pipe is line %d", line, pipe.Line) } } } func BenchmarkParseLarge(b *testing.B) { text := strings.Repeat("{{1234}}\n", 10000) for i := 0; i < b.N; i++ { _, err := New("bench").Parse(text, "", "", make(map[string]*Tree), builtins) if err != nil { b.Fatal(err) } } } var sinkv, sinkl string func BenchmarkVariableString(b *testing.B) { v := &VariableNode{ Ident: []string{"$", "A", "BB", "CCC", "THIS_IS_THE_VARIABLE_BEING_PROCESSED"}, } b.ResetTimer() b.ReportAllocs() for i := 0; i < b.N; i++ { sinkv = v.String() } if sinkv == "" { b.Fatal("Benchmark was not run") } } func BenchmarkListString(b *testing.B) { text := ` {{(printf .Field1.Field2.Field3).Value}} {{$x := (printf .Field1.Field2.Field3).Value}} {{$y := (printf $x.Field1.Field2.Field3).Value}} {{$z := $y.Field1.Field2.Field3}} {{if contains $y $z}} {{printf "%q" $y}} {{else}} {{printf "%q" $x}} {{end}} {{with $z.Field1 | contains "boring"}} {{printf "%q" . | printf "%s"}} {{else}} {{printf "%d %d %d" 11 11 11}} {{printf "%d %d %s" 22 22 $x.Field1.Field2.Field3 | printf "%s"}} {{printf "%v" (contains $z.Field1.Field2 $y)}} {{end}} ` tree, err := New("bench").Parse(text, "", "", make(map[string]*Tree), builtins) if err != nil { b.Fatal(err) } b.ResetTimer() b.ReportAllocs() for i := 0; i < b.N; i++ { sinkl = tree.Root.String() } if sinkl == "" { b.Fatal("Benchmark was not run") } }
// Copyright 2011 The Go Authors. All rights reserved. // Use of this source code is governed by a BSD-style // license that can be found in the LICENSE file. // +build go1.13 package parse import ( "flag" "fmt" "strings" "testing" ) var debug = flag.Bool("debug", false, "show the errors produced by the main tests") type numberTest struct { text string isInt bool isUint bool isFloat bool isComplex bool int64 uint64 float64 complex128 } var numberTests = []numberTest{ // basics {"0", true, true, true, false, 0, 0, 0, 0}, {"-0", true, true, true, false, 0, 0, 0, 0}, // check that -0 is a uint. {"73", true, true, true, false, 73, 73, 73, 0}, {"7_3", true, true, true, false, 73, 73, 73, 0}, {"0b10_010_01", true, true, true, false, 73, 73, 73, 0}, {"0B10_010_01", true, true, true, false, 73, 73, 73, 0}, {"073", true, true, true, false, 073, 073, 073, 0}, {"0o73", true, true, true, false, 073, 073, 073, 0}, {"0O73", true, true, true, false, 073, 073, 073, 0}, {"0x73", true, true, true, false, 0x73, 0x73, 0x73, 0}, {"0X73", true, true, true, false, 0x73, 0x73, 0x73, 0}, {"0x7_3", true, true, true, false, 0x73, 0x73, 0x73, 0}, {"-73", true, false, true, false, -73, 0, -73, 0}, {"+73", true, false, true, false, 73, 0, 73, 0}, {"100", true, true, true, false, 100, 100, 100, 0}, {"1e9", true, true, true, false, 1e9, 1e9, 1e9, 0}, {"-1e9", true, false, true, false, -1e9, 0, -1e9, 0}, {"-1.2", false, false, true, false, 0, 0, -1.2, 0}, {"1e19", false, true, true, false, 0, 1e19, 1e19, 0}, {"1e1_9", false, true, true, false, 0, 1e19, 1e19, 0}, {"1E19", false, true, true, false, 0, 1e19, 1e19, 0}, {"-1e19", false, false, true, false, 0, 0, -1e19, 0}, {"0x_1p4", true, true, true, false, 16, 16, 16, 0}, {"0X_1P4", true, true, true, false, 16, 16, 16, 0}, {"0x_1p-4", false, false, true, false, 0, 0, 1 / 16., 0}, {"4i", false, false, false, true, 0, 0, 0, 4i}, {"-1.2+4.2i", false, false, false, true, 0, 0, 0, -1.2 + 4.2i}, {"073i", false, false, false, true, 0, 0, 0, 73i}, // not octal! // complex with 0 imaginary are float (and maybe integer) {"0i", true, true, true, true, 0, 0, 0, 0}, {"-1.2+0i", false, false, true, true, 0, 0, -1.2, -1.2}, {"-12+0i", true, false, true, true, -12, 0, -12, -12}, {"13+0i", true, true, true, true, 13, 13, 13, 13}, // funny bases {"0123", true, true, true, false, 0123, 0123, 0123, 0}, {"-0x0", true, true, true, false, 0, 0, 0, 0}, {"0xdeadbeef", true, true, true, false, 0xdeadbeef, 0xdeadbeef, 0xdeadbeef, 0}, // character constants {`'a'`, true, true, true, false, 'a', 'a', 'a', 0}, {`'\n'`, true, true, true, false, '\n', '\n', '\n', 0}, {`'\\'`, true, true, true, false, '\\', '\\', '\\', 0}, {`'\''`, true, true, true, false, '\'', '\'', '\'', 0}, {`'\xFF'`, true, true, true, false, 0xFF, 0xFF, 0xFF, 0}, {`'パ'`, true, true, true, false, 0x30d1, 0x30d1, 0x30d1, 0}, {`'\u30d1'`, true, true, true, false, 0x30d1, 0x30d1, 0x30d1, 0}, {`'\U000030d1'`, true, true, true, false, 0x30d1, 0x30d1, 0x30d1, 0}, // some broken syntax {text: "+-2"}, {text: "0x123."}, {text: "1e."}, {text: "0xi."}, {text: "1+2."}, {text: "'x"}, {text: "'xx'"}, {text: "'433937734937734969526500969526500'"}, // Integer too large - issue 10634. // Issue 8622 - 0xe parsed as floating point. Very embarrassing. {"0xef", true, true, true, false, 0xef, 0xef, 0xef, 0}, } func TestNumberParse(t *testing.T) { for _, test := range numberTests { // If fmt.Sscan thinks it's complex, it's complex. We can't trust the output // because imaginary comes out as a number. var c complex128 typ := itemNumber var tree *Tree if test.text[0] == '\'' { typ = itemCharConstant } else { _, err := fmt.Sscan(test.text, &c) if err == nil { typ = itemComplex } } n, err := tree.newNumber(0, test.text, typ) ok := test.isInt || test.isUint || test.isFloat || test.isComplex if ok && err != nil { t.Errorf("unexpected error for %q: %s", test.text, err) continue } if !ok && err == nil { t.Errorf("expected error for %q", test.text) continue } if !ok { if *debug { fmt.Printf("%s\n\t%s\n", test.text, err) } continue } if n.IsComplex != test.isComplex { t.Errorf("complex incorrect for %q; should be %t", test.text, test.isComplex) } if test.isInt { if !n.IsInt { t.Errorf("expected integer for %q", test.text) } if n.Int64 != test.int64 { t.Errorf("int64 for %q should be %d Is %d", test.text, test.int64, n.Int64) } } else if n.IsInt { t.Errorf("did not expect integer for %q", test.text) } if test.isUint { if !n.IsUint { t.Errorf("expected unsigned integer for %q", test.text) } if n.Uint64 != test.uint64 { t.Errorf("uint64 for %q should be %d Is %d", test.text, test.uint64, n.Uint64) } } else if n.IsUint { t.Errorf("did not expect unsigned integer for %q", test.text) } if test.isFloat { if !n.IsFloat { t.Errorf("expected float for %q", test.text) } if n.Float64 != test.float64 { t.Errorf("float64 for %q should be %g Is %g", test.text, test.float64, n.Float64) } } else if n.IsFloat { t.Errorf("did not expect float for %q", test.text) } if test.isComplex { if !n.IsComplex { t.Errorf("expected complex for %q", test.text) } if n.Complex128 != test.complex128 { t.Errorf("complex128 for %q should be %g Is %g", test.text, test.complex128, n.Complex128) } } else if n.IsComplex { t.Errorf("did not expect complex for %q", test.text) } } } type parseTest struct { name string input string ok bool result string // what the user would see in an error message. } const ( noError = true hasError = false ) var parseTests = []parseTest{ {"empty", "", noError, ``}, {"comment", "{{/*\n\n\n*/}}", noError, ``}, {"spaces", " \t\n", noError, `" \t\n"`}, {"text", "some text", noError, `"some text"`}, {"emptyAction", "{{}}", hasError, `{{}}`}, {"field", "{{.X}}", noError, `{{.X}}`}, {"simple command", "{{printf}}", noError, `{{printf}}`}, {"$ invocation", "{{$}}", noError, "{{$}}"}, {"variable invocation", "{{with $x := 3}}{{$x 23}}{{end}}", noError, "{{with $x := 3}}{{$x 23}}{{end}}"}, {"variable with fields", "{{$.I}}", noError, "{{$.I}}"}, {"multi-word command", "{{printf `%d` 23}}", noError, "{{printf `%d` 23}}"}, {"pipeline", "{{.X|.Y}}", noError, `{{.X | .Y}}`}, {"pipeline with decl", "{{$x := .X|.Y}}", noError, `{{$x := .X | .Y}}`}, {"nested pipeline", "{{.X (.Y .Z) (.A | .B .C) (.E)}}", noError, `{{.X (.Y .Z) (.A | .B .C) (.E)}}`}, {"field applied to parentheses", "{{(.Y .Z).Field}}", noError, `{{(.Y .Z).Field}}`}, {"simple if", "{{if .X}}hello{{end}}", noError, `{{if .X}}"hello"{{end}}`}, {"if with else", "{{if .X}}true{{else}}false{{end}}", noError, `{{if .X}}"true"{{else}}"false"{{end}}`}, {"if with else if", "{{if .X}}true{{else if .Y}}false{{end}}", noError, `{{if .X}}"true"{{else}}{{if .Y}}"false"{{end}}{{end}}`}, {"if else chain", "+{{if .X}}X{{else if .Y}}Y{{else if .Z}}Z{{end}}+", noError, `"+"{{if .X}}"X"{{else}}{{if .Y}}"Y"{{else}}{{if .Z}}"Z"{{end}}{{end}}{{end}}"+"`}, {"simple range", "{{range .X}}hello{{end}}", noError, `{{range .X}}"hello"{{end}}`}, {"chained field range", "{{range .X.Y.Z}}hello{{end}}", noError, `{{range .X.Y.Z}}"hello"{{end}}`}, {"nested range", "{{range .X}}hello{{range .Y}}goodbye{{end}}{{end}}", noError, `{{range .X}}"hello"{{range .Y}}"goodbye"{{end}}{{end}}`}, {"range with else", "{{range .X}}true{{else}}false{{end}}", noError, `{{range .X}}"true"{{else}}"false"{{end}}`}, {"range over pipeline", "{{range .X|.M}}true{{else}}false{{end}}", noError, `{{range .X | .M}}"true"{{else}}"false"{{end}}`}, {"range []int", "{{range .SI}}{{.}}{{end}}", noError, `{{range .SI}}{{.}}{{end}}`}, {"range 1 var", "{{range $x := .SI}}{{.}}{{end}}", noError, `{{range $x := .SI}}{{.}}{{end}}`}, {"range 2 vars", "{{range $x, $y := .SI}}{{.}}{{end}}", noError, `{{range $x, $y := .SI}}{{.}}{{end}}`}, {"constants", "{{range .SI 1 -3.2i true false 'a' nil}}{{end}}", noError, `{{range .SI 1 -3.2i true false 'a' nil}}{{end}}`}, {"template", "{{template `x`}}", noError, `{{template "x"}}`}, {"template with arg", "{{template `x` .Y}}", noError, `{{template "x" .Y}}`}, {"with", "{{with .X}}hello{{end}}", noError, `{{with .X}}"hello"{{end}}`}, {"with with else", "{{with .X}}hello{{else}}goodbye{{end}}", noError, `{{with .X}}"hello"{{else}}"goodbye"{{end}}`}, // Trimming spaces. {"trim left", "x \r\n\t{{- 3}}", noError, `"x"{{3}}`}, {"trim right", "{{3 -}}\n\n\ty", noError, `{{3}}"y"`}, {"trim left and right", "x \r\n\t{{- 3 -}}\n\n\ty", noError, `"x"{{3}}"y"`}, {"trim with extra spaces", "x\n{{- 3 -}}\ny", noError, `"x"{{3}}"y"`}, {"comment trim left", "x \r\n\t{{- /* hi */}}", noError, `"x"`}, {"comment trim right", "{{/* hi */ -}}\n\n\ty", noError, `"y"`}, {"comment trim left and right", "x \r\n\t{{- /* */ -}}\n\n\ty", noError, `"x""y"`}, {"block definition", `{{block "foo" .}}hello{{end}}`, noError, `{{template "foo" .}}`}, // Errors. {"unclosed action", "hello{{range", hasError, ""}, {"unmatched end", "{{end}}", hasError, ""}, {"unmatched else", "{{else}}", hasError, ""}, {"unmatched else after if", "{{if .X}}hello{{end}}{{else}}", hasError, ""}, {"multiple else", "{{if .X}}1{{else}}2{{else}}3{{end}}", hasError, ""}, {"missing end", "hello{{range .x}}", hasError, ""}, {"missing end after else", "hello{{range .x}}{{else}}", hasError, ""}, {"undefined function", "hello{{undefined}}", hasError, ""}, {"undefined variable", "{{$x}}", hasError, ""}, {"variable undefined after end", "{{with $x := 4}}{{end}}{{$x}}", hasError, ""}, {"variable undefined in template", "{{template $v}}", hasError, ""}, {"declare with field", "{{with $x.Y := 4}}{{end}}", hasError, ""}, {"template with field ref", "{{template .X}}", hasError, ""}, {"template with var", "{{template $v}}", hasError, ""}, {"invalid punctuation", "{{printf 3, 4}}", hasError, ""}, {"multidecl outside range", "{{with $v, $u := 3}}{{end}}", hasError, ""}, {"too many decls in range", "{{range $u, $v, $w := 3}}{{end}}", hasError, ""}, {"dot applied to parentheses", "{{printf (printf .).}}", hasError, ""}, {"adjacent args", "{{printf 3`x`}}", hasError, ""}, {"adjacent args with .", "{{printf `x`.}}", hasError, ""}, {"extra end after if", "{{if .X}}a{{else if .Y}}b{{end}}{{end}}", hasError, ""}, // Other kinds of assignments and operators aren't available yet. {"bug0a", "{{$x := 0}}{{$x}}", noError, "{{$x := 0}}{{$x}}"}, {"bug0b", "{{$x += 1}}{{$x}}", hasError, ""}, {"bug0c", "{{$x ! 2}}{{$x}}", hasError, ""}, {"bug0d", "{{$x % 3}}{{$x}}", hasError, ""}, // Check the parse fails for := rather than comma. {"bug0e", "{{range $x := $y := 3}}{{end}}", hasError, ""}, // Another bug: variable read must ignore following punctuation. {"bug1a", "{{$x:=.}}{{$x!2}}", hasError, ""}, // ! is just illegal here. {"bug1b", "{{$x:=.}}{{$x+2}}", hasError, ""}, // $x+2 should not parse as ($x) (+2). {"bug1c", "{{$x:=.}}{{$x +2}}", noError, "{{$x := .}}{{$x +2}}"}, // It's OK with a space. // dot following a literal value {"dot after integer", "{{1.E}}", hasError, ""}, {"dot after float", "{{0.1.E}}", hasError, ""}, {"dot after boolean", "{{true.E}}", hasError, ""}, {"dot after char", "{{'a'.any}}", hasError, ""}, {"dot after string", `{{"hello".guys}}`, hasError, ""}, {"dot after dot", "{{..E}}", hasError, ""}, {"dot after nil", "{{nil.E}}", hasError, ""}, // Wrong pipeline {"wrong pipeline dot", "{{12|.}}", hasError, ""}, {"wrong pipeline number", "{{.|12|printf}}", hasError, ""}, {"wrong pipeline string", "{{.|printf|\"error\"}}", hasError, ""}, {"wrong pipeline char", "{{12|printf|'e'}}", hasError, ""}, {"wrong pipeline boolean", "{{.|true}}", hasError, ""}, {"wrong pipeline nil", "{{'c'|nil}}", hasError, ""}, {"empty pipeline", `{{printf "%d" ( ) }}`, hasError, ""}, // Missing pipeline in block {"block definition", `{{block "foo"}}hello{{end}}`, hasError, ""}, } var builtins = map[string]interface{}{ "printf": fmt.Sprintf, "contains": strings.Contains, } func testParse(doCopy bool, t *testing.T) { textFormat = "%q" defer func() { textFormat = "%s" }() for _, test := range parseTests { tmpl, err := New(test.name).Parse(test.input, "", "", make(map[string]*Tree), builtins) switch { case err == nil && !test.ok: t.Errorf("%q: expected error; got none", test.name) continue case err != nil && test.ok: t.Errorf("%q: unexpected error: %v", test.name, err) continue case err != nil && !test.ok: // expected error, got one if *debug { fmt.Printf("%s: %s\n\t%s\n", test.name, test.input, err) } continue } var result string if doCopy { result = tmpl.Root.Copy().String() } else { result = tmpl.Root.String() } if result != test.result { t.Errorf("%s=(%q): got\n\t%v\nexpected\n\t%v", test.name, test.input, result, test.result) } } } func TestParse(t *testing.T) { testParse(false, t) } // Same as TestParse, but we copy the node first func TestParseCopy(t *testing.T) { testParse(true, t) } type isEmptyTest struct { name string input string empty bool } var isEmptyTests = []isEmptyTest{ {"empty", ``, true}, {"nonempty", `hello`, false}, {"spaces only", " \t\n \t\n", true}, {"definition", `{{define "x"}}something{{end}}`, true}, {"definitions and space", "{{define `x`}}something{{end}}\n\n{{define `y`}}something{{end}}\n\n", true}, {"definitions and text", "{{define `x`}}something{{end}}\nx\n{{define `y`}}something{{end}}\ny\n", false}, {"definition and action", "{{define `x`}}something{{end}}{{if 3}}foo{{end}}", false}, } func TestIsEmpty(t *testing.T) { if !IsEmptyTree(nil) { t.Errorf("nil tree is not empty") } for _, test := range isEmptyTests { tree, err := New("root").Parse(test.input, "", "", make(map[string]*Tree), nil) if err != nil { t.Errorf("%q: unexpected error: %v", test.name, err) continue } if empty := IsEmptyTree(tree.Root); empty != test.empty { t.Errorf("%q: expected %t got %t", test.name, test.empty, empty) } } } func TestErrorContextWithTreeCopy(t *testing.T) { tree, err := New("root").Parse("{{if true}}{{end}}", "", "", make(map[string]*Tree), nil) if err != nil { t.Fatalf("unexpected tree parse failure: %v", err) } treeCopy := tree.Copy() wantLocation, wantContext := tree.ErrorContext(tree.Root.Nodes[0]) gotLocation, gotContext := treeCopy.ErrorContext(treeCopy.Root.Nodes[0]) if wantLocation != gotLocation { t.Errorf("wrong error location want %q got %q", wantLocation, gotLocation) } if wantContext != gotContext { t.Errorf("wrong error location want %q got %q", wantContext, gotContext) } } // All failures, and the result is a string that must appear in the error message. var errorTests = []parseTest{ // Check line numbers are accurate. {"unclosed1", "line1\n{{", hasError, `unclosed1:2: unexpected unclosed action in command`}, {"unclosed2", "line1\n{{define `x`}}line2\n{{", hasError, `unclosed2:3: unexpected unclosed action in command`}, // Specific errors. {"function", "{{foo}}", hasError, `function "foo" not defined`}, {"comment", "{{/*}}", hasError, `unclosed comment`}, {"lparen", "{{.X (1 2 3}}", hasError, `unclosed left paren`}, {"rparen", "{{.X 1 2 3)}}", hasError, `unexpected ")"`}, {"space", "{{`x`3}}", hasError, `in operand`}, {"idchar", "{{a#}}", hasError, `'#'`}, {"charconst", "{{'a}}", hasError, `unterminated character constant`}, {"stringconst", `{{"a}}`, hasError, `unterminated quoted string`}, {"rawstringconst", "{{`a}}", hasError, `unterminated raw quoted string`}, {"number", "{{0xi}}", hasError, `number syntax`}, {"multidefine", "{{define `a`}}a{{end}}{{define `a`}}b{{end}}", hasError, `multiple definition of template`}, {"eof", "{{range .X}}", hasError, `unexpected EOF`}, {"variable", // Declare $x so it's defined, to avoid that error, and then check we don't parse a declaration. "{{$x := 23}}{{with $x.y := 3}}{{$x 23}}{{end}}", hasError, `unexpected ":="`}, {"multidecl", "{{$a,$b,$c := 23}}", hasError, `too many declarations`}, {"undefvar", "{{$a}}", hasError, `undefined variable`}, {"wrongdot", "{{true.any}}", hasError, `unexpected . after term`}, {"wrongpipeline", "{{12|false}}", hasError, `non executable command in pipeline`}, {"emptypipeline", `{{ ( ) }}`, hasError, `missing value for parenthesized pipeline`}, {"multilinerawstring", "{{ $v := `\n` }} {{", hasError, `multilinerawstring:2: unexpected unclosed action`}, {"rangeundefvar", "{{range $k}}{{end}}", hasError, `undefined variable`}, {"rangeundefvars", "{{range $k, $v}}{{end}}", hasError, `undefined variable`}, {"rangemissingvalue1", "{{range $k,}}{{end}}", hasError, `missing value for range`}, {"rangemissingvalue2", "{{range $k, $v := }}{{end}}", hasError, `missing value for range`}, {"rangenotvariable1", "{{range $k, .}}{{end}}", hasError, `range can only initialize variables`}, {"rangenotvariable2", "{{range $k, 123 := .}}{{end}}", hasError, `range can only initialize variables`}, } func TestErrors(t *testing.T) { for _, test := range errorTests { t.Run(test.name, func(t *testing.T) { _, err := New(test.name).Parse(test.input, "", "", make(map[string]*Tree)) if err == nil { t.Fatalf("expected error %q, got nil", test.result) } if !strings.Contains(err.Error(), test.result) { t.Fatalf("error %q does not contain %q", err, test.result) } }) } } func TestBlock(t *testing.T) { const ( input = `a{{block "inner" .}}bar{{.}}baz{{end}}b` outer = `a{{template "inner" .}}b` inner = `bar{{.}}baz` ) treeSet := make(map[string]*Tree) tmpl, err := New("outer").Parse(input, "", "", treeSet, nil) if err != nil { t.Fatal(err) } if g, w := tmpl.Root.String(), outer; g != w { t.Errorf("outer template = %q, want %q", g, w) } inTmpl := treeSet["inner"] if inTmpl == nil { t.Fatal("block did not define template") } if g, w := inTmpl.Root.String(), inner; g != w { t.Errorf("inner template = %q, want %q", g, w) } } func TestLineNum(t *testing.T) { const count = 100 text := strings.Repeat("{{printf 1234}}\n", count) tree, err := New("bench").Parse(text, "", "", make(map[string]*Tree), builtins) if err != nil { t.Fatal(err) } // Check the line numbers. Each line is an action containing a template, followed by text. // That's two nodes per line. nodes := tree.Root.Nodes for i := 0; i < len(nodes); i += 2 { line := 1 + i/2 // Action first. action := nodes[i].(*ActionNode) if action.Line != line { t.Fatalf("line %d: action is line %d", line, action.Line) } pipe := action.Pipe if pipe.Line != line { t.Fatalf("line %d: pipe is line %d", line, pipe.Line) } } } func BenchmarkParseLarge(b *testing.B) { text := strings.Repeat("{{1234}}\n", 10000) for i := 0; i < b.N; i++ { _, err := New("bench").Parse(text, "", "", make(map[string]*Tree), builtins) if err != nil { b.Fatal(err) } } } var sinkv, sinkl string func BenchmarkVariableString(b *testing.B) { v := &VariableNode{ Ident: []string{"$", "A", "BB", "CCC", "THIS_IS_THE_VARIABLE_BEING_PROCESSED"}, } b.ResetTimer() b.ReportAllocs() for i := 0; i < b.N; i++ { sinkv = v.String() } if sinkv == "" { b.Fatal("Benchmark was not run") } } func BenchmarkListString(b *testing.B) { text := ` {{(printf .Field1.Field2.Field3).Value}} {{$x := (printf .Field1.Field2.Field3).Value}} {{$y := (printf $x.Field1.Field2.Field3).Value}} {{$z := $y.Field1.Field2.Field3}} {{if contains $y $z}} {{printf "%q" $y}} {{else}} {{printf "%q" $x}} {{end}} {{with $z.Field1 | contains "boring"}} {{printf "%q" . | printf "%s"}} {{else}} {{printf "%d %d %d" 11 11 11}} {{printf "%d %d %s" 22 22 $x.Field1.Field2.Field3 | printf "%s"}} {{printf "%v" (contains $z.Field1.Field2 $y)}} {{end}} ` tree, err := New("bench").Parse(text, "", "", make(map[string]*Tree), builtins) if err != nil { b.Fatal(err) } b.ResetTimer() b.ReportAllocs() for i := 0; i < b.N; i++ { sinkl = tree.Root.String() } if sinkl == "" { b.Fatal("Benchmark was not run") } }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./commands/version.go
// Copyright 2015 The Hugo Authors. All rights reserved. // // 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. package commands import ( "github.com/gohugoio/hugo/common/hugo" "github.com/spf13/cobra" jww "github.com/spf13/jwalterweatherman" ) var _ cmder = (*versionCmd)(nil) type versionCmd struct { *baseCmd } func newVersionCmd() *versionCmd { return &versionCmd{ newBaseCmd(&cobra.Command{ Use: "version", Short: "Print the version number of Hugo", Long: `All software has versions. This is Hugo's.`, RunE: func(cmd *cobra.Command, args []string) error { printHugoVersion() return nil }, }), } } func printHugoVersion() { jww.FEEDBACK.Println(hugo.BuildVersionString()) }
// Copyright 2015 The Hugo Authors. All rights reserved. // // 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. package commands import ( "github.com/gohugoio/hugo/common/hugo" "github.com/spf13/cobra" jww "github.com/spf13/jwalterweatherman" ) var _ cmder = (*versionCmd)(nil) type versionCmd struct { *baseCmd } func newVersionCmd() *versionCmd { return &versionCmd{ newBaseCmd(&cobra.Command{ Use: "version", Short: "Print the version number of Hugo", Long: `All software has versions. This is Hugo's.`, RunE: func(cmd *cobra.Command, args []string) error { printHugoVersion() return nil }, }), } } func printHugoVersion() { jww.FEEDBACK.Println(hugo.BuildVersionString()) }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./commands/new_theme.go
// Copyright 2018 The Hugo Authors. All rights reserved. // // 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. package commands import ( "bytes" "errors" "path/filepath" "strings" "time" "github.com/gohugoio/hugo/helpers" "github.com/gohugoio/hugo/hugofs" "github.com/spf13/cobra" jww "github.com/spf13/jwalterweatherman" ) var _ cmder = (*newThemeCmd)(nil) type newThemeCmd struct { *baseBuilderCmd } func (b *commandsBuilder) newNewThemeCmd() *newThemeCmd { cc := &newThemeCmd{} cmd := &cobra.Command{ Use: "theme [name]", Short: "Create a new theme", Long: `Create a new theme (skeleton) called [name] in the current directory. New theme is a skeleton. Please add content to the touched files. Add your name to the copyright line in the license and adjust the theme.toml file as you see fit.`, RunE: cc.newTheme, } cc.baseBuilderCmd = b.newBuilderBasicCmd(cmd) return cc } // newTheme creates a new Hugo theme template func (n *newThemeCmd) newTheme(cmd *cobra.Command, args []string) error { c, err := initializeConfig(false, false, &n.hugoBuilderCommon, n, nil) if err != nil { return err } if len(args) < 1 { return newUserError("theme name needs to be provided") } createpath := c.hugo().PathSpec.AbsPathify(filepath.Join(c.Cfg.GetString("themesDir"), args[0])) jww.FEEDBACK.Println("Creating theme at", createpath) cfg := c.DepsCfg if x, _ := helpers.Exists(createpath, cfg.Fs.Source); x { return errors.New(createpath + " already exists") } mkdir(createpath, "layouts", "_default") mkdir(createpath, "layouts", "partials") touchFile(cfg.Fs.Source, createpath, "layouts", "index.html") touchFile(cfg.Fs.Source, createpath, "layouts", "404.html") touchFile(cfg.Fs.Source, createpath, "layouts", "_default", "list.html") touchFile(cfg.Fs.Source, createpath, "layouts", "_default", "single.html") baseofDefault := []byte(`<!DOCTYPE html> <html> {{- partial "head.html" . -}} <body> {{- partial "header.html" . -}} <div id="content"> {{- block "main" . }}{{- end }} </div> {{- partial "footer.html" . -}} </body> </html> `) err = helpers.WriteToDisk(filepath.Join(createpath, "layouts", "_default", "baseof.html"), bytes.NewReader(baseofDefault), cfg.Fs.Source) if err != nil { return err } touchFile(cfg.Fs.Source, createpath, "layouts", "partials", "head.html") touchFile(cfg.Fs.Source, createpath, "layouts", "partials", "header.html") touchFile(cfg.Fs.Source, createpath, "layouts", "partials", "footer.html") mkdir(createpath, "archetypes") archDefault := []byte("+++\n+++\n") err = helpers.WriteToDisk(filepath.Join(createpath, "archetypes", "default.md"), bytes.NewReader(archDefault), cfg.Fs.Source) if err != nil { return err } mkdir(createpath, "static", "js") mkdir(createpath, "static", "css") by := []byte(`The MIT License (MIT) Copyright (c) ` + time.Now().Format("2006") + ` YOUR_NAME_HERE 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. `) err = helpers.WriteToDisk(filepath.Join(createpath, "LICENSE"), bytes.NewReader(by), cfg.Fs.Source) if err != nil { return err } n.createThemeMD(cfg.Fs, createpath) return nil } func (n *newThemeCmd) createThemeMD(fs *hugofs.Fs, inpath string) (err error) { by := []byte(`# theme.toml template for a Hugo theme # See https://github.com/gohugoio/hugoThemes#themetoml for an example name = "` + strings.Title(helpers.MakeTitle(filepath.Base(inpath))) + `" license = "MIT" licenselink = "https://github.com/yourname/yourtheme/blob/master/LICENSE" description = "" homepage = "http://example.com/" tags = [] features = [] min_version = "0.41.0" [author] name = "" homepage = "" # If porting an existing theme [original] name = "" homepage = "" repo = "" `) err = helpers.WriteToDisk(filepath.Join(inpath, "theme.toml"), bytes.NewReader(by), fs.Source) if err != nil { return } return nil }
// Copyright 2018 The Hugo Authors. All rights reserved. // // 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. package commands import ( "bytes" "errors" "path/filepath" "strings" "time" "github.com/gohugoio/hugo/helpers" "github.com/gohugoio/hugo/hugofs" "github.com/spf13/cobra" jww "github.com/spf13/jwalterweatherman" ) var _ cmder = (*newThemeCmd)(nil) type newThemeCmd struct { *baseBuilderCmd } func (b *commandsBuilder) newNewThemeCmd() *newThemeCmd { cc := &newThemeCmd{} cmd := &cobra.Command{ Use: "theme [name]", Short: "Create a new theme", Long: `Create a new theme (skeleton) called [name] in the current directory. New theme is a skeleton. Please add content to the touched files. Add your name to the copyright line in the license and adjust the theme.toml file as you see fit.`, RunE: cc.newTheme, } cc.baseBuilderCmd = b.newBuilderBasicCmd(cmd) return cc } // newTheme creates a new Hugo theme template func (n *newThemeCmd) newTheme(cmd *cobra.Command, args []string) error { c, err := initializeConfig(false, false, &n.hugoBuilderCommon, n, nil) if err != nil { return err } if len(args) < 1 { return newUserError("theme name needs to be provided") } createpath := c.hugo().PathSpec.AbsPathify(filepath.Join(c.Cfg.GetString("themesDir"), args[0])) jww.FEEDBACK.Println("Creating theme at", createpath) cfg := c.DepsCfg if x, _ := helpers.Exists(createpath, cfg.Fs.Source); x { return errors.New(createpath + " already exists") } mkdir(createpath, "layouts", "_default") mkdir(createpath, "layouts", "partials") touchFile(cfg.Fs.Source, createpath, "layouts", "index.html") touchFile(cfg.Fs.Source, createpath, "layouts", "404.html") touchFile(cfg.Fs.Source, createpath, "layouts", "_default", "list.html") touchFile(cfg.Fs.Source, createpath, "layouts", "_default", "single.html") baseofDefault := []byte(`<!DOCTYPE html> <html> {{- partial "head.html" . -}} <body> {{- partial "header.html" . -}} <div id="content"> {{- block "main" . }}{{- end }} </div> {{- partial "footer.html" . -}} </body> </html> `) err = helpers.WriteToDisk(filepath.Join(createpath, "layouts", "_default", "baseof.html"), bytes.NewReader(baseofDefault), cfg.Fs.Source) if err != nil { return err } touchFile(cfg.Fs.Source, createpath, "layouts", "partials", "head.html") touchFile(cfg.Fs.Source, createpath, "layouts", "partials", "header.html") touchFile(cfg.Fs.Source, createpath, "layouts", "partials", "footer.html") mkdir(createpath, "archetypes") archDefault := []byte("+++\n+++\n") err = helpers.WriteToDisk(filepath.Join(createpath, "archetypes", "default.md"), bytes.NewReader(archDefault), cfg.Fs.Source) if err != nil { return err } mkdir(createpath, "static", "js") mkdir(createpath, "static", "css") by := []byte(`The MIT License (MIT) Copyright (c) ` + time.Now().Format("2006") + ` YOUR_NAME_HERE 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. `) err = helpers.WriteToDisk(filepath.Join(createpath, "LICENSE"), bytes.NewReader(by), cfg.Fs.Source) if err != nil { return err } n.createThemeMD(cfg.Fs, createpath) return nil } func (n *newThemeCmd) createThemeMD(fs *hugofs.Fs, inpath string) (err error) { by := []byte(`# theme.toml template for a Hugo theme # See https://github.com/gohugoio/hugoThemes#themetoml for an example name = "` + strings.Title(helpers.MakeTitle(filepath.Base(inpath))) + `" license = "MIT" licenselink = "https://github.com/yourname/yourtheme/blob/master/LICENSE" description = "" homepage = "http://example.com/" tags = [] features = [] min_version = "0.41.0" [author] name = "" homepage = "" # If porting an existing theme [original] name = "" homepage = "" repo = "" `) err = helpers.WriteToDisk(filepath.Join(inpath, "theme.toml"), bytes.NewReader(by), fs.Source) if err != nil { return } return nil }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./resources/page/pages_language_merge.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package page import ( "fmt" ) var _ pagesLanguageMerger = (*Pages)(nil) type pagesLanguageMerger interface { MergeByLanguage(other Pages) Pages // Needed for integration with the tpl package. MergeByLanguageInterface(other interface{}) (interface{}, error) } // MergeByLanguage supplies missing translations in p1 with values from p2. // The result is sorted by the default sort order for pages. func (p1 Pages) MergeByLanguage(p2 Pages) Pages { merge := func(pages *Pages) { m := make(map[string]bool) for _, p := range *pages { m[p.TranslationKey()] = true } for _, p := range p2 { if _, found := m[p.TranslationKey()]; !found { *pages = append(*pages, p) } } SortByDefault(*pages) } out, _ := spc.getP("pages.MergeByLanguage", merge, p1, p2) return out } // MergeByLanguageInterface is the generic version of MergeByLanguage. It // is here just so it can be called from the tpl package. func (p1 Pages) MergeByLanguageInterface(in interface{}) (interface{}, error) { if in == nil { return p1, nil } p2, ok := in.(Pages) if !ok { return nil, fmt.Errorf("%T cannot be merged by language", in) } return p1.MergeByLanguage(p2), nil }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package page import ( "fmt" ) var _ pagesLanguageMerger = (*Pages)(nil) type pagesLanguageMerger interface { MergeByLanguage(other Pages) Pages // Needed for integration with the tpl package. MergeByLanguageInterface(other interface{}) (interface{}, error) } // MergeByLanguage supplies missing translations in p1 with values from p2. // The result is sorted by the default sort order for pages. func (p1 Pages) MergeByLanguage(p2 Pages) Pages { merge := func(pages *Pages) { m := make(map[string]bool) for _, p := range *pages { m[p.TranslationKey()] = true } for _, p := range p2 { if _, found := m[p.TranslationKey()]; !found { *pages = append(*pages, p) } } SortByDefault(*pages) } out, _ := spc.getP("pages.MergeByLanguage", merge, p1, p2) return out } // MergeByLanguageInterface is the generic version of MergeByLanguage. It // is here just so it can be called from the tpl package. func (p1 Pages) MergeByLanguageInterface(in interface{}) (interface{}, error) { if in == nil { return p1, nil } p2, ok := in.(Pages) if !ok { return nil, fmt.Errorf("%T cannot be merged by language", in) } return p1.MergeByLanguage(p2), nil }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./tpl/partials/init.go
// Copyright 2017 The Hugo Authors. All rights reserved. // // 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. package partials import ( "github.com/gohugoio/hugo/deps" "github.com/gohugoio/hugo/tpl/internal" ) const name = "partials" func init() { f := func(d *deps.Deps) *internal.TemplateFuncsNamespace { ctx := New(d) ns := &internal.TemplateFuncsNamespace{ Name: name, Context: func(args ...interface{}) interface{} { return ctx }, } ns.AddMethodMapping(ctx.Include, []string{"partial"}, [][2]string{ {`{{ partial "header.html" . }}`, `<title>Hugo Rocks!</title>`}, }, ) // TODO(bep) we need the return to be a valid identifier, but // should consider another way of adding it. ns.AddMethodMapping(func() string { return "" }, []string{"return"}, [][2]string{}, ) ns.AddMethodMapping(ctx.IncludeCached, []string{"partialCached"}, [][2]string{}, ) return ns } internal.AddTemplateFuncsNamespace(f) }
// Copyright 2017 The Hugo Authors. All rights reserved. // // 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. package partials import ( "github.com/gohugoio/hugo/deps" "github.com/gohugoio/hugo/tpl/internal" ) const name = "partials" func init() { f := func(d *deps.Deps) *internal.TemplateFuncsNamespace { ctx := New(d) ns := &internal.TemplateFuncsNamespace{ Name: name, Context: func(args ...interface{}) interface{} { return ctx }, } ns.AddMethodMapping(ctx.Include, []string{"partial"}, [][2]string{ {`{{ partial "header.html" . }}`, `<title>Hugo Rocks!</title>`}, }, ) // TODO(bep) we need the return to be a valid identifier, but // should consider another way of adding it. ns.AddMethodMapping(func() string { return "" }, []string{"return"}, [][2]string{}, ) ns.AddMethodMapping(ctx.IncludeCached, []string{"partialCached"}, [][2]string{}, ) return ns } internal.AddTemplateFuncsNamespace(f) }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./hugolib/page__paths.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package hugolib import ( "net/url" "strings" "github.com/gohugoio/hugo/helpers" "github.com/gohugoio/hugo/resources/page" ) func newPagePaths( s *Site, p page.Page, pm *pageMeta) (pagePaths, error) { targetPathDescriptor, err := createTargetPathDescriptor(s, p, pm) if err != nil { return pagePaths{}, err } outputFormats := pm.outputFormats() if len(outputFormats) == 0 { return pagePaths{}, nil } if pm.noRender() { outputFormats = outputFormats[:1] } pageOutputFormats := make(page.OutputFormats, len(outputFormats)) targets := make(map[string]targetPathsHolder) for i, f := range outputFormats { desc := targetPathDescriptor desc.Type = f paths := page.CreateTargetPaths(desc) var relPermalink, permalink string // If a page is headless or bundled in another, // it will not get published on its own and it will have no links. // We also check the build options if it's set to not render or have // a link. if !pm.noLink() && !pm.bundled { relPermalink = paths.RelPermalink(s.PathSpec) permalink = paths.PermalinkForOutputFormat(s.PathSpec, f) } pageOutputFormats[i] = page.NewOutputFormat(relPermalink, permalink, len(outputFormats) == 1, f) // Use the main format for permalinks, usually HTML. permalinksIndex := 0 if f.Permalinkable { // Unless it's permalinkable permalinksIndex = i } targets[f.Name] = targetPathsHolder{ paths: paths, OutputFormat: pageOutputFormats[permalinksIndex], } } var out page.OutputFormats if !pm.noLink() { out = pageOutputFormats } return pagePaths{ outputFormats: out, firstOutputFormat: pageOutputFormats[0], targetPaths: targets, targetPathDescriptor: targetPathDescriptor, }, nil } type pagePaths struct { outputFormats page.OutputFormats firstOutputFormat page.OutputFormat targetPaths map[string]targetPathsHolder targetPathDescriptor page.TargetPathDescriptor } func (l pagePaths) OutputFormats() page.OutputFormats { return l.outputFormats } func createTargetPathDescriptor(s *Site, p page.Page, pm *pageMeta) (page.TargetPathDescriptor, error) { var ( dir string baseName string contentBaseName string ) d := s.Deps if !p.File().IsZero() { dir = p.File().Dir() baseName = p.File().TranslationBaseName() contentBaseName = p.File().ContentBaseName() } if baseName != contentBaseName { // See https://github.com/gohugoio/hugo/issues/4870 // A leaf bundle dir = strings.TrimSuffix(dir, contentBaseName+helpers.FilePathSeparator) baseName = contentBaseName } alwaysInSubDir := p.Kind() == kindSitemap desc := page.TargetPathDescriptor{ PathSpec: d.PathSpec, Kind: p.Kind(), Sections: p.SectionsEntries(), UglyURLs: s.Info.uglyURLs(p), ForcePrefix: s.h.IsMultihost() || alwaysInSubDir, Dir: dir, URL: pm.urlPaths.URL, } if pm.Slug() != "" { desc.BaseName = pm.Slug() } else { desc.BaseName = baseName } desc.PrefixFilePath = s.getLanguageTargetPathLang(alwaysInSubDir) desc.PrefixLink = s.getLanguagePermalinkLang(alwaysInSubDir) // Expand only page.KindPage and page.KindTaxonomy; don't expand other Kinds of Pages // like page.KindSection or page.KindTaxonomyTerm because they are "shallower" and // the permalink configuration values are likely to be redundant, e.g. // naively expanding /category/:slug/ would give /category/categories/ for // the "categories" page.KindTaxonomyTerm. if p.Kind() == page.KindPage || p.Kind() == page.KindTerm { opath, err := d.ResourceSpec.Permalinks.Expand(p.Section(), p) if err != nil { return desc, err } if opath != "" { opath, _ = url.QueryUnescape(opath) desc.ExpandedPermalink = opath } } return desc, nil }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package hugolib import ( "net/url" "strings" "github.com/gohugoio/hugo/helpers" "github.com/gohugoio/hugo/resources/page" ) func newPagePaths( s *Site, p page.Page, pm *pageMeta) (pagePaths, error) { targetPathDescriptor, err := createTargetPathDescriptor(s, p, pm) if err != nil { return pagePaths{}, err } outputFormats := pm.outputFormats() if len(outputFormats) == 0 { return pagePaths{}, nil } if pm.noRender() { outputFormats = outputFormats[:1] } pageOutputFormats := make(page.OutputFormats, len(outputFormats)) targets := make(map[string]targetPathsHolder) for i, f := range outputFormats { desc := targetPathDescriptor desc.Type = f paths := page.CreateTargetPaths(desc) var relPermalink, permalink string // If a page is headless or bundled in another, // it will not get published on its own and it will have no links. // We also check the build options if it's set to not render or have // a link. if !pm.noLink() && !pm.bundled { relPermalink = paths.RelPermalink(s.PathSpec) permalink = paths.PermalinkForOutputFormat(s.PathSpec, f) } pageOutputFormats[i] = page.NewOutputFormat(relPermalink, permalink, len(outputFormats) == 1, f) // Use the main format for permalinks, usually HTML. permalinksIndex := 0 if f.Permalinkable { // Unless it's permalinkable permalinksIndex = i } targets[f.Name] = targetPathsHolder{ paths: paths, OutputFormat: pageOutputFormats[permalinksIndex], } } var out page.OutputFormats if !pm.noLink() { out = pageOutputFormats } return pagePaths{ outputFormats: out, firstOutputFormat: pageOutputFormats[0], targetPaths: targets, targetPathDescriptor: targetPathDescriptor, }, nil } type pagePaths struct { outputFormats page.OutputFormats firstOutputFormat page.OutputFormat targetPaths map[string]targetPathsHolder targetPathDescriptor page.TargetPathDescriptor } func (l pagePaths) OutputFormats() page.OutputFormats { return l.outputFormats } func createTargetPathDescriptor(s *Site, p page.Page, pm *pageMeta) (page.TargetPathDescriptor, error) { var ( dir string baseName string contentBaseName string ) d := s.Deps if !p.File().IsZero() { dir = p.File().Dir() baseName = p.File().TranslationBaseName() contentBaseName = p.File().ContentBaseName() } if baseName != contentBaseName { // See https://github.com/gohugoio/hugo/issues/4870 // A leaf bundle dir = strings.TrimSuffix(dir, contentBaseName+helpers.FilePathSeparator) baseName = contentBaseName } alwaysInSubDir := p.Kind() == kindSitemap desc := page.TargetPathDescriptor{ PathSpec: d.PathSpec, Kind: p.Kind(), Sections: p.SectionsEntries(), UglyURLs: s.Info.uglyURLs(p), ForcePrefix: s.h.IsMultihost() || alwaysInSubDir, Dir: dir, URL: pm.urlPaths.URL, } if pm.Slug() != "" { desc.BaseName = pm.Slug() } else { desc.BaseName = baseName } desc.PrefixFilePath = s.getLanguageTargetPathLang(alwaysInSubDir) desc.PrefixLink = s.getLanguagePermalinkLang(alwaysInSubDir) // Expand only page.KindPage and page.KindTaxonomy; don't expand other Kinds of Pages // like page.KindSection or page.KindTaxonomyTerm because they are "shallower" and // the permalink configuration values are likely to be redundant, e.g. // naively expanding /category/:slug/ would give /category/categories/ for // the "categories" page.KindTaxonomyTerm. if p.Kind() == page.KindPage || p.Kind() == page.KindTerm { opath, err := d.ResourceSpec.Permalinks.Expand(p.Section(), p) if err != nil { return desc, err } if opath != "" { opath, _ = url.QueryUnescape(opath) desc.ExpandedPermalink = opath } } return desc, nil }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./markup/goldmark/convert.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. // Package goldmark converts Markdown to HTML using Goldmark. package goldmark import ( "bytes" "fmt" "math/bits" "path/filepath" "runtime/debug" "github.com/gohugoio/hugo/identity" "github.com/pkg/errors" "github.com/spf13/afero" "github.com/gohugoio/hugo/hugofs" "github.com/gohugoio/hugo/markup/converter" "github.com/gohugoio/hugo/markup/highlight" "github.com/gohugoio/hugo/markup/tableofcontents" "github.com/yuin/goldmark" hl "github.com/yuin/goldmark-highlighting" "github.com/yuin/goldmark/extension" "github.com/yuin/goldmark/parser" "github.com/yuin/goldmark/renderer" "github.com/yuin/goldmark/renderer/html" "github.com/yuin/goldmark/text" "github.com/yuin/goldmark/util" ) // Provider is the package entry point. var Provider converter.ProviderProvider = provide{} type provide struct { } func (p provide) New(cfg converter.ProviderConfig) (converter.Provider, error) { md := newMarkdown(cfg) return converter.NewProvider("goldmark", func(ctx converter.DocumentContext) (converter.Converter, error) { return &goldmarkConverter{ ctx: ctx, cfg: cfg, md: md, sanitizeAnchorName: func(s string) string { return sanitizeAnchorNameString(s, cfg.MarkupConfig.Goldmark.Parser.AutoHeadingIDType) }, }, nil }), nil } var _ converter.AnchorNameSanitizer = (*goldmarkConverter)(nil) type goldmarkConverter struct { md goldmark.Markdown ctx converter.DocumentContext cfg converter.ProviderConfig sanitizeAnchorName func(s string) string } func (c *goldmarkConverter) SanitizeAnchorName(s string) string { return c.sanitizeAnchorName(s) } func newMarkdown(pcfg converter.ProviderConfig) goldmark.Markdown { mcfg := pcfg.MarkupConfig cfg := pcfg.MarkupConfig.Goldmark var rendererOptions []renderer.Option if cfg.Renderer.HardWraps { rendererOptions = append(rendererOptions, html.WithHardWraps()) } if cfg.Renderer.XHTML { rendererOptions = append(rendererOptions, html.WithXHTML()) } if cfg.Renderer.Unsafe { rendererOptions = append(rendererOptions, html.WithUnsafe()) } var ( extensions = []goldmark.Extender{ newLinks(), newTocExtension(rendererOptions), } parserOptions []parser.Option ) if mcfg.Highlight.CodeFences { extensions = append(extensions, newHighlighting(mcfg.Highlight)) } if cfg.Extensions.Table { extensions = append(extensions, extension.Table) } if cfg.Extensions.Strikethrough { extensions = append(extensions, extension.Strikethrough) } if cfg.Extensions.Linkify { extensions = append(extensions, extension.Linkify) } if cfg.Extensions.TaskList { extensions = append(extensions, extension.TaskList) } if cfg.Extensions.Typographer { extensions = append(extensions, extension.Typographer) } if cfg.Extensions.DefinitionList { extensions = append(extensions, extension.DefinitionList) } if cfg.Extensions.Footnote { extensions = append(extensions, extension.Footnote) } if cfg.Parser.AutoHeadingID { parserOptions = append(parserOptions, parser.WithAutoHeadingID()) } if cfg.Parser.Attribute { parserOptions = append(parserOptions, parser.WithAttribute()) } md := goldmark.New( goldmark.WithExtensions( extensions..., ), goldmark.WithParserOptions( parserOptions..., ), goldmark.WithRendererOptions( rendererOptions..., ), ) return md } var _ identity.IdentitiesProvider = (*converterResult)(nil) type converterResult struct { converter.Result toc tableofcontents.Root ids identity.Identities } func (c converterResult) TableOfContents() tableofcontents.Root { return c.toc } func (c converterResult) GetIdentities() identity.Identities { return c.ids } type bufWriter struct { *bytes.Buffer } const maxInt = 1<<(bits.UintSize-1) - 1 func (b *bufWriter) Available() int { return maxInt } func (b *bufWriter) Buffered() int { return b.Len() } func (b *bufWriter) Flush() error { return nil } type renderContext struct { *bufWriter pos int renderContextData } type renderContextData interface { RenderContext() converter.RenderContext DocumentContext() converter.DocumentContext AddIdentity(id identity.Provider) } type renderContextDataHolder struct { rctx converter.RenderContext dctx converter.DocumentContext ids identity.Manager } func (ctx *renderContextDataHolder) RenderContext() converter.RenderContext { return ctx.rctx } func (ctx *renderContextDataHolder) DocumentContext() converter.DocumentContext { return ctx.dctx } func (ctx *renderContextDataHolder) AddIdentity(id identity.Provider) { ctx.ids.Add(id) } var converterIdentity = identity.KeyValueIdentity{Key: "goldmark", Value: "converter"} func (c *goldmarkConverter) Convert(ctx converter.RenderContext) (result converter.Result, err error) { defer func() { if r := recover(); r != nil { dir := afero.GetTempDir(hugofs.Os, "hugo_bugs") name := fmt.Sprintf("goldmark_%s.txt", c.ctx.DocumentID) filename := filepath.Join(dir, name) afero.WriteFile(hugofs.Os, filename, ctx.Src, 07555) fmt.Print(string(debug.Stack())) err = errors.Errorf("[BUG] goldmark: %s: create an issue on GitHub attaching the file in: %s", r, filename) } }() buf := &bufWriter{Buffer: &bytes.Buffer{}} result = buf pctx := c.newParserContext(ctx) reader := text.NewReader(ctx.Src) doc := c.md.Parser().Parse( reader, parser.WithContext(pctx), ) rcx := &renderContextDataHolder{ rctx: ctx, dctx: c.ctx, ids: identity.NewManager(converterIdentity), } w := &renderContext{ bufWriter: buf, renderContextData: rcx, } if err := c.md.Renderer().Render(w, ctx.Src, doc); err != nil { return nil, err } return converterResult{ Result: buf, ids: rcx.ids.GetIdentities(), toc: pctx.TableOfContents(), }, nil } var featureSet = map[identity.Identity]bool{ converter.FeatureRenderHooks: true, } func (c *goldmarkConverter) Supports(feature identity.Identity) bool { return featureSet[feature.GetIdentity()] } func (c *goldmarkConverter) newParserContext(rctx converter.RenderContext) *parserContext { ctx := parser.NewContext(parser.WithIDs(newIDFactory(c.cfg.MarkupConfig.Goldmark.Parser.AutoHeadingIDType))) ctx.Set(tocEnableKey, rctx.RenderTOC) return &parserContext{ Context: ctx, } } type parserContext struct { parser.Context } func (p *parserContext) TableOfContents() tableofcontents.Root { if v := p.Get(tocResultKey); v != nil { return v.(tableofcontents.Root) } return tableofcontents.Root{} } func newHighlighting(cfg highlight.Config) goldmark.Extender { return hl.NewHighlighting( hl.WithStyle(cfg.Style), hl.WithGuessLanguage(cfg.GuessSyntax), hl.WithCodeBlockOptions(highlight.GetCodeBlockOptions()), hl.WithFormatOptions( cfg.ToHTMLOptions()..., ), hl.WithWrapperRenderer(func(w util.BufWriter, ctx hl.CodeBlockContext, entering bool) { l, hasLang := ctx.Language() var language string if hasLang { language = string(l) } if entering { if !ctx.Highlighted() { w.WriteString(`<pre>`) highlight.WriteCodeTag(w, language) return } w.WriteString(`<div class="highlight">`) return } if !ctx.Highlighted() { w.WriteString(`</code></pre>`) return } w.WriteString("</div>") }), ) }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. // Package goldmark converts Markdown to HTML using Goldmark. package goldmark import ( "bytes" "fmt" "math/bits" "path/filepath" "runtime/debug" "github.com/gohugoio/hugo/identity" "github.com/pkg/errors" "github.com/spf13/afero" "github.com/gohugoio/hugo/hugofs" "github.com/gohugoio/hugo/markup/converter" "github.com/gohugoio/hugo/markup/highlight" "github.com/gohugoio/hugo/markup/tableofcontents" "github.com/yuin/goldmark" hl "github.com/yuin/goldmark-highlighting" "github.com/yuin/goldmark/extension" "github.com/yuin/goldmark/parser" "github.com/yuin/goldmark/renderer" "github.com/yuin/goldmark/renderer/html" "github.com/yuin/goldmark/text" "github.com/yuin/goldmark/util" ) // Provider is the package entry point. var Provider converter.ProviderProvider = provide{} type provide struct { } func (p provide) New(cfg converter.ProviderConfig) (converter.Provider, error) { md := newMarkdown(cfg) return converter.NewProvider("goldmark", func(ctx converter.DocumentContext) (converter.Converter, error) { return &goldmarkConverter{ ctx: ctx, cfg: cfg, md: md, sanitizeAnchorName: func(s string) string { return sanitizeAnchorNameString(s, cfg.MarkupConfig.Goldmark.Parser.AutoHeadingIDType) }, }, nil }), nil } var _ converter.AnchorNameSanitizer = (*goldmarkConverter)(nil) type goldmarkConverter struct { md goldmark.Markdown ctx converter.DocumentContext cfg converter.ProviderConfig sanitizeAnchorName func(s string) string } func (c *goldmarkConverter) SanitizeAnchorName(s string) string { return c.sanitizeAnchorName(s) } func newMarkdown(pcfg converter.ProviderConfig) goldmark.Markdown { mcfg := pcfg.MarkupConfig cfg := pcfg.MarkupConfig.Goldmark var rendererOptions []renderer.Option if cfg.Renderer.HardWraps { rendererOptions = append(rendererOptions, html.WithHardWraps()) } if cfg.Renderer.XHTML { rendererOptions = append(rendererOptions, html.WithXHTML()) } if cfg.Renderer.Unsafe { rendererOptions = append(rendererOptions, html.WithUnsafe()) } var ( extensions = []goldmark.Extender{ newLinks(), newTocExtension(rendererOptions), } parserOptions []parser.Option ) if mcfg.Highlight.CodeFences { extensions = append(extensions, newHighlighting(mcfg.Highlight)) } if cfg.Extensions.Table { extensions = append(extensions, extension.Table) } if cfg.Extensions.Strikethrough { extensions = append(extensions, extension.Strikethrough) } if cfg.Extensions.Linkify { extensions = append(extensions, extension.Linkify) } if cfg.Extensions.TaskList { extensions = append(extensions, extension.TaskList) } if cfg.Extensions.Typographer { extensions = append(extensions, extension.Typographer) } if cfg.Extensions.DefinitionList { extensions = append(extensions, extension.DefinitionList) } if cfg.Extensions.Footnote { extensions = append(extensions, extension.Footnote) } if cfg.Parser.AutoHeadingID { parserOptions = append(parserOptions, parser.WithAutoHeadingID()) } if cfg.Parser.Attribute { parserOptions = append(parserOptions, parser.WithAttribute()) } md := goldmark.New( goldmark.WithExtensions( extensions..., ), goldmark.WithParserOptions( parserOptions..., ), goldmark.WithRendererOptions( rendererOptions..., ), ) return md } var _ identity.IdentitiesProvider = (*converterResult)(nil) type converterResult struct { converter.Result toc tableofcontents.Root ids identity.Identities } func (c converterResult) TableOfContents() tableofcontents.Root { return c.toc } func (c converterResult) GetIdentities() identity.Identities { return c.ids } type bufWriter struct { *bytes.Buffer } const maxInt = 1<<(bits.UintSize-1) - 1 func (b *bufWriter) Available() int { return maxInt } func (b *bufWriter) Buffered() int { return b.Len() } func (b *bufWriter) Flush() error { return nil } type renderContext struct { *bufWriter pos int renderContextData } type renderContextData interface { RenderContext() converter.RenderContext DocumentContext() converter.DocumentContext AddIdentity(id identity.Provider) } type renderContextDataHolder struct { rctx converter.RenderContext dctx converter.DocumentContext ids identity.Manager } func (ctx *renderContextDataHolder) RenderContext() converter.RenderContext { return ctx.rctx } func (ctx *renderContextDataHolder) DocumentContext() converter.DocumentContext { return ctx.dctx } func (ctx *renderContextDataHolder) AddIdentity(id identity.Provider) { ctx.ids.Add(id) } var converterIdentity = identity.KeyValueIdentity{Key: "goldmark", Value: "converter"} func (c *goldmarkConverter) Convert(ctx converter.RenderContext) (result converter.Result, err error) { defer func() { if r := recover(); r != nil { dir := afero.GetTempDir(hugofs.Os, "hugo_bugs") name := fmt.Sprintf("goldmark_%s.txt", c.ctx.DocumentID) filename := filepath.Join(dir, name) afero.WriteFile(hugofs.Os, filename, ctx.Src, 07555) fmt.Print(string(debug.Stack())) err = errors.Errorf("[BUG] goldmark: %s: create an issue on GitHub attaching the file in: %s", r, filename) } }() buf := &bufWriter{Buffer: &bytes.Buffer{}} result = buf pctx := c.newParserContext(ctx) reader := text.NewReader(ctx.Src) doc := c.md.Parser().Parse( reader, parser.WithContext(pctx), ) rcx := &renderContextDataHolder{ rctx: ctx, dctx: c.ctx, ids: identity.NewManager(converterIdentity), } w := &renderContext{ bufWriter: buf, renderContextData: rcx, } if err := c.md.Renderer().Render(w, ctx.Src, doc); err != nil { return nil, err } return converterResult{ Result: buf, ids: rcx.ids.GetIdentities(), toc: pctx.TableOfContents(), }, nil } var featureSet = map[identity.Identity]bool{ converter.FeatureRenderHooks: true, } func (c *goldmarkConverter) Supports(feature identity.Identity) bool { return featureSet[feature.GetIdentity()] } func (c *goldmarkConverter) newParserContext(rctx converter.RenderContext) *parserContext { ctx := parser.NewContext(parser.WithIDs(newIDFactory(c.cfg.MarkupConfig.Goldmark.Parser.AutoHeadingIDType))) ctx.Set(tocEnableKey, rctx.RenderTOC) return &parserContext{ Context: ctx, } } type parserContext struct { parser.Context } func (p *parserContext) TableOfContents() tableofcontents.Root { if v := p.Get(tocResultKey); v != nil { return v.(tableofcontents.Root) } return tableofcontents.Root{} } func newHighlighting(cfg highlight.Config) goldmark.Extender { return hl.NewHighlighting( hl.WithStyle(cfg.Style), hl.WithGuessLanguage(cfg.GuessSyntax), hl.WithCodeBlockOptions(highlight.GetCodeBlockOptions()), hl.WithFormatOptions( cfg.ToHTMLOptions()..., ), hl.WithWrapperRenderer(func(w util.BufWriter, ctx hl.CodeBlockContext, entering bool) { l, hasLang := ctx.Language() var language string if hasLang { language = string(l) } if entering { if !ctx.Highlighted() { w.WriteString(`<pre>`) highlight.WriteCodeTag(w, language) return } w.WriteString(`<div class="highlight">`) return } if !ctx.Highlighted() { w.WriteString(`</code></pre>`) return } w.WriteString("</div>") }), ) }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./resources/page/page_data_test.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package page import ( "bytes" "testing" "text/template" qt "github.com/frankban/quicktest" ) func TestPageData(t *testing.T) { c := qt.New(t) data := make(Data) c.Assert(data.Pages(), qt.IsNil) pages := Pages{ &testPage{title: "a1"}, &testPage{title: "a2"}, } data["pages"] = pages c.Assert(data.Pages(), eq, pages) data["pages"] = func() Pages { return pages } c.Assert(data.Pages(), eq, pages) templ, err := template.New("").Parse(`Pages: {{ .Pages }}`) c.Assert(err, qt.IsNil) var buff bytes.Buffer c.Assert(templ.Execute(&buff, data), qt.IsNil) c.Assert(buff.String(), qt.Contains, "Pages(2)") }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package page import ( "bytes" "testing" "text/template" qt "github.com/frankban/quicktest" ) func TestPageData(t *testing.T) { c := qt.New(t) data := make(Data) c.Assert(data.Pages(), qt.IsNil) pages := Pages{ &testPage{title: "a1"}, &testPage{title: "a2"}, } data["pages"] = pages c.Assert(data.Pages(), eq, pages) data["pages"] = func() Pages { return pages } c.Assert(data.Pages(), eq, pages) templ, err := template.New("").Parse(`Pages: {{ .Pages }}`) c.Assert(err, qt.IsNil) var buff bytes.Buffer c.Assert(templ.Execute(&buff, data), qt.IsNil) c.Assert(buff.String(), qt.Contains, "Pages(2)") }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./tpl/safe/init_test.go
// Copyright 2017 The Hugo Authors. All rights reserved. // // 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. package safe import ( "testing" qt "github.com/frankban/quicktest" "github.com/gohugoio/hugo/deps" "github.com/gohugoio/hugo/htesting/hqt" "github.com/gohugoio/hugo/tpl/internal" ) func TestInit(t *testing.T) { c := qt.New(t) var found bool var ns *internal.TemplateFuncsNamespace for _, nsf := range internal.TemplateFuncsNamespaceRegistry { ns = nsf(&deps.Deps{}) if ns.Name == name { found = true break } } c.Assert(found, qt.Equals, true) c.Assert(ns.Context(), hqt.IsSameType, &Namespace{}) }
// Copyright 2017 The Hugo Authors. All rights reserved. // // 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. package safe import ( "testing" qt "github.com/frankban/quicktest" "github.com/gohugoio/hugo/deps" "github.com/gohugoio/hugo/htesting/hqt" "github.com/gohugoio/hugo/tpl/internal" ) func TestInit(t *testing.T) { c := qt.New(t) var found bool var ns *internal.TemplateFuncsNamespace for _, nsf := range internal.TemplateFuncsNamespaceRegistry { ns = nsf(&deps.Deps{}) if ns.Name == name { found = true break } } c.Assert(found, qt.Equals, true) c.Assert(ns.Context(), hqt.IsSameType, &Namespace{}) }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./hugolib/sitemap_test.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package hugolib import ( "reflect" "testing" qt "github.com/frankban/quicktest" "github.com/gohugoio/hugo/config" "github.com/gohugoio/hugo/deps" "github.com/gohugoio/hugo/tpl" ) const sitemapTemplate = `<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>` func TestSitemapOutput(t *testing.T) { t.Parallel() for _, internal := range []bool{false, true} { doTestSitemapOutput(t, internal) } } func doTestSitemapOutput(t *testing.T, internal bool) { c := qt.New(t) cfg, fs := newTestCfg() cfg.Set("baseURL", "http://auth/bub/") depsCfg := deps.DepsCfg{Fs: fs, Cfg: cfg} depsCfg.WithTemplate = func(templ tpl.TemplateManager) error { if !internal { templ.AddTemplate("sitemap.xml", sitemapTemplate) } // We want to check that the 404 page is not included in the sitemap // output. This template should have no effect either way, but include // it for the clarity. templ.AddTemplate("404.html", "Not found") return nil } writeSourcesToSource(t, "content", fs, weightedSources...) s := buildSingleSite(t, depsCfg, BuildCfg{}) th := newTestHelper(s.Cfg, s.Fs, t) outputSitemap := "public/sitemap.xml" th.assertFileContent(outputSitemap, // Regular page " <loc>http://auth/bub/sect/doc1/</loc>", // Home page "<loc>http://auth/bub/</loc>", // Section "<loc>http://auth/bub/sect/</loc>", // Tax terms "<loc>http://auth/bub/categories/</loc>", // Tax list "<loc>http://auth/bub/categories/hugo/</loc>", ) content := readDestination(th, th.Fs, outputSitemap) c.Assert(content, qt.Not(qt.Contains), "404") } func TestParseSitemap(t *testing.T) { t.Parallel() expected := config.Sitemap{Priority: 3.0, Filename: "doo.xml", ChangeFreq: "3"} input := map[string]interface{}{ "changefreq": "3", "priority": 3.0, "filename": "doo.xml", "unknown": "ignore", } result := config.DecodeSitemap(config.Sitemap{}, input) if !reflect.DeepEqual(expected, result) { t.Errorf("Got \n%v expected \n%v", result, expected) } } // https://github.com/gohugoio/hugo/issues/5910 func TestSitemapOutputFormats(t *testing.T) { b := newTestSitesBuilder(t).WithSimpleConfigFile() b.WithContent("blog/html-amp.md", ` --- Title: AMP and HTML outputs: [ "html", "amp" ] --- `) b.Build(BuildCfg{}) // Should link to the HTML version. b.AssertFileContent("public/sitemap.xml", " <loc>http://example.com/blog/html-amp/</loc>") }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package hugolib import ( "reflect" "testing" qt "github.com/frankban/quicktest" "github.com/gohugoio/hugo/config" "github.com/gohugoio/hugo/deps" "github.com/gohugoio/hugo/tpl" ) const sitemapTemplate = `<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>` func TestSitemapOutput(t *testing.T) { t.Parallel() for _, internal := range []bool{false, true} { doTestSitemapOutput(t, internal) } } func doTestSitemapOutput(t *testing.T, internal bool) { c := qt.New(t) cfg, fs := newTestCfg() cfg.Set("baseURL", "http://auth/bub/") depsCfg := deps.DepsCfg{Fs: fs, Cfg: cfg} depsCfg.WithTemplate = func(templ tpl.TemplateManager) error { if !internal { templ.AddTemplate("sitemap.xml", sitemapTemplate) } // We want to check that the 404 page is not included in the sitemap // output. This template should have no effect either way, but include // it for the clarity. templ.AddTemplate("404.html", "Not found") return nil } writeSourcesToSource(t, "content", fs, weightedSources...) s := buildSingleSite(t, depsCfg, BuildCfg{}) th := newTestHelper(s.Cfg, s.Fs, t) outputSitemap := "public/sitemap.xml" th.assertFileContent(outputSitemap, // Regular page " <loc>http://auth/bub/sect/doc1/</loc>", // Home page "<loc>http://auth/bub/</loc>", // Section "<loc>http://auth/bub/sect/</loc>", // Tax terms "<loc>http://auth/bub/categories/</loc>", // Tax list "<loc>http://auth/bub/categories/hugo/</loc>", ) content := readDestination(th, th.Fs, outputSitemap) c.Assert(content, qt.Not(qt.Contains), "404") } func TestParseSitemap(t *testing.T) { t.Parallel() expected := config.Sitemap{Priority: 3.0, Filename: "doo.xml", ChangeFreq: "3"} input := map[string]interface{}{ "changefreq": "3", "priority": 3.0, "filename": "doo.xml", "unknown": "ignore", } result := config.DecodeSitemap(config.Sitemap{}, input) if !reflect.DeepEqual(expected, result) { t.Errorf("Got \n%v expected \n%v", result, expected) } } // https://github.com/gohugoio/hugo/issues/5910 func TestSitemapOutputFormats(t *testing.T) { b := newTestSitesBuilder(t).WithSimpleConfigFile() b.WithContent("blog/html-amp.md", ` --- Title: AMP and HTML outputs: [ "html", "amp" ] --- `) b.Build(BuildCfg{}) // Should link to the HTML version. b.AssertFileContent("public/sitemap.xml", " <loc>http://example.com/blog/html-amp/</loc>") }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./tpl/collections/sort_test.go
// Copyright 2017 The Hugo Authors. All rights reserved. // // 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. package collections import ( "fmt" "reflect" "testing" "github.com/gohugoio/hugo/common/maps" "github.com/gohugoio/hugo/deps" ) type stringsSlice []string func TestSort(t *testing.T) { t.Parallel() ns := New(&deps.Deps{}) type ts struct { MyInt int MyFloat float64 MyString string } type mid struct { Tst TstX } for i, test := range []struct { seq interface{} sortByField interface{} sortAsc string expect interface{} }{ {[]string{"class1", "class2", "class3"}, nil, "asc", []string{"class1", "class2", "class3"}}, {[]string{"class3", "class1", "class2"}, nil, "asc", []string{"class1", "class2", "class3"}}, {[]string{"CLASS3", "class1", "class2"}, nil, "asc", []string{"class1", "class2", "CLASS3"}}, // Issue 6023 {stringsSlice{"class3", "class1", "class2"}, nil, "asc", stringsSlice{"class1", "class2", "class3"}}, {[]int{1, 2, 3, 4, 5}, nil, "asc", []int{1, 2, 3, 4, 5}}, {[]int{5, 4, 3, 1, 2}, nil, "asc", []int{1, 2, 3, 4, 5}}, // test sort key parameter is forcibly set empty {[]string{"class3", "class1", "class2"}, map[int]string{1: "a"}, "asc", []string{"class1", "class2", "class3"}}, // test map sorting by keys {map[string]int{"1": 10, "2": 20, "3": 30, "4": 40, "5": 50}, nil, "asc", []int{10, 20, 30, 40, 50}}, {map[string]int{"3": 10, "2": 20, "1": 30, "4": 40, "5": 50}, nil, "asc", []int{30, 20, 10, 40, 50}}, {map[string]string{"1": "10", "2": "20", "3": "30", "4": "40", "5": "50"}, nil, "asc", []string{"10", "20", "30", "40", "50"}}, {map[string]string{"3": "10", "2": "20", "1": "30", "4": "40", "5": "50"}, nil, "asc", []string{"30", "20", "10", "40", "50"}}, {map[string]string{"one": "10", "two": "20", "three": "30", "four": "40", "five": "50"}, nil, "asc", []string{"50", "40", "10", "30", "20"}}, {map[int]string{1: "10", 2: "20", 3: "30", 4: "40", 5: "50"}, nil, "asc", []string{"10", "20", "30", "40", "50"}}, {map[int]string{3: "10", 2: "20", 1: "30", 4: "40", 5: "50"}, nil, "asc", []string{"30", "20", "10", "40", "50"}}, {map[float64]string{3.3: "10", 2.3: "20", 1.3: "30", 4.3: "40", 5.3: "50"}, nil, "asc", []string{"30", "20", "10", "40", "50"}}, // test map sorting by value {map[string]int{"1": 10, "2": 20, "3": 30, "4": 40, "5": 50}, "value", "asc", []int{10, 20, 30, 40, 50}}, {map[string]int{"3": 10, "2": 20, "1": 30, "4": 40, "5": 50}, "value", "asc", []int{10, 20, 30, 40, 50}}, // test map sorting by field value { map[string]ts{"1": {10, 10.5, "ten"}, "2": {20, 20.5, "twenty"}, "3": {30, 30.5, "thirty"}, "4": {40, 40.5, "forty"}, "5": {50, 50.5, "fifty"}}, "MyInt", "asc", []ts{{10, 10.5, "ten"}, {20, 20.5, "twenty"}, {30, 30.5, "thirty"}, {40, 40.5, "forty"}, {50, 50.5, "fifty"}}, }, { map[string]ts{"1": {10, 10.5, "ten"}, "2": {20, 20.5, "twenty"}, "3": {30, 30.5, "thirty"}, "4": {40, 40.5, "forty"}, "5": {50, 50.5, "fifty"}}, "MyFloat", "asc", []ts{{10, 10.5, "ten"}, {20, 20.5, "twenty"}, {30, 30.5, "thirty"}, {40, 40.5, "forty"}, {50, 50.5, "fifty"}}, }, { map[string]ts{"1": {10, 10.5, "ten"}, "2": {20, 20.5, "twenty"}, "3": {30, 30.5, "thirty"}, "4": {40, 40.5, "forty"}, "5": {50, 50.5, "fifty"}}, "MyString", "asc", []ts{{50, 50.5, "fifty"}, {40, 40.5, "forty"}, {10, 10.5, "ten"}, {30, 30.5, "thirty"}, {20, 20.5, "twenty"}}, }, // test sort desc {[]string{"class1", "class2", "class3"}, "value", "desc", []string{"class3", "class2", "class1"}}, {[]string{"class3", "class1", "class2"}, "value", "desc", []string{"class3", "class2", "class1"}}, // test sort by struct's method { []TstX{{A: "i", B: "j"}, {A: "e", B: "f"}, {A: "c", B: "d"}, {A: "g", B: "h"}, {A: "a", B: "b"}}, "TstRv", "asc", []TstX{{A: "a", B: "b"}, {A: "c", B: "d"}, {A: "e", B: "f"}, {A: "g", B: "h"}, {A: "i", B: "j"}}, }, { []*TstX{{A: "i", B: "j"}, {A: "e", B: "f"}, {A: "c", B: "d"}, {A: "g", B: "h"}, {A: "a", B: "b"}}, "TstRp", "asc", []*TstX{{A: "a", B: "b"}, {A: "c", B: "d"}, {A: "e", B: "f"}, {A: "g", B: "h"}, {A: "i", B: "j"}}, }, // Lower case Params, slice { []TstParams{{params: maps.Params{"color": "indigo"}}, {params: maps.Params{"color": "blue"}}, {params: maps.Params{"color": "green"}}}, ".Params.COLOR", "asc", []TstParams{{params: maps.Params{"color": "blue"}}, {params: maps.Params{"color": "green"}}, {params: maps.Params{"color": "indigo"}}}, }, // Lower case Params, map { map[string]TstParams{"1": {params: maps.Params{"color": "indigo"}}, "2": {params: maps.Params{"color": "blue"}}, "3": {params: maps.Params{"color": "green"}}}, ".Params.CoLoR", "asc", []TstParams{{params: maps.Params{"color": "blue"}}, {params: maps.Params{"color": "green"}}, {params: maps.Params{"color": "indigo"}}}, }, // test map sorting by struct's method { map[string]TstX{"1": {A: "i", B: "j"}, "2": {A: "e", B: "f"}, "3": {A: "c", B: "d"}, "4": {A: "g", B: "h"}, "5": {A: "a", B: "b"}}, "TstRv", "asc", []TstX{{A: "a", B: "b"}, {A: "c", B: "d"}, {A: "e", B: "f"}, {A: "g", B: "h"}, {A: "i", B: "j"}}, }, { map[string]*TstX{"1": {A: "i", B: "j"}, "2": {A: "e", B: "f"}, "3": {A: "c", B: "d"}, "4": {A: "g", B: "h"}, "5": {A: "a", B: "b"}}, "TstRp", "asc", []*TstX{{A: "a", B: "b"}, {A: "c", B: "d"}, {A: "e", B: "f"}, {A: "g", B: "h"}, {A: "i", B: "j"}}, }, // test sort by dot chaining key argument { []map[string]TstX{{"foo": TstX{A: "e", B: "f"}}, {"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}}, "foo.A", "asc", []map[string]TstX{{"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}, {"foo": TstX{A: "e", B: "f"}}}, }, { []map[string]TstX{{"foo": TstX{A: "e", B: "f"}}, {"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}}, ".foo.A", "asc", []map[string]TstX{{"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}, {"foo": TstX{A: "e", B: "f"}}}, }, { []map[string]TstX{{"foo": TstX{A: "e", B: "f"}}, {"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}}, "foo.TstRv", "asc", []map[string]TstX{{"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}, {"foo": TstX{A: "e", B: "f"}}}, }, { []map[string]*TstX{{"foo": &TstX{A: "e", B: "f"}}, {"foo": &TstX{A: "a", B: "b"}}, {"foo": &TstX{A: "c", B: "d"}}}, "foo.TstRp", "asc", []map[string]*TstX{{"foo": &TstX{A: "a", B: "b"}}, {"foo": &TstX{A: "c", B: "d"}}, {"foo": &TstX{A: "e", B: "f"}}}, }, { []map[string]mid{{"foo": mid{Tst: TstX{A: "e", B: "f"}}}, {"foo": mid{Tst: TstX{A: "a", B: "b"}}}, {"foo": mid{Tst: TstX{A: "c", B: "d"}}}}, "foo.Tst.A", "asc", []map[string]mid{{"foo": mid{Tst: TstX{A: "a", B: "b"}}}, {"foo": mid{Tst: TstX{A: "c", B: "d"}}}, {"foo": mid{Tst: TstX{A: "e", B: "f"}}}}, }, { []map[string]mid{{"foo": mid{Tst: TstX{A: "e", B: "f"}}}, {"foo": mid{Tst: TstX{A: "a", B: "b"}}}, {"foo": mid{Tst: TstX{A: "c", B: "d"}}}}, "foo.Tst.TstRv", "asc", []map[string]mid{{"foo": mid{Tst: TstX{A: "a", B: "b"}}}, {"foo": mid{Tst: TstX{A: "c", B: "d"}}}, {"foo": mid{Tst: TstX{A: "e", B: "f"}}}}, }, // test map sorting by dot chaining key argument { map[string]map[string]TstX{"1": {"foo": TstX{A: "e", B: "f"}}, "2": {"foo": TstX{A: "a", B: "b"}}, "3": {"foo": TstX{A: "c", B: "d"}}}, "foo.A", "asc", []map[string]TstX{{"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}, {"foo": TstX{A: "e", B: "f"}}}, }, { map[string]map[string]TstX{"1": {"foo": TstX{A: "e", B: "f"}}, "2": {"foo": TstX{A: "a", B: "b"}}, "3": {"foo": TstX{A: "c", B: "d"}}}, ".foo.A", "asc", []map[string]TstX{{"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}, {"foo": TstX{A: "e", B: "f"}}}, }, { map[string]map[string]TstX{"1": {"foo": TstX{A: "e", B: "f"}}, "2": {"foo": TstX{A: "a", B: "b"}}, "3": {"foo": TstX{A: "c", B: "d"}}}, "foo.TstRv", "asc", []map[string]TstX{{"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}, {"foo": TstX{A: "e", B: "f"}}}, }, { map[string]map[string]*TstX{"1": {"foo": &TstX{A: "e", B: "f"}}, "2": {"foo": &TstX{A: "a", B: "b"}}, "3": {"foo": &TstX{A: "c", B: "d"}}}, "foo.TstRp", "asc", []map[string]*TstX{{"foo": &TstX{A: "a", B: "b"}}, {"foo": &TstX{A: "c", B: "d"}}, {"foo": &TstX{A: "e", B: "f"}}}, }, { map[string]map[string]mid{"1": {"foo": mid{Tst: TstX{A: "e", B: "f"}}}, "2": {"foo": mid{Tst: TstX{A: "a", B: "b"}}}, "3": {"foo": mid{Tst: TstX{A: "c", B: "d"}}}}, "foo.Tst.A", "asc", []map[string]mid{{"foo": mid{Tst: TstX{A: "a", B: "b"}}}, {"foo": mid{Tst: TstX{A: "c", B: "d"}}}, {"foo": mid{Tst: TstX{A: "e", B: "f"}}}}, }, { map[string]map[string]mid{"1": {"foo": mid{Tst: TstX{A: "e", B: "f"}}}, "2": {"foo": mid{Tst: TstX{A: "a", B: "b"}}}, "3": {"foo": mid{Tst: TstX{A: "c", B: "d"}}}}, "foo.Tst.TstRv", "asc", []map[string]mid{{"foo": mid{Tst: TstX{A: "a", B: "b"}}}, {"foo": mid{Tst: TstX{A: "c", B: "d"}}}, {"foo": mid{Tst: TstX{A: "e", B: "f"}}}}, }, // interface slice with missing elements { []interface{}{ map[interface{}]interface{}{"Title": "Foo", "Weight": 10}, map[interface{}]interface{}{"Title": "Bar"}, map[interface{}]interface{}{"Title": "Zap", "Weight": 5}, }, "Weight", "asc", []interface{}{ map[interface{}]interface{}{"Title": "Bar"}, map[interface{}]interface{}{"Title": "Zap", "Weight": 5}, map[interface{}]interface{}{"Title": "Foo", "Weight": 10}, }, }, // test boolean values {[]bool{false, true, false}, "value", "asc", []bool{false, false, true}}, {[]bool{false, true, false}, "value", "desc", []bool{true, false, false}}, // test error cases {(*[]TstX)(nil), nil, "asc", false}, {TstX{A: "a", B: "b"}, nil, "asc", false}, { []map[string]TstX{{"foo": TstX{A: "e", B: "f"}}, {"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}}, "foo.NotAvailable", "asc", false, }, { map[string]map[string]TstX{"1": {"foo": TstX{A: "e", B: "f"}}, "2": {"foo": TstX{A: "a", B: "b"}}, "3": {"foo": TstX{A: "c", B: "d"}}}, "foo.NotAvailable", "asc", false, }, {nil, nil, "asc", false}, } { t.Run(fmt.Sprintf("test%d", i), func(t *testing.T) { var result interface{} var err error if test.sortByField == nil { result, err = ns.Sort(test.seq) } else { result, err = ns.Sort(test.seq, test.sortByField, test.sortAsc) } if b, ok := test.expect.(bool); ok && !b { if err == nil { t.Fatal("Sort didn't return an expected error") } } else { if err != nil { t.Fatalf("failed: %s", err) } if !reflect.DeepEqual(result, test.expect) { t.Fatalf("Sort called on sequence: %#v | sortByField: `%v` | got\n%#v but expected\n%#v", test.seq, test.sortByField, result, test.expect) } } }) } }
// Copyright 2017 The Hugo Authors. All rights reserved. // // 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. package collections import ( "fmt" "reflect" "testing" "github.com/gohugoio/hugo/common/maps" "github.com/gohugoio/hugo/deps" ) type stringsSlice []string func TestSort(t *testing.T) { t.Parallel() ns := New(&deps.Deps{}) type ts struct { MyInt int MyFloat float64 MyString string } type mid struct { Tst TstX } for i, test := range []struct { seq interface{} sortByField interface{} sortAsc string expect interface{} }{ {[]string{"class1", "class2", "class3"}, nil, "asc", []string{"class1", "class2", "class3"}}, {[]string{"class3", "class1", "class2"}, nil, "asc", []string{"class1", "class2", "class3"}}, {[]string{"CLASS3", "class1", "class2"}, nil, "asc", []string{"class1", "class2", "CLASS3"}}, // Issue 6023 {stringsSlice{"class3", "class1", "class2"}, nil, "asc", stringsSlice{"class1", "class2", "class3"}}, {[]int{1, 2, 3, 4, 5}, nil, "asc", []int{1, 2, 3, 4, 5}}, {[]int{5, 4, 3, 1, 2}, nil, "asc", []int{1, 2, 3, 4, 5}}, // test sort key parameter is forcibly set empty {[]string{"class3", "class1", "class2"}, map[int]string{1: "a"}, "asc", []string{"class1", "class2", "class3"}}, // test map sorting by keys {map[string]int{"1": 10, "2": 20, "3": 30, "4": 40, "5": 50}, nil, "asc", []int{10, 20, 30, 40, 50}}, {map[string]int{"3": 10, "2": 20, "1": 30, "4": 40, "5": 50}, nil, "asc", []int{30, 20, 10, 40, 50}}, {map[string]string{"1": "10", "2": "20", "3": "30", "4": "40", "5": "50"}, nil, "asc", []string{"10", "20", "30", "40", "50"}}, {map[string]string{"3": "10", "2": "20", "1": "30", "4": "40", "5": "50"}, nil, "asc", []string{"30", "20", "10", "40", "50"}}, {map[string]string{"one": "10", "two": "20", "three": "30", "four": "40", "five": "50"}, nil, "asc", []string{"50", "40", "10", "30", "20"}}, {map[int]string{1: "10", 2: "20", 3: "30", 4: "40", 5: "50"}, nil, "asc", []string{"10", "20", "30", "40", "50"}}, {map[int]string{3: "10", 2: "20", 1: "30", 4: "40", 5: "50"}, nil, "asc", []string{"30", "20", "10", "40", "50"}}, {map[float64]string{3.3: "10", 2.3: "20", 1.3: "30", 4.3: "40", 5.3: "50"}, nil, "asc", []string{"30", "20", "10", "40", "50"}}, // test map sorting by value {map[string]int{"1": 10, "2": 20, "3": 30, "4": 40, "5": 50}, "value", "asc", []int{10, 20, 30, 40, 50}}, {map[string]int{"3": 10, "2": 20, "1": 30, "4": 40, "5": 50}, "value", "asc", []int{10, 20, 30, 40, 50}}, // test map sorting by field value { map[string]ts{"1": {10, 10.5, "ten"}, "2": {20, 20.5, "twenty"}, "3": {30, 30.5, "thirty"}, "4": {40, 40.5, "forty"}, "5": {50, 50.5, "fifty"}}, "MyInt", "asc", []ts{{10, 10.5, "ten"}, {20, 20.5, "twenty"}, {30, 30.5, "thirty"}, {40, 40.5, "forty"}, {50, 50.5, "fifty"}}, }, { map[string]ts{"1": {10, 10.5, "ten"}, "2": {20, 20.5, "twenty"}, "3": {30, 30.5, "thirty"}, "4": {40, 40.5, "forty"}, "5": {50, 50.5, "fifty"}}, "MyFloat", "asc", []ts{{10, 10.5, "ten"}, {20, 20.5, "twenty"}, {30, 30.5, "thirty"}, {40, 40.5, "forty"}, {50, 50.5, "fifty"}}, }, { map[string]ts{"1": {10, 10.5, "ten"}, "2": {20, 20.5, "twenty"}, "3": {30, 30.5, "thirty"}, "4": {40, 40.5, "forty"}, "5": {50, 50.5, "fifty"}}, "MyString", "asc", []ts{{50, 50.5, "fifty"}, {40, 40.5, "forty"}, {10, 10.5, "ten"}, {30, 30.5, "thirty"}, {20, 20.5, "twenty"}}, }, // test sort desc {[]string{"class1", "class2", "class3"}, "value", "desc", []string{"class3", "class2", "class1"}}, {[]string{"class3", "class1", "class2"}, "value", "desc", []string{"class3", "class2", "class1"}}, // test sort by struct's method { []TstX{{A: "i", B: "j"}, {A: "e", B: "f"}, {A: "c", B: "d"}, {A: "g", B: "h"}, {A: "a", B: "b"}}, "TstRv", "asc", []TstX{{A: "a", B: "b"}, {A: "c", B: "d"}, {A: "e", B: "f"}, {A: "g", B: "h"}, {A: "i", B: "j"}}, }, { []*TstX{{A: "i", B: "j"}, {A: "e", B: "f"}, {A: "c", B: "d"}, {A: "g", B: "h"}, {A: "a", B: "b"}}, "TstRp", "asc", []*TstX{{A: "a", B: "b"}, {A: "c", B: "d"}, {A: "e", B: "f"}, {A: "g", B: "h"}, {A: "i", B: "j"}}, }, // Lower case Params, slice { []TstParams{{params: maps.Params{"color": "indigo"}}, {params: maps.Params{"color": "blue"}}, {params: maps.Params{"color": "green"}}}, ".Params.COLOR", "asc", []TstParams{{params: maps.Params{"color": "blue"}}, {params: maps.Params{"color": "green"}}, {params: maps.Params{"color": "indigo"}}}, }, // Lower case Params, map { map[string]TstParams{"1": {params: maps.Params{"color": "indigo"}}, "2": {params: maps.Params{"color": "blue"}}, "3": {params: maps.Params{"color": "green"}}}, ".Params.CoLoR", "asc", []TstParams{{params: maps.Params{"color": "blue"}}, {params: maps.Params{"color": "green"}}, {params: maps.Params{"color": "indigo"}}}, }, // test map sorting by struct's method { map[string]TstX{"1": {A: "i", B: "j"}, "2": {A: "e", B: "f"}, "3": {A: "c", B: "d"}, "4": {A: "g", B: "h"}, "5": {A: "a", B: "b"}}, "TstRv", "asc", []TstX{{A: "a", B: "b"}, {A: "c", B: "d"}, {A: "e", B: "f"}, {A: "g", B: "h"}, {A: "i", B: "j"}}, }, { map[string]*TstX{"1": {A: "i", B: "j"}, "2": {A: "e", B: "f"}, "3": {A: "c", B: "d"}, "4": {A: "g", B: "h"}, "5": {A: "a", B: "b"}}, "TstRp", "asc", []*TstX{{A: "a", B: "b"}, {A: "c", B: "d"}, {A: "e", B: "f"}, {A: "g", B: "h"}, {A: "i", B: "j"}}, }, // test sort by dot chaining key argument { []map[string]TstX{{"foo": TstX{A: "e", B: "f"}}, {"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}}, "foo.A", "asc", []map[string]TstX{{"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}, {"foo": TstX{A: "e", B: "f"}}}, }, { []map[string]TstX{{"foo": TstX{A: "e", B: "f"}}, {"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}}, ".foo.A", "asc", []map[string]TstX{{"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}, {"foo": TstX{A: "e", B: "f"}}}, }, { []map[string]TstX{{"foo": TstX{A: "e", B: "f"}}, {"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}}, "foo.TstRv", "asc", []map[string]TstX{{"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}, {"foo": TstX{A: "e", B: "f"}}}, }, { []map[string]*TstX{{"foo": &TstX{A: "e", B: "f"}}, {"foo": &TstX{A: "a", B: "b"}}, {"foo": &TstX{A: "c", B: "d"}}}, "foo.TstRp", "asc", []map[string]*TstX{{"foo": &TstX{A: "a", B: "b"}}, {"foo": &TstX{A: "c", B: "d"}}, {"foo": &TstX{A: "e", B: "f"}}}, }, { []map[string]mid{{"foo": mid{Tst: TstX{A: "e", B: "f"}}}, {"foo": mid{Tst: TstX{A: "a", B: "b"}}}, {"foo": mid{Tst: TstX{A: "c", B: "d"}}}}, "foo.Tst.A", "asc", []map[string]mid{{"foo": mid{Tst: TstX{A: "a", B: "b"}}}, {"foo": mid{Tst: TstX{A: "c", B: "d"}}}, {"foo": mid{Tst: TstX{A: "e", B: "f"}}}}, }, { []map[string]mid{{"foo": mid{Tst: TstX{A: "e", B: "f"}}}, {"foo": mid{Tst: TstX{A: "a", B: "b"}}}, {"foo": mid{Tst: TstX{A: "c", B: "d"}}}}, "foo.Tst.TstRv", "asc", []map[string]mid{{"foo": mid{Tst: TstX{A: "a", B: "b"}}}, {"foo": mid{Tst: TstX{A: "c", B: "d"}}}, {"foo": mid{Tst: TstX{A: "e", B: "f"}}}}, }, // test map sorting by dot chaining key argument { map[string]map[string]TstX{"1": {"foo": TstX{A: "e", B: "f"}}, "2": {"foo": TstX{A: "a", B: "b"}}, "3": {"foo": TstX{A: "c", B: "d"}}}, "foo.A", "asc", []map[string]TstX{{"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}, {"foo": TstX{A: "e", B: "f"}}}, }, { map[string]map[string]TstX{"1": {"foo": TstX{A: "e", B: "f"}}, "2": {"foo": TstX{A: "a", B: "b"}}, "3": {"foo": TstX{A: "c", B: "d"}}}, ".foo.A", "asc", []map[string]TstX{{"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}, {"foo": TstX{A: "e", B: "f"}}}, }, { map[string]map[string]TstX{"1": {"foo": TstX{A: "e", B: "f"}}, "2": {"foo": TstX{A: "a", B: "b"}}, "3": {"foo": TstX{A: "c", B: "d"}}}, "foo.TstRv", "asc", []map[string]TstX{{"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}, {"foo": TstX{A: "e", B: "f"}}}, }, { map[string]map[string]*TstX{"1": {"foo": &TstX{A: "e", B: "f"}}, "2": {"foo": &TstX{A: "a", B: "b"}}, "3": {"foo": &TstX{A: "c", B: "d"}}}, "foo.TstRp", "asc", []map[string]*TstX{{"foo": &TstX{A: "a", B: "b"}}, {"foo": &TstX{A: "c", B: "d"}}, {"foo": &TstX{A: "e", B: "f"}}}, }, { map[string]map[string]mid{"1": {"foo": mid{Tst: TstX{A: "e", B: "f"}}}, "2": {"foo": mid{Tst: TstX{A: "a", B: "b"}}}, "3": {"foo": mid{Tst: TstX{A: "c", B: "d"}}}}, "foo.Tst.A", "asc", []map[string]mid{{"foo": mid{Tst: TstX{A: "a", B: "b"}}}, {"foo": mid{Tst: TstX{A: "c", B: "d"}}}, {"foo": mid{Tst: TstX{A: "e", B: "f"}}}}, }, { map[string]map[string]mid{"1": {"foo": mid{Tst: TstX{A: "e", B: "f"}}}, "2": {"foo": mid{Tst: TstX{A: "a", B: "b"}}}, "3": {"foo": mid{Tst: TstX{A: "c", B: "d"}}}}, "foo.Tst.TstRv", "asc", []map[string]mid{{"foo": mid{Tst: TstX{A: "a", B: "b"}}}, {"foo": mid{Tst: TstX{A: "c", B: "d"}}}, {"foo": mid{Tst: TstX{A: "e", B: "f"}}}}, }, // interface slice with missing elements { []interface{}{ map[interface{}]interface{}{"Title": "Foo", "Weight": 10}, map[interface{}]interface{}{"Title": "Bar"}, map[interface{}]interface{}{"Title": "Zap", "Weight": 5}, }, "Weight", "asc", []interface{}{ map[interface{}]interface{}{"Title": "Bar"}, map[interface{}]interface{}{"Title": "Zap", "Weight": 5}, map[interface{}]interface{}{"Title": "Foo", "Weight": 10}, }, }, // test boolean values {[]bool{false, true, false}, "value", "asc", []bool{false, false, true}}, {[]bool{false, true, false}, "value", "desc", []bool{true, false, false}}, // test error cases {(*[]TstX)(nil), nil, "asc", false}, {TstX{A: "a", B: "b"}, nil, "asc", false}, { []map[string]TstX{{"foo": TstX{A: "e", B: "f"}}, {"foo": TstX{A: "a", B: "b"}}, {"foo": TstX{A: "c", B: "d"}}}, "foo.NotAvailable", "asc", false, }, { map[string]map[string]TstX{"1": {"foo": TstX{A: "e", B: "f"}}, "2": {"foo": TstX{A: "a", B: "b"}}, "3": {"foo": TstX{A: "c", B: "d"}}}, "foo.NotAvailable", "asc", false, }, {nil, nil, "asc", false}, } { t.Run(fmt.Sprintf("test%d", i), func(t *testing.T) { var result interface{} var err error if test.sortByField == nil { result, err = ns.Sort(test.seq) } else { result, err = ns.Sort(test.seq, test.sortByField, test.sortAsc) } if b, ok := test.expect.(bool); ok && !b { if err == nil { t.Fatal("Sort didn't return an expected error") } } else { if err != nil { t.Fatalf("failed: %s", err) } if !reflect.DeepEqual(result, test.expect) { t.Fatalf("Sort called on sequence: %#v | sortByField: `%v` | got\n%#v but expected\n%#v", test.seq, test.sortByField, result, test.expect) } } }) } }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./markup/goldmark/render_hooks.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package goldmark import ( "github.com/gohugoio/hugo/markup/converter/hooks" "github.com/yuin/goldmark" "github.com/yuin/goldmark/ast" "github.com/yuin/goldmark/renderer" "github.com/yuin/goldmark/renderer/html" "github.com/yuin/goldmark/util" ) var _ renderer.SetOptioner = (*hookedRenderer)(nil) func newLinkRenderer() renderer.NodeRenderer { r := &hookedRenderer{ Config: html.Config{ Writer: html.DefaultWriter, }, } return r } func newLinks() goldmark.Extender { return &links{} } type linkContext struct { page interface{} destination string title string text string plainText string } func (ctx linkContext) Destination() string { return ctx.destination } func (ctx linkContext) Resolved() bool { return false } func (ctx linkContext) Page() interface{} { return ctx.page } func (ctx linkContext) Text() string { return ctx.text } func (ctx linkContext) PlainText() string { return ctx.plainText } func (ctx linkContext) Title() string { return ctx.title } type headingContext struct { page interface{} level int anchor string text string plainText string } func (ctx headingContext) Page() interface{} { return ctx.page } func (ctx headingContext) Level() int { return ctx.level } func (ctx headingContext) Anchor() string { return ctx.anchor } func (ctx headingContext) Text() string { return ctx.text } func (ctx headingContext) PlainText() string { return ctx.plainText } type hookedRenderer struct { html.Config } func (r *hookedRenderer) SetOption(name renderer.OptionName, value interface{}) { r.Config.SetOption(name, value) } // RegisterFuncs implements NodeRenderer.RegisterFuncs. func (r *hookedRenderer) RegisterFuncs(reg renderer.NodeRendererFuncRegisterer) { reg.Register(ast.KindLink, r.renderLink) reg.Register(ast.KindImage, r.renderImage) reg.Register(ast.KindHeading, r.renderHeading) } // https://github.com/yuin/goldmark/blob/b611cd333a492416b56aa8d94b04a67bf0096ab2/renderer/html/html.go#L404 func (r *hookedRenderer) RenderAttributes(w util.BufWriter, node ast.Node) { for _, attr := range node.Attributes() { _, _ = w.WriteString(" ") _, _ = w.Write(attr.Name) _, _ = w.WriteString(`="`) _, _ = w.Write(util.EscapeHTML(attr.Value.([]byte))) _ = w.WriteByte('"') } } // Fall back to the default Goldmark render funcs. Method below borrowed from: // https://github.com/yuin/goldmark/blob/b611cd333a492416b56aa8d94b04a67bf0096ab2/renderer/html/html.go#L404 func (r *hookedRenderer) renderDefaultImage(w util.BufWriter, source []byte, node ast.Node, entering bool) (ast.WalkStatus, error) { if !entering { return ast.WalkContinue, nil } n := node.(*ast.Image) _, _ = w.WriteString("<img src=\"") if r.Unsafe || !html.IsDangerousURL(n.Destination) { _, _ = w.Write(util.EscapeHTML(util.URLEscape(n.Destination, true))) } _, _ = w.WriteString(`" alt="`) _, _ = w.Write(n.Text(source)) _ = w.WriteByte('"') if n.Title != nil { _, _ = w.WriteString(` title="`) r.Writer.Write(w, n.Title) _ = w.WriteByte('"') } if r.XHTML { _, _ = w.WriteString(" />") } else { _, _ = w.WriteString(">") } return ast.WalkSkipChildren, nil } func (r *hookedRenderer) renderImage(w util.BufWriter, source []byte, node ast.Node, entering bool) (ast.WalkStatus, error) { n := node.(*ast.Image) var h *hooks.Renderers ctx, ok := w.(*renderContext) if ok { h = ctx.RenderContext().RenderHooks ok = h != nil && h.ImageRenderer != nil } if !ok { return r.renderDefaultImage(w, source, node, entering) } if entering { // Store the current pos so we can capture the rendered text. ctx.pos = ctx.Buffer.Len() return ast.WalkContinue, nil } text := ctx.Buffer.Bytes()[ctx.pos:] ctx.Buffer.Truncate(ctx.pos) err := h.ImageRenderer.RenderLink( w, linkContext{ page: ctx.DocumentContext().Document, destination: string(n.Destination), title: string(n.Title), text: string(text), plainText: string(n.Text(source)), }, ) ctx.AddIdentity(h.ImageRenderer) return ast.WalkContinue, err } // Fall back to the default Goldmark render funcs. Method below borrowed from: // https://github.com/yuin/goldmark/blob/b611cd333a492416b56aa8d94b04a67bf0096ab2/renderer/html/html.go#L404 func (r *hookedRenderer) renderDefaultLink(w util.BufWriter, source []byte, node ast.Node, entering bool) (ast.WalkStatus, error) { n := node.(*ast.Link) if entering { _, _ = w.WriteString("<a href=\"") if r.Unsafe || !html.IsDangerousURL(n.Destination) { _, _ = w.Write(util.EscapeHTML(util.URLEscape(n.Destination, true))) } _ = w.WriteByte('"') if n.Title != nil { _, _ = w.WriteString(` title="`) r.Writer.Write(w, n.Title) _ = w.WriteByte('"') } _ = w.WriteByte('>') } else { _, _ = w.WriteString("</a>") } return ast.WalkContinue, nil } func (r *hookedRenderer) renderLink(w util.BufWriter, source []byte, node ast.Node, entering bool) (ast.WalkStatus, error) { n := node.(*ast.Link) var h *hooks.Renderers ctx, ok := w.(*renderContext) if ok { h = ctx.RenderContext().RenderHooks ok = h != nil && h.LinkRenderer != nil } if !ok { return r.renderDefaultLink(w, source, node, entering) } if entering { // Store the current pos so we can capture the rendered text. ctx.pos = ctx.Buffer.Len() return ast.WalkContinue, nil } text := ctx.Buffer.Bytes()[ctx.pos:] ctx.Buffer.Truncate(ctx.pos) err := h.LinkRenderer.RenderLink( w, linkContext{ page: ctx.DocumentContext().Document, destination: string(n.Destination), title: string(n.Title), text: string(text), plainText: string(n.Text(source)), }, ) // TODO(bep) I have a working branch that fixes these rather confusing identity types, // but for now it's important that it's not .GetIdentity() that's added here, // to make sure we search the entire chain on changes. ctx.AddIdentity(h.LinkRenderer) return ast.WalkContinue, err } func (r *hookedRenderer) renderDefaultHeading(w util.BufWriter, source []byte, node ast.Node, entering bool) (ast.WalkStatus, error) { n := node.(*ast.Heading) if entering { _, _ = w.WriteString("<h") _ = w.WriteByte("0123456"[n.Level]) if n.Attributes() != nil { r.RenderAttributes(w, node) } _ = w.WriteByte('>') } else { _, _ = w.WriteString("</h") _ = w.WriteByte("0123456"[n.Level]) _, _ = w.WriteString(">\n") } return ast.WalkContinue, nil } func (r *hookedRenderer) renderHeading(w util.BufWriter, source []byte, node ast.Node, entering bool) (ast.WalkStatus, error) { n := node.(*ast.Heading) var h *hooks.Renderers ctx, ok := w.(*renderContext) if ok { h = ctx.RenderContext().RenderHooks ok = h != nil && h.HeadingRenderer != nil } if !ok { return r.renderDefaultHeading(w, source, node, entering) } if entering { // Store the current pos so we can capture the rendered text. ctx.pos = ctx.Buffer.Len() return ast.WalkContinue, nil } text := ctx.Buffer.Bytes()[ctx.pos:] ctx.Buffer.Truncate(ctx.pos) // All ast.Heading nodes are guaranteed to have an attribute called "id" // that is an array of bytes that encode a valid string. anchori, _ := n.AttributeString("id") anchor := anchori.([]byte) err := h.HeadingRenderer.RenderHeading( w, headingContext{ page: ctx.DocumentContext().Document, level: n.Level, anchor: string(anchor), text: string(text), plainText: string(n.Text(source)), }, ) ctx.AddIdentity(h.HeadingRenderer) return ast.WalkContinue, err } type links struct { } // Extend implements goldmark.Extender. func (e *links) Extend(m goldmark.Markdown) { m.Renderer().AddOptions(renderer.WithNodeRenderers( util.Prioritized(newLinkRenderer(), 100), )) }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package goldmark import ( "github.com/gohugoio/hugo/markup/converter/hooks" "github.com/yuin/goldmark" "github.com/yuin/goldmark/ast" "github.com/yuin/goldmark/renderer" "github.com/yuin/goldmark/renderer/html" "github.com/yuin/goldmark/util" ) var _ renderer.SetOptioner = (*hookedRenderer)(nil) func newLinkRenderer() renderer.NodeRenderer { r := &hookedRenderer{ Config: html.Config{ Writer: html.DefaultWriter, }, } return r } func newLinks() goldmark.Extender { return &links{} } type linkContext struct { page interface{} destination string title string text string plainText string } func (ctx linkContext) Destination() string { return ctx.destination } func (ctx linkContext) Resolved() bool { return false } func (ctx linkContext) Page() interface{} { return ctx.page } func (ctx linkContext) Text() string { return ctx.text } func (ctx linkContext) PlainText() string { return ctx.plainText } func (ctx linkContext) Title() string { return ctx.title } type headingContext struct { page interface{} level int anchor string text string plainText string } func (ctx headingContext) Page() interface{} { return ctx.page } func (ctx headingContext) Level() int { return ctx.level } func (ctx headingContext) Anchor() string { return ctx.anchor } func (ctx headingContext) Text() string { return ctx.text } func (ctx headingContext) PlainText() string { return ctx.plainText } type hookedRenderer struct { html.Config } func (r *hookedRenderer) SetOption(name renderer.OptionName, value interface{}) { r.Config.SetOption(name, value) } // RegisterFuncs implements NodeRenderer.RegisterFuncs. func (r *hookedRenderer) RegisterFuncs(reg renderer.NodeRendererFuncRegisterer) { reg.Register(ast.KindLink, r.renderLink) reg.Register(ast.KindImage, r.renderImage) reg.Register(ast.KindHeading, r.renderHeading) } // https://github.com/yuin/goldmark/blob/b611cd333a492416b56aa8d94b04a67bf0096ab2/renderer/html/html.go#L404 func (r *hookedRenderer) RenderAttributes(w util.BufWriter, node ast.Node) { for _, attr := range node.Attributes() { _, _ = w.WriteString(" ") _, _ = w.Write(attr.Name) _, _ = w.WriteString(`="`) _, _ = w.Write(util.EscapeHTML(attr.Value.([]byte))) _ = w.WriteByte('"') } } // Fall back to the default Goldmark render funcs. Method below borrowed from: // https://github.com/yuin/goldmark/blob/b611cd333a492416b56aa8d94b04a67bf0096ab2/renderer/html/html.go#L404 func (r *hookedRenderer) renderDefaultImage(w util.BufWriter, source []byte, node ast.Node, entering bool) (ast.WalkStatus, error) { if !entering { return ast.WalkContinue, nil } n := node.(*ast.Image) _, _ = w.WriteString("<img src=\"") if r.Unsafe || !html.IsDangerousURL(n.Destination) { _, _ = w.Write(util.EscapeHTML(util.URLEscape(n.Destination, true))) } _, _ = w.WriteString(`" alt="`) _, _ = w.Write(n.Text(source)) _ = w.WriteByte('"') if n.Title != nil { _, _ = w.WriteString(` title="`) r.Writer.Write(w, n.Title) _ = w.WriteByte('"') } if r.XHTML { _, _ = w.WriteString(" />") } else { _, _ = w.WriteString(">") } return ast.WalkSkipChildren, nil } func (r *hookedRenderer) renderImage(w util.BufWriter, source []byte, node ast.Node, entering bool) (ast.WalkStatus, error) { n := node.(*ast.Image) var h *hooks.Renderers ctx, ok := w.(*renderContext) if ok { h = ctx.RenderContext().RenderHooks ok = h != nil && h.ImageRenderer != nil } if !ok { return r.renderDefaultImage(w, source, node, entering) } if entering { // Store the current pos so we can capture the rendered text. ctx.pos = ctx.Buffer.Len() return ast.WalkContinue, nil } text := ctx.Buffer.Bytes()[ctx.pos:] ctx.Buffer.Truncate(ctx.pos) err := h.ImageRenderer.RenderLink( w, linkContext{ page: ctx.DocumentContext().Document, destination: string(n.Destination), title: string(n.Title), text: string(text), plainText: string(n.Text(source)), }, ) ctx.AddIdentity(h.ImageRenderer) return ast.WalkContinue, err } // Fall back to the default Goldmark render funcs. Method below borrowed from: // https://github.com/yuin/goldmark/blob/b611cd333a492416b56aa8d94b04a67bf0096ab2/renderer/html/html.go#L404 func (r *hookedRenderer) renderDefaultLink(w util.BufWriter, source []byte, node ast.Node, entering bool) (ast.WalkStatus, error) { n := node.(*ast.Link) if entering { _, _ = w.WriteString("<a href=\"") if r.Unsafe || !html.IsDangerousURL(n.Destination) { _, _ = w.Write(util.EscapeHTML(util.URLEscape(n.Destination, true))) } _ = w.WriteByte('"') if n.Title != nil { _, _ = w.WriteString(` title="`) r.Writer.Write(w, n.Title) _ = w.WriteByte('"') } _ = w.WriteByte('>') } else { _, _ = w.WriteString("</a>") } return ast.WalkContinue, nil } func (r *hookedRenderer) renderLink(w util.BufWriter, source []byte, node ast.Node, entering bool) (ast.WalkStatus, error) { n := node.(*ast.Link) var h *hooks.Renderers ctx, ok := w.(*renderContext) if ok { h = ctx.RenderContext().RenderHooks ok = h != nil && h.LinkRenderer != nil } if !ok { return r.renderDefaultLink(w, source, node, entering) } if entering { // Store the current pos so we can capture the rendered text. ctx.pos = ctx.Buffer.Len() return ast.WalkContinue, nil } text := ctx.Buffer.Bytes()[ctx.pos:] ctx.Buffer.Truncate(ctx.pos) err := h.LinkRenderer.RenderLink( w, linkContext{ page: ctx.DocumentContext().Document, destination: string(n.Destination), title: string(n.Title), text: string(text), plainText: string(n.Text(source)), }, ) // TODO(bep) I have a working branch that fixes these rather confusing identity types, // but for now it's important that it's not .GetIdentity() that's added here, // to make sure we search the entire chain on changes. ctx.AddIdentity(h.LinkRenderer) return ast.WalkContinue, err } func (r *hookedRenderer) renderDefaultHeading(w util.BufWriter, source []byte, node ast.Node, entering bool) (ast.WalkStatus, error) { n := node.(*ast.Heading) if entering { _, _ = w.WriteString("<h") _ = w.WriteByte("0123456"[n.Level]) if n.Attributes() != nil { r.RenderAttributes(w, node) } _ = w.WriteByte('>') } else { _, _ = w.WriteString("</h") _ = w.WriteByte("0123456"[n.Level]) _, _ = w.WriteString(">\n") } return ast.WalkContinue, nil } func (r *hookedRenderer) renderHeading(w util.BufWriter, source []byte, node ast.Node, entering bool) (ast.WalkStatus, error) { n := node.(*ast.Heading) var h *hooks.Renderers ctx, ok := w.(*renderContext) if ok { h = ctx.RenderContext().RenderHooks ok = h != nil && h.HeadingRenderer != nil } if !ok { return r.renderDefaultHeading(w, source, node, entering) } if entering { // Store the current pos so we can capture the rendered text. ctx.pos = ctx.Buffer.Len() return ast.WalkContinue, nil } text := ctx.Buffer.Bytes()[ctx.pos:] ctx.Buffer.Truncate(ctx.pos) // All ast.Heading nodes are guaranteed to have an attribute called "id" // that is an array of bytes that encode a valid string. anchori, _ := n.AttributeString("id") anchor := anchori.([]byte) err := h.HeadingRenderer.RenderHeading( w, headingContext{ page: ctx.DocumentContext().Document, level: n.Level, anchor: string(anchor), text: string(text), plainText: string(n.Text(source)), }, ) ctx.AddIdentity(h.HeadingRenderer) return ast.WalkContinue, err } type links struct { } // Extend implements goldmark.Extender. func (e *links) Extend(m goldmark.Markdown) { m.Renderer().AddOptions(renderer.WithNodeRenderers( util.Prioritized(newLinkRenderer(), 100), )) }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./common/types/evictingqueue_test.go
// Copyright 2017-present The Hugo Authors. All rights reserved. // // 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. package types import ( "sync" "testing" qt "github.com/frankban/quicktest" ) func TestEvictingStringQueue(t *testing.T) { c := qt.New(t) queue := NewEvictingStringQueue(3) c.Assert(queue.Peek(), qt.Equals, "") queue.Add("a") queue.Add("b") queue.Add("a") c.Assert(queue.Peek(), qt.Equals, "b") queue.Add("b") c.Assert(queue.Peek(), qt.Equals, "b") queue.Add("a") queue.Add("b") c.Assert(queue.Contains("a"), qt.Equals, true) c.Assert(queue.Contains("foo"), qt.Equals, false) c.Assert(queue.PeekAll(), qt.DeepEquals, []string{"b", "a"}) c.Assert(queue.Peek(), qt.Equals, "b") queue.Add("c") queue.Add("d") // Overflowed, a should now be removed. c.Assert(queue.PeekAll(), qt.DeepEquals, []string{"d", "c", "b"}) c.Assert(len(queue.PeekAllSet()), qt.Equals, 3) c.Assert(queue.PeekAllSet()["c"], qt.Equals, true) } func TestEvictingStringQueueConcurrent(t *testing.T) { var wg sync.WaitGroup val := "someval" queue := NewEvictingStringQueue(3) for j := 0; j < 100; j++ { wg.Add(1) go func() { defer wg.Done() queue.Add(val) v := queue.Peek() if v != val { t.Error("wrong val") } vals := queue.PeekAll() if len(vals) != 1 || vals[0] != val { t.Error("wrong val") } }() } wg.Wait() }
// Copyright 2017-present The Hugo Authors. All rights reserved. // // 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. package types import ( "sync" "testing" qt "github.com/frankban/quicktest" ) func TestEvictingStringQueue(t *testing.T) { c := qt.New(t) queue := NewEvictingStringQueue(3) c.Assert(queue.Peek(), qt.Equals, "") queue.Add("a") queue.Add("b") queue.Add("a") c.Assert(queue.Peek(), qt.Equals, "b") queue.Add("b") c.Assert(queue.Peek(), qt.Equals, "b") queue.Add("a") queue.Add("b") c.Assert(queue.Contains("a"), qt.Equals, true) c.Assert(queue.Contains("foo"), qt.Equals, false) c.Assert(queue.PeekAll(), qt.DeepEquals, []string{"b", "a"}) c.Assert(queue.Peek(), qt.Equals, "b") queue.Add("c") queue.Add("d") // Overflowed, a should now be removed. c.Assert(queue.PeekAll(), qt.DeepEquals, []string{"d", "c", "b"}) c.Assert(len(queue.PeekAllSet()), qt.Equals, 3) c.Assert(queue.PeekAllSet()["c"], qt.Equals, true) } func TestEvictingStringQueueConcurrent(t *testing.T) { var wg sync.WaitGroup val := "someval" queue := NewEvictingStringQueue(3) for j := 0; j < 100; j++ { wg.Add(1) go func() { defer wg.Done() queue.Add(val) v := queue.Peek() if v != val { t.Error("wrong val") } vals := queue.PeekAll() if len(vals) != 1 || vals[0] != val { t.Error("wrong val") } }() } wg.Wait() }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./releaser/releasenotes_writer_test.go
// Copyright 2017-present The Hugo Authors. All rights reserved. // // 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. // Package commands defines and implements command-line commands and flags // used by Hugo. Commands and flags are implemented using Cobra. package releaser import ( "bytes" "fmt" "os" "testing" qt "github.com/frankban/quicktest" ) func _TestReleaseNotesWriter(t *testing.T) { if os.Getenv("CI") != "" { // Travis has an ancient git with no --invert-grep: https://github.com/travis-ci/travis-ci/issues/6328 t.Skip("Skip git test on CI to make Travis happy.") } c := qt.New(t) var b bytes.Buffer // TODO(bep) consider to query GitHub directly for the gitlog with author info, probably faster. infos, err := getGitInfosBefore("HEAD", "v0.20", "hugo", "", false) c.Assert(err, qt.IsNil) c.Assert(writeReleaseNotes("0.21", infos, infos, &b), qt.IsNil) fmt.Println(b.String()) }
// Copyright 2017-present The Hugo Authors. All rights reserved. // // 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. // Package commands defines and implements command-line commands and flags // used by Hugo. Commands and flags are implemented using Cobra. package releaser import ( "bytes" "fmt" "os" "testing" qt "github.com/frankban/quicktest" ) func _TestReleaseNotesWriter(t *testing.T) { if os.Getenv("CI") != "" { // Travis has an ancient git with no --invert-grep: https://github.com/travis-ci/travis-ci/issues/6328 t.Skip("Skip git test on CI to make Travis happy.") } c := qt.New(t) var b bytes.Buffer // TODO(bep) consider to query GitHub directly for the gitlog with author info, probably faster. infos, err := getGitInfosBefore("HEAD", "v0.20", "hugo", "", false) c.Assert(err, qt.IsNil) c.Assert(writeReleaseNotes("0.21", infos, infos, &b), qt.IsNil) fmt.Println(b.String()) }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./commands/env.go
// Copyright 2016 The Hugo Authors. All rights reserved. // // 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. package commands import ( "runtime" "github.com/spf13/cobra" jww "github.com/spf13/jwalterweatherman" ) var _ cmder = (*envCmd)(nil) type envCmd struct { *baseCmd } func newEnvCmd() *envCmd { return &envCmd{ baseCmd: newBaseCmd(&cobra.Command{ Use: "env", Short: "Print Hugo version and environment info", Long: `Print Hugo version and environment info. This is useful in Hugo bug reports.`, RunE: func(cmd *cobra.Command, args []string) error { printHugoVersion() jww.FEEDBACK.Printf("GOOS=%q\n", runtime.GOOS) jww.FEEDBACK.Printf("GOARCH=%q\n", runtime.GOARCH) jww.FEEDBACK.Printf("GOVERSION=%q\n", runtime.Version()) return nil }, }), } }
// Copyright 2016 The Hugo Authors. All rights reserved. // // 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. package commands import ( "runtime" "github.com/spf13/cobra" jww "github.com/spf13/jwalterweatherman" ) var _ cmder = (*envCmd)(nil) type envCmd struct { *baseCmd } func newEnvCmd() *envCmd { return &envCmd{ baseCmd: newBaseCmd(&cobra.Command{ Use: "env", Short: "Print Hugo version and environment info", Long: `Print Hugo version and environment info. This is useful in Hugo bug reports.`, RunE: func(cmd *cobra.Command, args []string) error { printHugoVersion() jww.FEEDBACK.Printf("GOOS=%q\n", runtime.GOOS) jww.FEEDBACK.Printf("GOARCH=%q\n", runtime.GOARCH) jww.FEEDBACK.Printf("GOVERSION=%q\n", runtime.Version()) return nil }, }), } }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./docs/_vendor/github.com/gohugoio/gohugoioTheme/static/fonts/muli-latin-700.woff2
wOF2BB.\`T  4 6$~ * #mRnΕHa푈`as̳S17nBP& U`2*A:D]4I#L]v ڴ/T.f5Ȼ{>qؔu~>Il@ @W5gFxA xx 5-!^u;F$'/Q5={%Xq\<x?oϽ/yE=@B|б32n?+bq'0CRC䰂AӻV].C87`d`%nݽi&i5V do/,m#XP)QF^m02eEW @ DKߖu@{&fOYq6U7D U*$N{$@z% )՗m0/ 5$^:)C D,}ً(pcglr/4(/A_Fb-tX(>)A驨]х[gl5q7C_1A VY 7}D~iQL(2&)`0-!ze-)+&zv<pT ='$[j+JwU5L^U)UN/evOcd0}|| $-$҅)Z:za;?w}JŅNJ-m0emÔa:gjsq{اIimA8dǣ|u}᫿\;AJ/oDpܷ<0gw.;C7iCer3Q4\5ӿ^kB i? I+= X{?,| T12B /⌄_[StMg ѹM@R+3Ԡ'򍚩ҽ͏Bybp`}C}I-d>$ }\!2>;,r'q0 88gJ(O 5&ѺYNs9Z*u . w6 Vp.td+L#1<yAI$`&qhdzTnp&M.s}~E%O. 4ô*JTNRq60*ea(4q|3a,_yx f2s'9a7S{xAbWF},N^ n5Ip1^2XWsՌ].4CH&yL"9EgM]>nteX6bF;Eb`Ҿ쒫0{,[Ebq")"3,E%l˱(#4ie+jA1xǺ>+} 7b.y纞}?`Wv3Wk<ή2JI瘪Wj;hɲ gy L1f˜ F kՉ! /Br qX^>ں^.1wf)x=(`}]RPZ,|U|S_iWCN4q̡J֭ݫ&SUSm#iY b*S/%<Z`]}F۬ {t\)>ĘsjH1^|EZY2Fu$e+gxCTE)Ĝ*ΘYZ 0n{M`)!z_>,Oe3SFӣ. 2,&śO >t/}% f["$hd"h!P,H*QD'$1K8J Z4֪! 4TJE>dB{(Z @ lWl6#j|6$($[)4P4`iIM6=%[ "TM^f1rk!8:j'9 Y9i\I i V-i!]Ovv=F8 'I=mxt^ 7H(;x;<iHPq~u.?23; [X~&f 1#g鋆Biǰ/jӐG $#xܣl~)SgeÝ?KY5[F*Z;fcFNb hx/AkJo@,PQ P-*M) 3|@7W$l\7sʄIc!]źޠ<<7 h4aHD_8R mn D<DD`=@uF21",/H1#8lPQZF1bdM2%N X1bETfb  eC"5%NRJoMlqˆ0~>ECHU 7:t ”P)&kl JNo HWR .S TebV/ VR]!n|%īXV&Ռ#fdC`OI&h al\Kmq9#,PF=GSVAcj 7%‚ȡV8 Wd2Ex!E5ut4PW5#P ȑ̯m?T6ua1PC;TmЈ!@@=HP$(S b,Q[%{j@&ʇ _d83 dVFPeIU ŲcN+h 8J4H{ ڲb W!Cf` (0A蠇z4:!6ӮJ -DPARQE\ 芯x9tb0 oP,Q`uJͲ)=+Y_4ez8{O;/s\+x2+qA&tA(X؂]4 !< 24VC<޵TWc{7"yZ]s@AH@ZM~w ؤ32@ @ԢͮÙ zZNnXHJJ8y0!/K-@Uޜ'3(V ǍtҎy"R Z(”0sU2f aZlM8$p;ZgSim;mw`x4'F̽wyZR*77}{ Xdu`M6bmnC4Hnي5nvm Y\n"0[,%N,+ցw=&Kb : ?I`3(-G@D=Hх n)zwXT” %;sG4 q2N+ArpyIII2=?^z? <e9m4\p%gIo:Qt {{I R22 bfB#Vx RIS-Ci1)PH*5jթרS jfo]׼u>78|sEp1'\Ţ8 @GOF#TH!E$2EkÍ0ZLPTrc5hդYh3DL6SYtxCx޴gh3[Ԥ>+zS1/P~|γ1 h:%/ad yIs`=oq\5g]O9PI.Fm@%[5HϽw8HIM/ -]Hەf(iA'$8$08-&\)w!-c&K)[$5-@=ƂKtQ֐xXPbj ;l8x_X׾!v.M-ynXr߈Ϥ@UXHf *Jc(stрGʃq;:;P`p"$w$1ʮ Q`^*W IEcxzo@( Ӹow<Qp#aÀMߩFA19G2; LHC!]iF֡z^rl0)Z(m$ts~X^.#/(? W#OF8S)wPɐyY/}M.(WOSj eW (X*aP2%Ѳ# 6fD䯒^8ZjdIQŰ{vqFvFECG / :3Ra `WOebhca, $-ްJq]{aP~= lpx/K$i[!u\hA0~:{$k+h/oW+"MEns\&|WMĦyܠ}>we`RNcX-sLsZChIEBo0r'<)77Nt'Kd_!I"&q!$[ʑ`|qD@u#Ӷ+#=\c4]2r#49Q] pk$nf7C2a*KWdV1pXr^_1,\( -ŻDH?@kT<ӑ+Ҳxko+8\ellH  r5 Z%Ϫšvv%#?95Ӭܚ閕ֵi2HeL3^*/*ѳ'h.lK`|,fgܗm#>0b*h##ԇe&Qm\IS@&s6n`8gW.$s|ȫ{p,gE#+QV²S'p呮"<yȩ"<et2eVYe 9Vqjӄzzzn(ћ&'kj)$x7sU$^&6Cpڂ ]E}!S19bX@[=(s1OM%~T;,'^w TC@o 'e_ _{|.[Gc7v's#xZ}{8J^(lἅfv5};I="K iȩc@iGSOޝ%Cq)@ xX: bmmsc@i,ͤ$DzM]rufڀ%7S`wrB ȓb]dq<w:x/fH7c>֚`!hRe_<å)k[ C@F\HoI@H84nFBsz%ؾWo*C?| G%kib(s%mB|\dȲݠ!Dt (!.! B@TN ̈v+DQJ`dGF<d$&!]Z}mu3f3a@"2͆nv ߸jly*x8(hCڨ|O"|gq@0O җ䵴O\{6eKr=Nn2 @nV63,S<*Oj,Tw#Er%8evr&dCZ:B*ɜF>e,Ә|_R<:b ˃ ㍛ !F'[1ѮrO6[ L/BH/=ѱi;pKM̾X7j,k\1WMcKjpaܷyZh2Z v\}ѕZl 7 s'%X(`\407&9Hl'C&Qg(NVpf1'k`zc!=}Q{r=ד*{g%5YUZ0?ZK@b=C&KkċXBi jp; F2LGwA+26GˁI:߅Zbe,?{({_=sLKJ,phTDeMZغCI[C9/'޼Z=ckpPb8_0k[M2XȦ@?<ڭpX`1|KB?3,ڈL:2ٽX5!ix~![2`>x` !{eZ]<Y* ÜvnփvBo}q czY/Kȓ] 9οGB%5<V^ώ P]]h_`k509*e^CJX:JRRJ|Z\kGd{ENbtv ),4 1oƨjhܼJ'M1.nzxͪܩf3# cA],цIvA>0$twoFs lC6Sȣy|{Y\ RmvjYPf$I )N+;4 'Xfk;*eR #?^Rxېa'l,ՍӵGQc 7ml[t|thX{JXbڗ ' X 7c(DXI!ς[Gq| oPNHl(=TU =;rŽRM%0€XZ[e)307g<deCimD)KvٷV%syNU}& =$pͥ/󓝟[uL@0A.:e1'x_1R\3 jzU:A:Q{#Rdz+Ah`M7IO;EښUs")ѤF^'][I"+TTjr"-IZ̆9`rI 4rL6yESWxƎl$uڼ*s+0_rU7󩕨mkbb9i7&KЫb 颸lq`VIpq^Y/߈~&=g+2@/~c_KF9t#XXdhJcx@pX\Iӆ,sV1{CD*`wry4>_ =jbt185=p6ӕ~˕BPq_ v%2;O[T\XלxtBH)tlulu=!ATUnQH#AtBJ# XIWTJGf%Ī 4Õ՟c\<kb)tAI?uQaEa^̋k+V&> 4v%?/os.nqmт 7Տ6-hs>awQ7MOdLQRrwF4;`4OB[LxpS蹣'@/{~ǭطٶsBr̺ޞy* ,YT^^o9kS/oYFe6nz*HVBe1mwR> VFUE= Ag͒“EՋ zkƣ~  }z"ug6N>9BVYS []꟝*y|nyEВ3h nGw\k(CgЫb"0ly}tWTO V>f`sfw{Kl/X  as=uQ}|77G[㸵k{@ηƻa,ÉÇ;:z|ܓsK³C/fE kCq23qVċΪD_͔ڪI^:N[ClWB 0j(D<3 I :b̢A`H%R@…(q<O@D]dʯ4eےgs Z) Wb+TŷA]_=NQvF62*ܯDij6O%^⾑Us藂?+8,0OO?X J;[*U q4[wlkn34ʕZ"Z#זR+ w53}i$WDaRP{TΨshDT"V.ooE~{R^qX}:kܢxg]xQECA`4!+/l,t: P6{tsO8RNIg!^e o%5tօ)*;s*ґ.>|:gE<EE@SeB@YJlQ3]9N > ([Viɨ,vTf 妘(. ~a9K}W?=c̶ qدvz醙LeWhF@T#$0ATr Uo8-#X~? 𔪀R`߲% OavT*!ځ[ۧW@In.R {`ǜ{*x[,sw_ˋnr]/oCmAwi'5MPA9bg MVC32:.5^RTb+4t! H5uRw.h5A\ sn9պ^ז|bK [(~BGڎD_M>3ej≯ŠVa<?k9!k/k Z߱oa@y@_4fnV#yճF5X2Nhf_3[""qqWTxo '}{pp>\>}ʞI?F ήܝZI̔L^h6); lLpnspӍNtmɶN$F$) N.8y3HgeZZL٣f- OGnjV@$vjp2=ûfGBh>.60ǘ^>@Bi}UeaQgxGXpWЕ sa=EU歾^)a iY~75R39W.; k'ʤ*QDoՊ(,R3ƙ^mAN YQH+CD4: )U-}oJL`>TζXPQ>h*F Tt<%!C<6"[yP2\r(F<9U]'^eq-]SR]TFJI!Sݵwhh`ɱk1,\ZbP+eDO IDbZr<+T#G6"2<irPNp]I1=Q!l :D'zI#|<!kLwx35zR^JJKz#HiTm33ѓiHjR]F k\xmӨ~TT );')3wKخ`Rŀ\ iOgl ] Υ 3i|]jz<QkYޔE1ҤF}z <3'["B&gC~'F?,{=;;fU_\X̏y^cA˷td+KI0+Ot-Ǒǵsv l<.`ssD/V,_Xqyy}Q8ӖY_EaQEe*my` unÈ}>~,sLuaIS)XZܼ{OBN.K.]c5#\rdW.]b8yjPDCNffi4#BTGu+6ZO;d(%PiŦ\ѹ"=<&yZFwïtzl淹AzfW9݌brcso^6yȱ?-ߖ7*%ZZOhN4B+XT1/F?M,ႊ|ٓfc5㛂_ r^o-~EnEtEǣzH߱c c/떯({D%Bs7 ՊS;GmvslFhee鬆`ST[Xw2,&&EAlcC9 >Ć6Tw8V7hUlVE##t:Y=O M#iͬ @ۘ^\s?7oEBO@u>Y:3Me)?9T챑#->3 ڜ+Zԗ귺33]VjK7I.A3t;32wX7! + $W~isv˅Eenc>.!38B~nn<2T<hmm=?˺˰:Tp33M͛35x^vg}>hdh_j.;ɨWo!{7woX?yss3BKS==\lDfAfN6pbĎKy^?L.C~5 w==r|шD`Nxn@%(dJ#c׬ƪAQQ&VJW<LKrdõhR҆ף=g*%nR*3E*5V2A)ׂT^L7bC?)q6#Ѩv=vNPs:֙˝ 0<-qvj9 ԖD= Zҭx k왇iS[6a\>VWWH  A,1Ni. Z]\YF͡7 4칮ȏUZ?a %_%2?U$ 6 W4m߷ҷmoE Pa)^j1-we> (F\XcKeTk͘1`Dr(x0kl?dVL-R^)~m|_v[uKg6R`_dWY_Auj a0Hnrp?G؎dZm-fNgQ6-<gmoj?hA~pyrټwFlӗ(/}ǢLri)ai)Z17/o|81:U ii3/h(y]l}NG;bP3gf_`qƼ_bA[O5|2OſC$`SƤJR~L6sjm0oJYpڃnTSƤJ PK)~Sǧ͙c{XsUd~Sx?{_uEg~!?K~쫕뫘XzGp N=}lvTES~plj #^(m6K[Ҷj$v\^g9}h6{>0\J<'/jSS gx# {G7׷u֍9>ӁKßql]03NtxtqZo<8kFTݶCJzAU[0qw-UXI^uU=Tm8 wP@vEp ٰGPOP/Tä/lzrƮ)jq9p?P> >[39,%SIPM,in5jp-P:b-Q+nu2&]\_q8nLIYZK\b+xٓ36_ r{V6MUOoFCUzaǻ/Wg'C4 =dh. '<GZ"86((GclWPY@d<'ǴꊔhӢP&")u/bS|aD= 5 ĽB$ńrK)a4<t_E`>DI<a@w(䂱O^~6sכ߅r"rPj3f6I-Xֈtnֶ=h-摙#X-W>PE11ۜājlz;-2YĉR$IC 2!#NH8 $ҰU72F5d]cـH.9 GK8B^r= z 1iR]L{6n;U [$ rU3S2^?Мj= Җtt4se0P_z YU*ƼGJ'l;@PAcgo[̭E#}ζo}8m-AX њ.hGwYi\[9k<Є,BvTJ}Mk 62jHH~68qIjV[x0b>}BO_J s~@iP6 E<K69iDrL<8}:7}ak;Mxi(H0qV/@'& Ѽu$3B[M po// (v" 국#( 8 fX77k=<\+ٵ CY @S&f!(*sG hKccc)MG?K*xFrd.|]ԩsS2 +:6I%ɰVG}_v)蓯$ E+k򌅥B%Rʣ>HKa)^sZa}͗>8/G-LoWd;;<ƙ"KbES*9%j<[e(>Ǫ@R ., "؆ 5k\pusxp}8}<Qk \,7dےH~$ i6k<B-k$O!]SF| w{e*跥i 8EϬGuVh!!t2At!?Dpl xI—I8f(~ԤP55k97mBC~- #@C`DSuFVYRɁ%;s6SIpȂp Ë0o91/SJ JZ7UuBp_v! !NFz <8&0Ւ2L9IcNIlf)ˁ*!>hN?ܐDg^:T&U}oTOgkBj5hw _ TI]<<WXS8nme1lF .66 UDwH=κ4oF,H"ޢJ:ǏƆ`zօ\eq;s&ZDFb8y4PF@@&1Dy(Pg牵EVKci7͘H(ʼt;?Wa2R{4A߹A9(,=@hL.rY08y$hΈ$G&+9G&\s7Yx -q+TUs47foPo[$K,N(o[- JkG2TT !:j¡ cHG:P &[<x *fmH.'_:!{ nM٩*<QL1%1m?V }C[r]8yڵ yedžlRVDST(a ) ?pF6oZ1OnsSn)]dO˹ W0z{Y5rB#בIu}!$Ժ_$TDJf8ۍ->}ɗb͚fM$65G[j1~]o0\P 1n&lPrA@x<9F(QKgB3Bc k ر-ǹ\yKY o^!Ӂ͉Ιh*;s#)1S&7?VL\NF<^?x!%:_<$zbnGfTWj͡UNQ 44m1v/@ԓt_ tͻk̞;3xh=0XFQiz$O*c>ZYj:j h=bZ&@J_ MydFaPF`|cD \)bc#BVkO]b/l|b$ eFe@੯0׵iUB<ϥ3G%76#Rjgu:.6P? |$Y.ڤķVtS~=_J$K7ɿSk?iKNϊ}s)ip7iʺs|d`ty 1(K]"DhǞDk2^QwLNNUtbI~k 1<D}Y<jLM]BlJL+,MUrR(u֜p*(Pr?{4s +Ek'Vz!4LGCN97>޾o q9JN7^_*;RM׬䖶x |~Rٓ) @ETwK#yާ[|ӋSAMعT *Q90AUr"6DEJ`a["ߊxͰh4\K<4oeY;HehZ=k0+ Fa+iA)}5S<,nk('%JjdtfȶKTI˽:[vm G? 7CKoʟDl:,.hb RK.Z͟qߵ+=CFr$&H QkJXyIVnwh(ܧɨZ`K[m.{گA#=LY`͂'PE7A(OA+F 椎Bl3 (bb@=[~j*lɁ;+cwN 7!PʦyumL/rpY0N 0PL_'NgSĿaurMğng5by./ {IN(1ymcx_F|4͋H$ez#VqSfƾ>Y֐6m>F֠drLsLIh7mVDp@hk}ش/=a,e! 2*l_%kOLC]/2PA8m9ѵ4?[G.nVOϷ|ŀw827OB*ξa˥ P΀J/5G4c=#[uK 2Π2'M?M ez.FC ӡ*7NL|7}=@4ElҦ! Ae5p;J*Tak^dᣗ/-B)Z9V9^iQsrb6Č s9Xc/zIg[Miq4?pGP*`[8W@,Tb&c3^JҠ()Q䨾N-I) ᝞@Ξkj7ԁ@& C֤󗺜:Q>JaܙP9C &s|6h(ہ r`QFB~|t6ܑJ|97ė}oOwt&| a`o+ ^pJk=_+uI^[^9)ff9o*׊/RIqu!t[xDTvScTKM& rO~HvWM[?xԤcG媞 |=PK(!T񶘯Gdz*u^qA9htLeh㍊q!Ɓ/.+x^RBVY0&A@XaPV7 Dۯd|CgZe6U GX/uxA ~A\ Ѥ{@fm+ ?zgDOLpx#]"A'ԀWp%@ -npf:WKd(j{@x_coeA~wP[iP3 Hx !*/ -0'xl=I)Ok4O?$߀&ԮqPJg&ץU3M'O)<~}h]oF}&g0S֑v!>W-Ĉ+SqM|ё[ʴw]83!Vɚ]dl~G;m7x14$`<Y TIO{FHQ s>]m%^y$Nd)Ryk:.]L> u#k ﮉk04Ӄ (4Cfc溨J*R ,|T[jAA,쵏bs. $" &袏C1%(Xb-'$;~߉yrN#Fr:± : ] N\q5=.KńR"?AbFG" EeeV[ez_ʉxDś$6qOB73V4Fcoȫ+6N{AlKm㋓'E$I x.5rjn hD<ȫprvS|!ӄvµG1H)HIp iW ]<X L<_}3 :ӄADiзB>U9¢d09DOK$>);&*t= DD `xrZ /Q"3`ffl1q3m3sޓ NT &G nbI-BX-va6;+-bXly6!DšN'ZfB`
wOF2BB.\`T  4 6$~ * #mRnΕHa푈`as̳S17nBP& U`2*A:D]4I#L]v ڴ/T.f5Ȼ{>qؔu~>Il@ @W5gFxA xx 5-!^u;F$'/Q5={%Xq\<x?oϽ/yE=@B|б32n?+bq'0CRC䰂AӻV].C87`d`%nݽi&i5V do/,m#XP)QF^m02eEW @ DKߖu@{&fOYq6U7D U*$N{$@z% )՗m0/ 5$^:)C D,}ً(pcglr/4(/A_Fb-tX(>)A驨]х[gl5q7C_1A VY 7}D~iQL(2&)`0-!ze-)+&zv<pT ='$[j+JwU5L^U)UN/evOcd0}|| $-$҅)Z:za;?w}JŅNJ-m0emÔa:gjsq{اIimA8dǣ|u}᫿\;AJ/oDpܷ<0gw.;C7iCer3Q4\5ӿ^kB i? I+= X{?,| T12B /⌄_[StMg ѹM@R+3Ԡ'򍚩ҽ͏Bybp`}C}I-d>$ }\!2>;,r'q0 88gJ(O 5&ѺYNs9Z*u . w6 Vp.td+L#1<yAI$`&qhdzTnp&M.s}~E%O. 4ô*JTNRq60*ea(4q|3a,_yx f2s'9a7S{xAbWF},N^ n5Ip1^2XWsՌ].4CH&yL"9EgM]>nteX6bF;Eb`Ҿ쒫0{,[Ebq")"3,E%l˱(#4ie+jA1xǺ>+} 7b.y纞}?`Wv3Wk<ή2JI瘪Wj;hɲ gy L1f˜ F kՉ! /Br qX^>ں^.1wf)x=(`}]RPZ,|U|S_iWCN4q̡J֭ݫ&SUSm#iY b*S/%<Z`]}F۬ {t\)>ĘsjH1^|EZY2Fu$e+gxCTE)Ĝ*ΘYZ 0n{M`)!z_>,Oe3SFӣ. 2,&śO >t/}% f["$hd"h!P,H*QD'$1K8J Z4֪! 4TJE>dB{(Z @ lWl6#j|6$($[)4P4`iIM6=%[ "TM^f1rk!8:j'9 Y9i\I i V-i!]Ovv=F8 'I=mxt^ 7H(;x;<iHPq~u.?23; [X~&f 1#g鋆Biǰ/jӐG $#xܣl~)SgeÝ?KY5[F*Z;fcFNb hx/AkJo@,PQ P-*M) 3|@7W$l\7sʄIc!]źޠ<<7 h4aHD_8R mn D<DD`=@uF21",/H1#8lPQZF1bdM2%N X1bETfb  eC"5%NRJoMlqˆ0~>ECHU 7:t ”P)&kl JNo HWR .S TebV/ VR]!n|%īXV&Ռ#fdC`OI&h al\Kmq9#,PF=GSVAcj 7%‚ȡV8 Wd2Ex!E5ut4PW5#P ȑ̯m?T6ua1PC;TmЈ!@@=HP$(S b,Q[%{j@&ʇ _d83 dVFPeIU ŲcN+h 8J4H{ ڲb W!Cf` (0A蠇z4:!6ӮJ -DPARQE\ 芯x9tb0 oP,Q`uJͲ)=+Y_4ez8{O;/s\+x2+qA&tA(X؂]4 !< 24VC<޵TWc{7"yZ]s@AH@ZM~w ؤ32@ @ԢͮÙ zZNnXHJJ8y0!/K-@Uޜ'3(V ǍtҎy"R Z(”0sU2f aZlM8$p;ZgSim;mw`x4'F̽wyZR*77}{ Xdu`M6bmnC4Hnي5nvm Y\n"0[,%N,+ցw=&Kb : ?I`3(-G@D=Hх n)zwXT” %;sG4 q2N+ArpyIII2=?^z? <e9m4\p%gIo:Qt {{I R22 bfB#Vx RIS-Ci1)PH*5jթרS jfo]׼u>78|sEp1'\Ţ8 @GOF#TH!E$2EkÍ0ZLPTrc5hդYh3DL6SYtxCx޴gh3[Ԥ>+zS1/P~|γ1 h:%/ad yIs`=oq\5g]O9PI.Fm@%[5HϽw8HIM/ -]Hەf(iA'$8$08-&\)w!-c&K)[$5-@=ƂKtQ֐xXPbj ;l8x_X׾!v.M-ynXr߈Ϥ@UXHf *Jc(stрGʃq;:;P`p"$w$1ʮ Q`^*W IEcxzo@( Ӹow<Qp#aÀMߩFA19G2; LHC!]iF֡z^rl0)Z(m$ts~X^.#/(? W#OF8S)wPɐyY/}M.(WOSj eW (X*aP2%Ѳ# 6fD䯒^8ZjdIQŰ{vqFvFECG / :3Ra `WOebhca, $-ްJq]{aP~= lpx/K$i[!u\hA0~:{$k+h/oW+"MEns\&|WMĦyܠ}>we`RNcX-sLsZChIEBo0r'<)77Nt'Kd_!I"&q!$[ʑ`|qD@u#Ӷ+#=\c4]2r#49Q] pk$nf7C2a*KWdV1pXr^_1,\( -ŻDH?@kT<ӑ+Ҳxko+8\ellH  r5 Z%Ϫšvv%#?95Ӭܚ閕ֵi2HeL3^*/*ѳ'h.lK`|,fgܗm#>0b*h##ԇe&Qm\IS@&s6n`8gW.$s|ȫ{p,gE#+QV²S'p呮"<yȩ"<et2eVYe 9Vqjӄzzzn(ћ&'kj)$x7sU$^&6Cpڂ ]E}!S19bX@[=(s1OM%~T;,'^w TC@o 'e_ _{|.[Gc7v's#xZ}{8J^(lἅfv5};I="K iȩc@iGSOޝ%Cq)@ xX: bmmsc@i,ͤ$DzM]rufڀ%7S`wrB ȓb]dq<w:x/fH7c>֚`!hRe_<å)k[ C@F\HoI@H84nFBsz%ؾWo*C?| G%kib(s%mB|\dȲݠ!Dt (!.! B@TN ̈v+DQJ`dGF<d$&!]Z}mu3f3a@"2͆nv ߸jly*x8(hCڨ|O"|gq@0O җ䵴O\{6eKr=Nn2 @nV63,S<*Oj,Tw#Er%8evr&dCZ:B*ɜF>e,Ә|_R<:b ˃ ㍛ !F'[1ѮrO6[ L/BH/=ѱi;pKM̾X7j,k\1WMcKjpaܷyZh2Z v\}ѕZl 7 s'%X(`\407&9Hl'C&Qg(NVpf1'k`zc!=}Q{r=ד*{g%5YUZ0?ZK@b=C&KkċXBi jp; F2LGwA+26GˁI:߅Zbe,?{({_=sLKJ,phTDeMZغCI[C9/'޼Z=ckpPb8_0k[M2XȦ@?<ڭpX`1|KB?3,ڈL:2ٽX5!ix~![2`>x` !{eZ]<Y* ÜvnփvBo}q czY/Kȓ] 9οGB%5<V^ώ P]]h_`k509*e^CJX:JRRJ|Z\kGd{ENbtv ),4 1oƨjhܼJ'M1.nzxͪܩf3# cA],цIvA>0$twoFs lC6Sȣy|{Y\ RmvjYPf$I )N+;4 'Xfk;*eR #?^Rxېa'l,ՍӵGQc 7ml[t|thX{JXbڗ ' X 7c(DXI!ς[Gq| oPNHl(=TU =;rŽRM%0€XZ[e)307g<deCimD)KvٷV%syNU}& =$pͥ/󓝟[uL@0A.:e1'x_1R\3 jzU:A:Q{#Rdz+Ah`M7IO;EښUs")ѤF^'][I"+TTjr"-IZ̆9`rI 4rL6yESWxƎl$uڼ*s+0_rU7󩕨mkbb9i7&KЫb 颸lq`VIpq^Y/߈~&=g+2@/~c_KF9t#XXdhJcx@pX\Iӆ,sV1{CD*`wry4>_ =jbt185=p6ӕ~˕BPq_ v%2;O[T\XלxtBH)tlulu=!ATUnQH#AtBJ# XIWTJGf%Ī 4Õ՟c\<kb)tAI?uQaEa^̋k+V&> 4v%?/os.nqmт 7Տ6-hs>awQ7MOdLQRrwF4;`4OB[LxpS蹣'@/{~ǭطٶsBr̺ޞy* ,YT^^o9kS/oYFe6nz*HVBe1mwR> VFUE= Ag͒“EՋ zkƣ~  }z"ug6N>9BVYS []꟝*y|nyEВ3h nGw\k(CgЫb"0ly}tWTO V>f`sfw{Kl/X  as=uQ}|77G[㸵k{@ηƻa,ÉÇ;:z|ܓsK³C/fE kCq23qVċΪD_͔ڪI^:N[ClWB 0j(D<3 I :b̢A`H%R@…(q<O@D]dʯ4eےgs Z) Wb+TŷA]_=NQvF62*ܯDij6O%^⾑Us藂?+8,0OO?X J;[*U q4[wlkn34ʕZ"Z#זR+ w53}i$WDaRP{TΨshDT"V.ooE~{R^qX}:kܢxg]xQECA`4!+/l,t: P6{tsO8RNIg!^e o%5tօ)*;s*ґ.>|:gE<EE@SeB@YJlQ3]9N > ([Viɨ,vTf 妘(. ~a9K}W?=c̶ qدvz醙LeWhF@T#$0ATr Uo8-#X~? 𔪀R`߲% OavT*!ځ[ۧW@In.R {`ǜ{*x[,sw_ˋnr]/oCmAwi'5MPA9bg MVC32:.5^RTb+4t! H5uRw.h5A\ sn9պ^ז|bK [(~BGڎD_M>3ej≯ŠVa<?k9!k/k Z߱oa@y@_4fnV#yճF5X2Nhf_3[""qqWTxo '}{pp>\>}ʞI?F ήܝZI̔L^h6); lLpnspӍNtmɶN$F$) N.8y3HgeZZL٣f- OGnjV@$vjp2=ûfGBh>.60ǘ^>@Bi}UeaQgxGXpWЕ sa=EU歾^)a iY~75R39W.; k'ʤ*QDoՊ(,R3ƙ^mAN YQH+CD4: )U-}oJL`>TζXPQ>h*F Tt<%!C<6"[yP2\r(F<9U]'^eq-]SR]TFJI!Sݵwhh`ɱk1,\ZbP+eDO IDbZr<+T#G6"2<irPNp]I1=Q!l :D'zI#|<!kLwx35zR^JJKz#HiTm33ѓiHjR]F k\xmӨ~TT );')3wKخ`Rŀ\ iOgl ] Υ 3i|]jz<QkYޔE1ҤF}z <3'["B&gC~'F?,{=;;fU_\X̏y^cA˷td+KI0+Ot-Ǒǵsv l<.`ssD/V,_Xqyy}Q8ӖY_EaQEe*my` unÈ}>~,sLuaIS)XZܼ{OBN.K.]c5#\rdW.]b8yjPDCNffi4#BTGu+6ZO;d(%PiŦ\ѹ"=<&yZFwïtzl淹AzfW9݌brcso^6yȱ?-ߖ7*%ZZOhN4B+XT1/F?M,ႊ|ٓfc5㛂_ r^o-~EnEtEǣzH߱c c/떯({D%Bs7 ՊS;GmvslFhee鬆`ST[Xw2,&&EAlcC9 >Ć6Tw8V7hUlVE##t:Y=O M#iͬ @ۘ^\s?7oEBO@u>Y:3Me)?9T챑#->3 ڜ+Zԗ귺33]VjK7I.A3t;32wX7! + $W~isv˅Eenc>.!38B~nn<2T<hmm=?˺˰:Tp33M͛35x^vg}>hdh_j.;ɨWo!{7woX?yss3BKS==\lDfAfN6pbĎKy^?L.C~5 w==r|шD`Nxn@%(dJ#c׬ƪAQQ&VJW<LKrdõhR҆ף=g*%nR*3E*5V2A)ׂT^L7bC?)q6#Ѩv=vNPs:֙˝ 0<-qvj9 ԖD= Zҭx k왇iS[6a\>VWWH  A,1Ni. Z]\YF͡7 4칮ȏUZ?a %_%2?U$ 6 W4m߷ҷmoE Pa)^j1-we> (F\XcKeTk͘1`Dr(x0kl?dVL-R^)~m|_v[uKg6R`_dWY_Auj a0Hnrp?G؎dZm-fNgQ6-<gmoj?hA~pyrټwFlӗ(/}ǢLri)ai)Z17/o|81:U ii3/h(y]l}NG;bP3gf_`qƼ_bA[O5|2OſC$`SƤJR~L6sjm0oJYpڃnTSƤJ PK)~Sǧ͙c{XsUd~Sx?{_uEg~!?K~쫕뫘XzGp N=}lvTES~plj #^(m6K[Ҷj$v\^g9}h6{>0\J<'/jSS gx# {G7׷u֍9>ӁKßql]03NtxtqZo<8kFTݶCJzAU[0qw-UXI^uU=Tm8 wP@vEp ٰGPOP/Tä/lzrƮ)jq9p?P> >[39,%SIPM,in5jp-P:b-Q+nu2&]\_q8nLIYZK\b+xٓ36_ r{V6MUOoFCUzaǻ/Wg'C4 =dh. '<GZ"86((GclWPY@d<'ǴꊔhӢP&")u/bS|aD= 5 ĽB$ńrK)a4<t_E`>DI<a@w(䂱O^~6sכ߅r"rPj3f6I-Xֈtnֶ=h-摙#X-W>PE11ۜājlz;-2YĉR$IC 2!#NH8 $ҰU72F5d]cـH.9 GK8B^r= z 1iR]L{6n;U [$ rU3S2^?Мj= Җtt4se0P_z YU*ƼGJ'l;@PAcgo[̭E#}ζo}8m-AX њ.hGwYi\[9k<Є,BvTJ}Mk 62jHH~68qIjV[x0b>}BO_J s~@iP6 E<K69iDrL<8}:7}ak;Mxi(H0qV/@'& Ѽu$3B[M po// (v" 국#( 8 fX77k=<\+ٵ CY @S&f!(*sG hKccc)MG?K*xFrd.|]ԩsS2 +:6I%ɰVG}_v)蓯$ E+k򌅥B%Rʣ>HKa)^sZa}͗>8/G-LoWd;;<ƙ"KbES*9%j<[e(>Ǫ@R ., "؆ 5k\pusxp}8}<Qk \,7dےH~$ i6k<B-k$O!]SF| w{e*跥i 8EϬGuVh!!t2At!?Dpl xI—I8f(~ԤP55k97mBC~- #@C`DSuFVYRɁ%;s6SIpȂp Ë0o91/SJ JZ7UuBp_v! !NFz <8&0Ւ2L9IcNIlf)ˁ*!>hN?ܐDg^:T&U}oTOgkBj5hw _ TI]<<WXS8nme1lF .66 UDwH=κ4oF,H"ޢJ:ǏƆ`zօ\eq;s&ZDFb8y4PF@@&1Dy(Pg牵EVKci7͘H(ʼt;?Wa2R{4A߹A9(,=@hL.rY08y$hΈ$G&+9G&\s7Yx -q+TUs47foPo[$K,N(o[- JkG2TT !:j¡ cHG:P &[<x *fmH.'_:!{ nM٩*<QL1%1m?V }C[r]8yڵ yedžlRVDST(a ) ?pF6oZ1OnsSn)]dO˹ W0z{Y5rB#בIu}!$Ժ_$TDJf8ۍ->}ɗb͚fM$65G[j1~]o0\P 1n&lPrA@x<9F(QKgB3Bc k ر-ǹ\yKY o^!Ӂ͉Ιh*;s#)1S&7?VL\NF<^?x!%:_<$zbnGfTWj͡UNQ 44m1v/@ԓt_ tͻk̞;3xh=0XFQiz$O*c>ZYj:j h=bZ&@J_ MydFaPF`|cD \)bc#BVkO]b/l|b$ eFe@੯0׵iUB<ϥ3G%76#Rjgu:.6P? |$Y.ڤķVtS~=_J$K7ɿSk?iKNϊ}s)ip7iʺs|d`ty 1(K]"DhǞDk2^QwLNNUtbI~k 1<D}Y<jLM]BlJL+,MUrR(u֜p*(Pr?{4s +Ek'Vz!4LGCN97>޾o q9JN7^_*;RM׬䖶x |~Rٓ) @ETwK#yާ[|ӋSAMعT *Q90AUr"6DEJ`a["ߊxͰh4\K<4oeY;HehZ=k0+ Fa+iA)}5S<,nk('%JjdtfȶKTI˽:[vm G? 7CKoʟDl:,.hb RK.Z͟qߵ+=CFr$&H QkJXyIVnwh(ܧɨZ`K[m.{گA#=LY`͂'PE7A(OA+F 椎Bl3 (bb@=[~j*lɁ;+cwN 7!PʦyumL/rpY0N 0PL_'NgSĿaurMğng5by./ {IN(1ymcx_F|4͋H$ez#VqSfƾ>Y֐6m>F֠drLsLIh7mVDp@hk}ش/=a,e! 2*l_%kOLC]/2PA8m9ѵ4?[G.nVOϷ|ŀw827OB*ξa˥ P΀J/5G4c=#[uK 2Π2'M?M ez.FC ӡ*7NL|7}=@4ElҦ! Ae5p;J*Tak^dᣗ/-B)Z9V9^iQsrb6Č s9Xc/zIg[Miq4?pGP*`[8W@,Tb&c3^JҠ()Q䨾N-I) ᝞@Ξkj7ԁ@& C֤󗺜:Q>JaܙP9C &s|6h(ہ r`QFB~|t6ܑJ|97ė}oOwt&| a`o+ ^pJk=_+uI^[^9)ff9o*׊/RIqu!t[xDTvScTKM& rO~HvWM[?xԤcG媞 |=PK(!T񶘯Gdz*u^qA9htLeh㍊q!Ɓ/.+x^RBVY0&A@XaPV7 Dۯd|CgZe6U GX/uxA ~A\ Ѥ{@fm+ ?zgDOLpx#]"A'ԀWp%@ -npf:WKd(j{@x_coeA~wP[iP3 Hx !*/ -0'xl=I)Ok4O?$߀&ԮqPJg&ץU3M'O)<~}h]oF}&g0S֑v!>W-Ĉ+SqM|ё[ʴw]83!Vɚ]dl~G;m7x14$`<Y TIO{FHQ s>]m%^y$Nd)Ryk:.]L> u#k ﮉk04Ӄ (4Cfc溨J*R ,|T[jAA,쵏bs. $" &袏C1%(Xb-'$;~߉yrN#Fr:± : ] N\q5=.KńR"?AbFG" EeeV[ez_ʉxDś$6qOB73V4Fcoȫ+6N{AlKm㋓'E$I x.5rjn hD<ȫprvS|!ӄvµG1H)HIp iW ]<X L<_}3 :ӄADiзB>U9¢d09DOK$>);&*t= DD `xrZ /Q"3`ffl1q3m3sޓ NT &G nbI-BX-va6;+-bXly6!DšN'ZfB`
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./.git/HEAD
4fdec67b1155ae1cdf051582d9ab387286b71a07
4fdec67b1155ae1cdf051582d9ab387286b71a07
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./docs/config/_default/params.toml
description = "The world’s fastest framework for building websites" ## Setting this to true will add a "noindex" to *EVERY* page on the site.. removefromexternalsearch = false ## Gh repo for site footer (include trailing slash) ghrepo = "https://github.com/gohugoio/hugoDocs/" ## GH Repo for filing a new issue github_repo = "https://github.com/gohugoio/hugo/issues/new" ### Edit content repo (set to automatically enter "edit" mode; this is good for "improve this page" links) ghdocsrepo = "https://github.com/gohugoio/hugoDocs/tree/master/docs" ## Gitter URL gitter = "https://gitter.im/spf13/hugo" ## Discuss Forum URL forum = "https://discourse.gohugo.io/" ## Google Tag Manager gtmid = "" # First one is picked as the Twitter card image if not set on page. images = ["images/gohugoio-card.png"] flex_box_interior_classes = "flex-auto w-100 w-40-l mr3 mb3 bg-white ba b--moon-gray nested-copy-line-height" #sidebar_direction = "sidebar_left"
description = "The world’s fastest framework for building websites" ## Setting this to true will add a "noindex" to *EVERY* page on the site.. removefromexternalsearch = false ## Gh repo for site footer (include trailing slash) ghrepo = "https://github.com/gohugoio/hugoDocs/" ## GH Repo for filing a new issue github_repo = "https://github.com/gohugoio/hugo/issues/new" ### Edit content repo (set to automatically enter "edit" mode; this is good for "improve this page" links) ghdocsrepo = "https://github.com/gohugoio/hugoDocs/tree/master/docs" ## Gitter URL gitter = "https://gitter.im/spf13/hugo" ## Discuss Forum URL forum = "https://discourse.gohugo.io/" ## Google Tag Manager gtmid = "" # First one is picked as the Twitter card image if not set on page. images = ["images/gohugoio-card.png"] flex_box_interior_classes = "flex-auto w-100 w-40-l mr3 mb3 bg-white ba b--moon-gray nested-copy-line-height" #sidebar_direction = "sidebar_left"
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./docs/_vendor/github.com/gohugoio/gohugoioTheme/layouts/partials/svg/md.svg
<svg id="markdown" xmlns="http://www.w3.org/2000/svg" width="208" height="128" viewBox="0 0 208 128"> <rect width="198" height="118" x="5" y="5" ry="10" stroke="#000" stroke-width="10" fill="none" /> <path d="M30 98v-68h20l20 25 20-25h20v68h-20v-39l-20 25-20-25v39zM155 98l-30-33h20v-35h20v35h20z" /> </svg>
<svg id="markdown" xmlns="http://www.w3.org/2000/svg" width="208" height="128" viewBox="0 0 208 128"> <rect width="198" height="118" x="5" y="5" ry="10" stroke="#000" stroke-width="10" fill="none" /> <path d="M30 98v-68h20l20 25 20-25h20v68h-20v-39l-20 25-20-25v39zM155 98l-30-33h20v-35h20v35h20z" /> </svg>
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./tpl/collections/collections.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. // Package collections provides template functions for manipulating collections // such as arrays, maps, and slices. package collections import ( "fmt" "html/template" "math/rand" "net/url" "reflect" "strings" "time" "github.com/gohugoio/hugo/common/collections" "github.com/gohugoio/hugo/common/maps" "github.com/gohugoio/hugo/common/types" "github.com/gohugoio/hugo/deps" "github.com/gohugoio/hugo/helpers" "github.com/pkg/errors" "github.com/spf13/cast" ) func init() { rand.Seed(time.Now().UTC().UnixNano()) } // New returns a new instance of the collections-namespaced template functions. func New(deps *deps.Deps) *Namespace { return &Namespace{ deps: deps, } } // Namespace provides template functions for the "collections" namespace. type Namespace struct { deps *deps.Deps } // After returns all the items after the first N in a rangeable list. func (ns *Namespace) After(index interface{}, seq interface{}) (interface{}, error) { if index == nil || seq == nil { return nil, errors.New("both limit and seq must be provided") } indexv, err := cast.ToIntE(index) if err != nil { return nil, err } if indexv < 0 { return nil, errors.New("sequence bounds out of range [" + cast.ToString(indexv) + ":]") } seqv := reflect.ValueOf(seq) seqv, isNil := indirect(seqv) if isNil { return nil, errors.New("can't iterate over a nil value") } switch seqv.Kind() { case reflect.Array, reflect.Slice, reflect.String: // okay default: return nil, errors.New("can't iterate over " + reflect.ValueOf(seq).Type().String()) } if indexv >= seqv.Len() { return seqv.Slice(0, 0).Interface(), nil } return seqv.Slice(indexv, seqv.Len()).Interface(), nil } // Delimit takes a given sequence and returns a delimited HTML string. // If last is passed to the function, it will be used as the final delimiter. func (ns *Namespace) Delimit(seq, delimiter interface{}, last ...interface{}) (template.HTML, error) { d, err := cast.ToStringE(delimiter) if err != nil { return "", err } var dLast *string if len(last) > 0 { l := last[0] dStr, err := cast.ToStringE(l) if err != nil { dLast = nil } else { dLast = &dStr } } seqv := reflect.ValueOf(seq) seqv, isNil := indirect(seqv) if isNil { return "", errors.New("can't iterate over a nil value") } var str string switch seqv.Kind() { case reflect.Map: sortSeq, err := ns.Sort(seq) if err != nil { return "", err } seqv = reflect.ValueOf(sortSeq) fallthrough case reflect.Array, reflect.Slice, reflect.String: for i := 0; i < seqv.Len(); i++ { val := seqv.Index(i).Interface() valStr, err := cast.ToStringE(val) if err != nil { continue } switch { case i == seqv.Len()-2 && dLast != nil: str += valStr + *dLast case i == seqv.Len()-1: str += valStr default: str += valStr + d } } default: return "", fmt.Errorf("can't iterate over %v", seq) } return template.HTML(str), nil } // Dictionary creates a map[string]interface{} from the given parameters by // walking the parameters and treating them as key-value pairs. The number // of parameters must be even. // The keys can be string slices, which will create the needed nested structure. func (ns *Namespace) Dictionary(values ...interface{}) (map[string]interface{}, error) { if len(values)%2 != 0 { return nil, errors.New("invalid dictionary call") } root := make(map[string]interface{}) for i := 0; i < len(values); i += 2 { dict := root var key string switch v := values[i].(type) { case string: key = v case []string: for i := 0; i < len(v)-1; i++ { key = v[i] var m map[string]interface{} v, found := dict[key] if found { m = v.(map[string]interface{}) } else { m = make(map[string]interface{}) dict[key] = m } dict = m } key = v[len(v)-1] default: return nil, errors.New("invalid dictionary key") } dict[key] = values[i+1] } return root, nil } // EchoParam returns a given value if it is set; otherwise, it returns an // empty string. func (ns *Namespace) EchoParam(a, key interface{}) interface{} { av, isNil := indirect(reflect.ValueOf(a)) if isNil { return "" } var avv reflect.Value switch av.Kind() { case reflect.Array, reflect.Slice: index, ok := key.(int) if ok && av.Len() > index { avv = av.Index(index) } case reflect.Map: kv := reflect.ValueOf(key) if kv.Type().AssignableTo(av.Type().Key()) { avv = av.MapIndex(kv) } } avv, isNil = indirect(avv) if isNil { return "" } if avv.IsValid() { switch avv.Kind() { case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64: return avv.Int() case reflect.Uint, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64: return avv.Uint() case reflect.Float32, reflect.Float64: return avv.Float() case reflect.String: return avv.String() } } return "" } // First returns the first N items in a rangeable list. func (ns *Namespace) First(limit interface{}, seq interface{}) (interface{}, error) { if limit == nil || seq == nil { return nil, errors.New("both limit and seq must be provided") } limitv, err := cast.ToIntE(limit) if err != nil { return nil, err } if limitv < 0 { return nil, errors.New("sequence length must be non-negative") } seqv := reflect.ValueOf(seq) seqv, isNil := indirect(seqv) if isNil { return nil, errors.New("can't iterate over a nil value") } switch seqv.Kind() { case reflect.Array, reflect.Slice, reflect.String: // okay default: return nil, errors.New("can't iterate over " + reflect.ValueOf(seq).Type().String()) } if limitv > seqv.Len() { limitv = seqv.Len() } return seqv.Slice(0, limitv).Interface(), nil } // In returns whether v is in the set l. l may be an array or slice. func (ns *Namespace) In(l interface{}, v interface{}) (bool, error) { if l == nil || v == nil { return false, nil } lv := reflect.ValueOf(l) vv := reflect.ValueOf(v) vvk := normalize(vv) switch lv.Kind() { case reflect.Array, reflect.Slice: for i := 0; i < lv.Len(); i++ { lvv, isNil := indirectInterface(lv.Index(i)) if isNil { continue } lvvk := normalize(lvv) if lvvk == vvk { return true, nil } } } ss, err := cast.ToStringE(l) if err != nil { return false, nil } su, err := cast.ToStringE(v) if err != nil { return false, nil } return strings.Contains(ss, su), nil } // Intersect returns the common elements in the given sets, l1 and l2. l1 and // l2 must be of the same type and may be either arrays or slices. func (ns *Namespace) Intersect(l1, l2 interface{}) (interface{}, error) { if l1 == nil || l2 == nil { return make([]interface{}, 0), nil } var ins *intersector l1v := reflect.ValueOf(l1) l2v := reflect.ValueOf(l2) switch l1v.Kind() { case reflect.Array, reflect.Slice: ins = &intersector{r: reflect.MakeSlice(l1v.Type(), 0, 0), seen: make(map[interface{}]bool)} switch l2v.Kind() { case reflect.Array, reflect.Slice: for i := 0; i < l1v.Len(); i++ { l1vv := l1v.Index(i) if !l1vv.Type().Comparable() { return make([]interface{}, 0), errors.New("intersect does not support slices or arrays of uncomparable types") } for j := 0; j < l2v.Len(); j++ { l2vv := l2v.Index(j) if !l2vv.Type().Comparable() { return make([]interface{}, 0), errors.New("intersect does not support slices or arrays of uncomparable types") } ins.handleValuePair(l1vv, l2vv) } } return ins.r.Interface(), nil default: return nil, errors.New("can't iterate over " + reflect.ValueOf(l2).Type().String()) } default: return nil, errors.New("can't iterate over " + reflect.ValueOf(l1).Type().String()) } } // Group groups a set of elements by the given key. // This is currently only supported for Pages. func (ns *Namespace) Group(key interface{}, items interface{}) (interface{}, error) { if key == nil { return nil, errors.New("nil is not a valid key to group by") } if g, ok := items.(collections.Grouper); ok { return g.Group(key, items) } in := newSliceElement(items) if g, ok := in.(collections.Grouper); ok { return g.Group(key, items) } return nil, fmt.Errorf("grouping not supported for type %T %T", items, in) } // IsSet returns whether a given array, channel, slice, or map has a key // defined. func (ns *Namespace) IsSet(a interface{}, key interface{}) (bool, error) { av := reflect.ValueOf(a) kv := reflect.ValueOf(key) switch av.Kind() { case reflect.Array, reflect.Chan, reflect.Slice: k, err := cast.ToIntE(key) if err != nil { return false, fmt.Errorf("isset unable to use key of type %T as index", key) } if av.Len() > k { return true, nil } case reflect.Map: if kv.Type() == av.Type().Key() { return av.MapIndex(kv).IsValid(), nil } default: helpers.DistinctFeedbackLog.Printf("WARNING: calling IsSet with unsupported type %q (%T) will always return false.\n", av.Kind(), a) } return false, nil } // Last returns the last N items in a rangeable list. func (ns *Namespace) Last(limit interface{}, seq interface{}) (interface{}, error) { if limit == nil || seq == nil { return nil, errors.New("both limit and seq must be provided") } limitv, err := cast.ToIntE(limit) if err != nil { return nil, err } if limitv < 0 { return nil, errors.New("sequence length must be non-negative") } seqv := reflect.ValueOf(seq) seqv, isNil := indirect(seqv) if isNil { return nil, errors.New("can't iterate over a nil value") } switch seqv.Kind() { case reflect.Array, reflect.Slice, reflect.String: // okay default: return nil, errors.New("can't iterate over " + reflect.ValueOf(seq).Type().String()) } if limitv > seqv.Len() { limitv = seqv.Len() } return seqv.Slice(seqv.Len()-limitv, seqv.Len()).Interface(), nil } // Querify encodes the given parameters in URL-encoded form ("bar=baz&foo=quux") sorted by key. func (ns *Namespace) Querify(params ...interface{}) (string, error) { qs := url.Values{} vals, err := ns.Dictionary(params...) if err != nil { return "", errors.New("querify keys must be strings") } for name, value := range vals { qs.Add(name, fmt.Sprintf("%v", value)) } return qs.Encode(), nil } // Reverse creates a copy of slice and reverses it. func (ns *Namespace) Reverse(slice interface{}) (interface{}, error) { if slice == nil { return nil, nil } v := reflect.ValueOf(slice) switch v.Kind() { case reflect.Slice: default: return nil, errors.New("argument must be a slice") } sliceCopy := reflect.MakeSlice(v.Type(), v.Len(), v.Len()) for i := v.Len() - 1; i >= 0; i-- { element := sliceCopy.Index(i) element.Set(v.Index(v.Len() - 1 - i)) } return sliceCopy.Interface(), nil } // Seq creates a sequence of integers. It's named and used as GNU's seq. // // Examples: // 3 => 1, 2, 3 // 1 2 4 => 1, 3 // -3 => -1, -2, -3 // 1 4 => 1, 2, 3, 4 // 1 -2 => 1, 0, -1, -2 func (ns *Namespace) Seq(args ...interface{}) ([]int, error) { if len(args) < 1 || len(args) > 3 { return nil, errors.New("invalid number of arguments to Seq") } intArgs := cast.ToIntSlice(args) if len(intArgs) < 1 || len(intArgs) > 3 { return nil, errors.New("invalid arguments to Seq") } inc := 1 var last int first := intArgs[0] if len(intArgs) == 1 { last = first if last == 0 { return []int{}, nil } else if last > 0 { first = 1 } else { first = -1 inc = -1 } } else if len(intArgs) == 2 { last = intArgs[1] if last < first { inc = -1 } } else { inc = intArgs[1] last = intArgs[2] if inc == 0 { return nil, errors.New("'increment' must not be 0") } if first < last && inc < 0 { return nil, errors.New("'increment' must be > 0") } if first > last && inc > 0 { return nil, errors.New("'increment' must be < 0") } } // sanity check if last < -100000 { return nil, errors.New("size of result exceeds limit") } size := ((last - first) / inc) + 1 // sanity check if size <= 0 || size > 2000 { return nil, errors.New("size of result exceeds limit") } seq := make([]int, size) val := first for i := 0; ; i++ { seq[i] = val val += inc if (inc < 0 && val < last) || (inc > 0 && val > last) { break } } return seq, nil } // Shuffle returns the given rangeable list in a randomised order. func (ns *Namespace) Shuffle(seq interface{}) (interface{}, error) { if seq == nil { return nil, errors.New("both count and seq must be provided") } seqv := reflect.ValueOf(seq) seqv, isNil := indirect(seqv) if isNil { return nil, errors.New("can't iterate over a nil value") } switch seqv.Kind() { case reflect.Array, reflect.Slice, reflect.String: // okay default: return nil, errors.New("can't iterate over " + reflect.ValueOf(seq).Type().String()) } shuffled := reflect.MakeSlice(reflect.TypeOf(seq), seqv.Len(), seqv.Len()) randomIndices := rand.Perm(seqv.Len()) for index, value := range randomIndices { shuffled.Index(value).Set(seqv.Index(index)) } return shuffled.Interface(), nil } // Slice returns a slice of all passed arguments. func (ns *Namespace) Slice(args ...interface{}) interface{} { if len(args) == 0 { return args } return collections.Slice(args...) } type intersector struct { r reflect.Value seen map[interface{}]bool } func (i *intersector) appendIfNotSeen(v reflect.Value) { vi := v.Interface() if !i.seen[vi] { i.r = reflect.Append(i.r, v) i.seen[vi] = true } } func (i *intersector) handleValuePair(l1vv, l2vv reflect.Value) { switch kind := l1vv.Kind(); { case kind == reflect.String: l2t, err := toString(l2vv) if err == nil && l1vv.String() == l2t { i.appendIfNotSeen(l1vv) } case isNumber(kind): f1, err1 := numberToFloat(l1vv) f2, err2 := numberToFloat(l2vv) if err1 == nil && err2 == nil && f1 == f2 { i.appendIfNotSeen(l1vv) } case kind == reflect.Ptr, kind == reflect.Struct: if l1vv.Interface() == l2vv.Interface() { i.appendIfNotSeen(l1vv) } case kind == reflect.Interface: i.handleValuePair(reflect.ValueOf(l1vv.Interface()), l2vv) } } // Union returns the union of the given sets, l1 and l2. l1 and // l2 must be of the same type and may be either arrays or slices. // If l1 and l2 aren't of the same type then l1 will be returned. // If either l1 or l2 is nil then the non-nil list will be returned. func (ns *Namespace) Union(l1, l2 interface{}) (interface{}, error) { if l1 == nil && l2 == nil { return []interface{}{}, nil } else if l1 == nil && l2 != nil { return l2, nil } else if l1 != nil && l2 == nil { return l1, nil } l1v := reflect.ValueOf(l1) l2v := reflect.ValueOf(l2) var ins *intersector switch l1v.Kind() { case reflect.Array, reflect.Slice: switch l2v.Kind() { case reflect.Array, reflect.Slice: ins = &intersector{r: reflect.MakeSlice(l1v.Type(), 0, 0), seen: make(map[interface{}]bool)} if l1v.Type() != l2v.Type() && l1v.Type().Elem().Kind() != reflect.Interface && l2v.Type().Elem().Kind() != reflect.Interface { return ins.r.Interface(), nil } var ( l1vv reflect.Value isNil bool ) for i := 0; i < l1v.Len(); i++ { l1vv, isNil = indirectInterface(l1v.Index(i)) if !l1vv.Type().Comparable() { return []interface{}{}, errors.New("union does not support slices or arrays of uncomparable types") } if !isNil { ins.appendIfNotSeen(l1vv) } } if !l1vv.IsValid() { // The first slice may be empty. Pick the first value of the second // to use as a prototype. if l2v.Len() > 0 { l1vv = l2v.Index(0) } } for j := 0; j < l2v.Len(); j++ { l2vv := l2v.Index(j) switch kind := l1vv.Kind(); { case kind == reflect.String: l2t, err := toString(l2vv) if err == nil { ins.appendIfNotSeen(reflect.ValueOf(l2t)) } case isNumber(kind): var err error l2vv, err = convertNumber(l2vv, kind) if err == nil { ins.appendIfNotSeen(l2vv) } case kind == reflect.Interface, kind == reflect.Struct, kind == reflect.Ptr: ins.appendIfNotSeen(l2vv) } } return ins.r.Interface(), nil default: return nil, errors.New("can't iterate over " + reflect.ValueOf(l2).Type().String()) } default: return nil, errors.New("can't iterate over " + reflect.ValueOf(l1).Type().String()) } } // Uniq takes in a slice or array and returns a slice with subsequent // duplicate elements removed. func (ns *Namespace) Uniq(seq interface{}) (interface{}, error) { if seq == nil { return make([]interface{}, 0), nil } v := reflect.ValueOf(seq) var slice reflect.Value switch v.Kind() { case reflect.Slice: slice = reflect.MakeSlice(v.Type(), 0, 0) case reflect.Array: slice = reflect.MakeSlice(reflect.SliceOf(v.Type().Elem()), 0, 0) default: return nil, errors.Errorf("type %T not supported", seq) } seen := make(map[interface{}]bool) for i := 0; i < v.Len(); i++ { ev, _ := indirectInterface(v.Index(i)) key := normalize(ev) if _, found := seen[key]; !found { slice = reflect.Append(slice, ev) seen[key] = true } } return slice.Interface(), nil } // KeyVals creates a key and values wrapper. func (ns *Namespace) KeyVals(key interface{}, vals ...interface{}) (types.KeyValues, error) { return types.KeyValues{Key: key, Values: vals}, nil } // NewScratch creates a new Scratch which can be used to store values in a // thread safe way. func (ns *Namespace) NewScratch() *maps.Scratch { return maps.NewScratch() }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. // Package collections provides template functions for manipulating collections // such as arrays, maps, and slices. package collections import ( "fmt" "html/template" "math/rand" "net/url" "reflect" "strings" "time" "github.com/gohugoio/hugo/common/collections" "github.com/gohugoio/hugo/common/maps" "github.com/gohugoio/hugo/common/types" "github.com/gohugoio/hugo/deps" "github.com/gohugoio/hugo/helpers" "github.com/pkg/errors" "github.com/spf13/cast" ) func init() { rand.Seed(time.Now().UTC().UnixNano()) } // New returns a new instance of the collections-namespaced template functions. func New(deps *deps.Deps) *Namespace { return &Namespace{ deps: deps, } } // Namespace provides template functions for the "collections" namespace. type Namespace struct { deps *deps.Deps } // After returns all the items after the first N in a rangeable list. func (ns *Namespace) After(index interface{}, seq interface{}) (interface{}, error) { if index == nil || seq == nil { return nil, errors.New("both limit and seq must be provided") } indexv, err := cast.ToIntE(index) if err != nil { return nil, err } if indexv < 0 { return nil, errors.New("sequence bounds out of range [" + cast.ToString(indexv) + ":]") } seqv := reflect.ValueOf(seq) seqv, isNil := indirect(seqv) if isNil { return nil, errors.New("can't iterate over a nil value") } switch seqv.Kind() { case reflect.Array, reflect.Slice, reflect.String: // okay default: return nil, errors.New("can't iterate over " + reflect.ValueOf(seq).Type().String()) } if indexv >= seqv.Len() { return seqv.Slice(0, 0).Interface(), nil } return seqv.Slice(indexv, seqv.Len()).Interface(), nil } // Delimit takes a given sequence and returns a delimited HTML string. // If last is passed to the function, it will be used as the final delimiter. func (ns *Namespace) Delimit(seq, delimiter interface{}, last ...interface{}) (template.HTML, error) { d, err := cast.ToStringE(delimiter) if err != nil { return "", err } var dLast *string if len(last) > 0 { l := last[0] dStr, err := cast.ToStringE(l) if err != nil { dLast = nil } else { dLast = &dStr } } seqv := reflect.ValueOf(seq) seqv, isNil := indirect(seqv) if isNil { return "", errors.New("can't iterate over a nil value") } var str string switch seqv.Kind() { case reflect.Map: sortSeq, err := ns.Sort(seq) if err != nil { return "", err } seqv = reflect.ValueOf(sortSeq) fallthrough case reflect.Array, reflect.Slice, reflect.String: for i := 0; i < seqv.Len(); i++ { val := seqv.Index(i).Interface() valStr, err := cast.ToStringE(val) if err != nil { continue } switch { case i == seqv.Len()-2 && dLast != nil: str += valStr + *dLast case i == seqv.Len()-1: str += valStr default: str += valStr + d } } default: return "", fmt.Errorf("can't iterate over %v", seq) } return template.HTML(str), nil } // Dictionary creates a map[string]interface{} from the given parameters by // walking the parameters and treating them as key-value pairs. The number // of parameters must be even. // The keys can be string slices, which will create the needed nested structure. func (ns *Namespace) Dictionary(values ...interface{}) (map[string]interface{}, error) { if len(values)%2 != 0 { return nil, errors.New("invalid dictionary call") } root := make(map[string]interface{}) for i := 0; i < len(values); i += 2 { dict := root var key string switch v := values[i].(type) { case string: key = v case []string: for i := 0; i < len(v)-1; i++ { key = v[i] var m map[string]interface{} v, found := dict[key] if found { m = v.(map[string]interface{}) } else { m = make(map[string]interface{}) dict[key] = m } dict = m } key = v[len(v)-1] default: return nil, errors.New("invalid dictionary key") } dict[key] = values[i+1] } return root, nil } // EchoParam returns a given value if it is set; otherwise, it returns an // empty string. func (ns *Namespace) EchoParam(a, key interface{}) interface{} { av, isNil := indirect(reflect.ValueOf(a)) if isNil { return "" } var avv reflect.Value switch av.Kind() { case reflect.Array, reflect.Slice: index, ok := key.(int) if ok && av.Len() > index { avv = av.Index(index) } case reflect.Map: kv := reflect.ValueOf(key) if kv.Type().AssignableTo(av.Type().Key()) { avv = av.MapIndex(kv) } } avv, isNil = indirect(avv) if isNil { return "" } if avv.IsValid() { switch avv.Kind() { case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64: return avv.Int() case reflect.Uint, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64: return avv.Uint() case reflect.Float32, reflect.Float64: return avv.Float() case reflect.String: return avv.String() } } return "" } // First returns the first N items in a rangeable list. func (ns *Namespace) First(limit interface{}, seq interface{}) (interface{}, error) { if limit == nil || seq == nil { return nil, errors.New("both limit and seq must be provided") } limitv, err := cast.ToIntE(limit) if err != nil { return nil, err } if limitv < 0 { return nil, errors.New("sequence length must be non-negative") } seqv := reflect.ValueOf(seq) seqv, isNil := indirect(seqv) if isNil { return nil, errors.New("can't iterate over a nil value") } switch seqv.Kind() { case reflect.Array, reflect.Slice, reflect.String: // okay default: return nil, errors.New("can't iterate over " + reflect.ValueOf(seq).Type().String()) } if limitv > seqv.Len() { limitv = seqv.Len() } return seqv.Slice(0, limitv).Interface(), nil } // In returns whether v is in the set l. l may be an array or slice. func (ns *Namespace) In(l interface{}, v interface{}) (bool, error) { if l == nil || v == nil { return false, nil } lv := reflect.ValueOf(l) vv := reflect.ValueOf(v) vvk := normalize(vv) switch lv.Kind() { case reflect.Array, reflect.Slice: for i := 0; i < lv.Len(); i++ { lvv, isNil := indirectInterface(lv.Index(i)) if isNil { continue } lvvk := normalize(lvv) if lvvk == vvk { return true, nil } } } ss, err := cast.ToStringE(l) if err != nil { return false, nil } su, err := cast.ToStringE(v) if err != nil { return false, nil } return strings.Contains(ss, su), nil } // Intersect returns the common elements in the given sets, l1 and l2. l1 and // l2 must be of the same type and may be either arrays or slices. func (ns *Namespace) Intersect(l1, l2 interface{}) (interface{}, error) { if l1 == nil || l2 == nil { return make([]interface{}, 0), nil } var ins *intersector l1v := reflect.ValueOf(l1) l2v := reflect.ValueOf(l2) switch l1v.Kind() { case reflect.Array, reflect.Slice: ins = &intersector{r: reflect.MakeSlice(l1v.Type(), 0, 0), seen: make(map[interface{}]bool)} switch l2v.Kind() { case reflect.Array, reflect.Slice: for i := 0; i < l1v.Len(); i++ { l1vv := l1v.Index(i) if !l1vv.Type().Comparable() { return make([]interface{}, 0), errors.New("intersect does not support slices or arrays of uncomparable types") } for j := 0; j < l2v.Len(); j++ { l2vv := l2v.Index(j) if !l2vv.Type().Comparable() { return make([]interface{}, 0), errors.New("intersect does not support slices or arrays of uncomparable types") } ins.handleValuePair(l1vv, l2vv) } } return ins.r.Interface(), nil default: return nil, errors.New("can't iterate over " + reflect.ValueOf(l2).Type().String()) } default: return nil, errors.New("can't iterate over " + reflect.ValueOf(l1).Type().String()) } } // Group groups a set of elements by the given key. // This is currently only supported for Pages. func (ns *Namespace) Group(key interface{}, items interface{}) (interface{}, error) { if key == nil { return nil, errors.New("nil is not a valid key to group by") } if g, ok := items.(collections.Grouper); ok { return g.Group(key, items) } in := newSliceElement(items) if g, ok := in.(collections.Grouper); ok { return g.Group(key, items) } return nil, fmt.Errorf("grouping not supported for type %T %T", items, in) } // IsSet returns whether a given array, channel, slice, or map has a key // defined. func (ns *Namespace) IsSet(a interface{}, key interface{}) (bool, error) { av := reflect.ValueOf(a) kv := reflect.ValueOf(key) switch av.Kind() { case reflect.Array, reflect.Chan, reflect.Slice: k, err := cast.ToIntE(key) if err != nil { return false, fmt.Errorf("isset unable to use key of type %T as index", key) } if av.Len() > k { return true, nil } case reflect.Map: if kv.Type() == av.Type().Key() { return av.MapIndex(kv).IsValid(), nil } default: helpers.DistinctFeedbackLog.Printf("WARNING: calling IsSet with unsupported type %q (%T) will always return false.\n", av.Kind(), a) } return false, nil } // Last returns the last N items in a rangeable list. func (ns *Namespace) Last(limit interface{}, seq interface{}) (interface{}, error) { if limit == nil || seq == nil { return nil, errors.New("both limit and seq must be provided") } limitv, err := cast.ToIntE(limit) if err != nil { return nil, err } if limitv < 0 { return nil, errors.New("sequence length must be non-negative") } seqv := reflect.ValueOf(seq) seqv, isNil := indirect(seqv) if isNil { return nil, errors.New("can't iterate over a nil value") } switch seqv.Kind() { case reflect.Array, reflect.Slice, reflect.String: // okay default: return nil, errors.New("can't iterate over " + reflect.ValueOf(seq).Type().String()) } if limitv > seqv.Len() { limitv = seqv.Len() } return seqv.Slice(seqv.Len()-limitv, seqv.Len()).Interface(), nil } // Querify encodes the given parameters in URL-encoded form ("bar=baz&foo=quux") sorted by key. func (ns *Namespace) Querify(params ...interface{}) (string, error) { qs := url.Values{} vals, err := ns.Dictionary(params...) if err != nil { return "", errors.New("querify keys must be strings") } for name, value := range vals { qs.Add(name, fmt.Sprintf("%v", value)) } return qs.Encode(), nil } // Reverse creates a copy of slice and reverses it. func (ns *Namespace) Reverse(slice interface{}) (interface{}, error) { if slice == nil { return nil, nil } v := reflect.ValueOf(slice) switch v.Kind() { case reflect.Slice: default: return nil, errors.New("argument must be a slice") } sliceCopy := reflect.MakeSlice(v.Type(), v.Len(), v.Len()) for i := v.Len() - 1; i >= 0; i-- { element := sliceCopy.Index(i) element.Set(v.Index(v.Len() - 1 - i)) } return sliceCopy.Interface(), nil } // Seq creates a sequence of integers. It's named and used as GNU's seq. // // Examples: // 3 => 1, 2, 3 // 1 2 4 => 1, 3 // -3 => -1, -2, -3 // 1 4 => 1, 2, 3, 4 // 1 -2 => 1, 0, -1, -2 func (ns *Namespace) Seq(args ...interface{}) ([]int, error) { if len(args) < 1 || len(args) > 3 { return nil, errors.New("invalid number of arguments to Seq") } intArgs := cast.ToIntSlice(args) if len(intArgs) < 1 || len(intArgs) > 3 { return nil, errors.New("invalid arguments to Seq") } inc := 1 var last int first := intArgs[0] if len(intArgs) == 1 { last = first if last == 0 { return []int{}, nil } else if last > 0 { first = 1 } else { first = -1 inc = -1 } } else if len(intArgs) == 2 { last = intArgs[1] if last < first { inc = -1 } } else { inc = intArgs[1] last = intArgs[2] if inc == 0 { return nil, errors.New("'increment' must not be 0") } if first < last && inc < 0 { return nil, errors.New("'increment' must be > 0") } if first > last && inc > 0 { return nil, errors.New("'increment' must be < 0") } } // sanity check if last < -100000 { return nil, errors.New("size of result exceeds limit") } size := ((last - first) / inc) + 1 // sanity check if size <= 0 || size > 2000 { return nil, errors.New("size of result exceeds limit") } seq := make([]int, size) val := first for i := 0; ; i++ { seq[i] = val val += inc if (inc < 0 && val < last) || (inc > 0 && val > last) { break } } return seq, nil } // Shuffle returns the given rangeable list in a randomised order. func (ns *Namespace) Shuffle(seq interface{}) (interface{}, error) { if seq == nil { return nil, errors.New("both count and seq must be provided") } seqv := reflect.ValueOf(seq) seqv, isNil := indirect(seqv) if isNil { return nil, errors.New("can't iterate over a nil value") } switch seqv.Kind() { case reflect.Array, reflect.Slice, reflect.String: // okay default: return nil, errors.New("can't iterate over " + reflect.ValueOf(seq).Type().String()) } shuffled := reflect.MakeSlice(reflect.TypeOf(seq), seqv.Len(), seqv.Len()) randomIndices := rand.Perm(seqv.Len()) for index, value := range randomIndices { shuffled.Index(value).Set(seqv.Index(index)) } return shuffled.Interface(), nil } // Slice returns a slice of all passed arguments. func (ns *Namespace) Slice(args ...interface{}) interface{} { if len(args) == 0 { return args } return collections.Slice(args...) } type intersector struct { r reflect.Value seen map[interface{}]bool } func (i *intersector) appendIfNotSeen(v reflect.Value) { vi := v.Interface() if !i.seen[vi] { i.r = reflect.Append(i.r, v) i.seen[vi] = true } } func (i *intersector) handleValuePair(l1vv, l2vv reflect.Value) { switch kind := l1vv.Kind(); { case kind == reflect.String: l2t, err := toString(l2vv) if err == nil && l1vv.String() == l2t { i.appendIfNotSeen(l1vv) } case isNumber(kind): f1, err1 := numberToFloat(l1vv) f2, err2 := numberToFloat(l2vv) if err1 == nil && err2 == nil && f1 == f2 { i.appendIfNotSeen(l1vv) } case kind == reflect.Ptr, kind == reflect.Struct: if l1vv.Interface() == l2vv.Interface() { i.appendIfNotSeen(l1vv) } case kind == reflect.Interface: i.handleValuePair(reflect.ValueOf(l1vv.Interface()), l2vv) } } // Union returns the union of the given sets, l1 and l2. l1 and // l2 must be of the same type and may be either arrays or slices. // If l1 and l2 aren't of the same type then l1 will be returned. // If either l1 or l2 is nil then the non-nil list will be returned. func (ns *Namespace) Union(l1, l2 interface{}) (interface{}, error) { if l1 == nil && l2 == nil { return []interface{}{}, nil } else if l1 == nil && l2 != nil { return l2, nil } else if l1 != nil && l2 == nil { return l1, nil } l1v := reflect.ValueOf(l1) l2v := reflect.ValueOf(l2) var ins *intersector switch l1v.Kind() { case reflect.Array, reflect.Slice: switch l2v.Kind() { case reflect.Array, reflect.Slice: ins = &intersector{r: reflect.MakeSlice(l1v.Type(), 0, 0), seen: make(map[interface{}]bool)} if l1v.Type() != l2v.Type() && l1v.Type().Elem().Kind() != reflect.Interface && l2v.Type().Elem().Kind() != reflect.Interface { return ins.r.Interface(), nil } var ( l1vv reflect.Value isNil bool ) for i := 0; i < l1v.Len(); i++ { l1vv, isNil = indirectInterface(l1v.Index(i)) if !l1vv.Type().Comparable() { return []interface{}{}, errors.New("union does not support slices or arrays of uncomparable types") } if !isNil { ins.appendIfNotSeen(l1vv) } } if !l1vv.IsValid() { // The first slice may be empty. Pick the first value of the second // to use as a prototype. if l2v.Len() > 0 { l1vv = l2v.Index(0) } } for j := 0; j < l2v.Len(); j++ { l2vv := l2v.Index(j) switch kind := l1vv.Kind(); { case kind == reflect.String: l2t, err := toString(l2vv) if err == nil { ins.appendIfNotSeen(reflect.ValueOf(l2t)) } case isNumber(kind): var err error l2vv, err = convertNumber(l2vv, kind) if err == nil { ins.appendIfNotSeen(l2vv) } case kind == reflect.Interface, kind == reflect.Struct, kind == reflect.Ptr: ins.appendIfNotSeen(l2vv) } } return ins.r.Interface(), nil default: return nil, errors.New("can't iterate over " + reflect.ValueOf(l2).Type().String()) } default: return nil, errors.New("can't iterate over " + reflect.ValueOf(l1).Type().String()) } } // Uniq takes in a slice or array and returns a slice with subsequent // duplicate elements removed. func (ns *Namespace) Uniq(seq interface{}) (interface{}, error) { if seq == nil { return make([]interface{}, 0), nil } v := reflect.ValueOf(seq) var slice reflect.Value switch v.Kind() { case reflect.Slice: slice = reflect.MakeSlice(v.Type(), 0, 0) case reflect.Array: slice = reflect.MakeSlice(reflect.SliceOf(v.Type().Elem()), 0, 0) default: return nil, errors.Errorf("type %T not supported", seq) } seen := make(map[interface{}]bool) for i := 0; i < v.Len(); i++ { ev, _ := indirectInterface(v.Index(i)) key := normalize(ev) if _, found := seen[key]; !found { slice = reflect.Append(slice, ev) seen[key] = true } } return slice.Interface(), nil } // KeyVals creates a key and values wrapper. func (ns *Namespace) KeyVals(key interface{}, vals ...interface{}) (types.KeyValues, error) { return types.KeyValues{Key: key, Values: vals}, nil } // NewScratch creates a new Scratch which can be used to store values in a // thread safe way. func (ns *Namespace) NewScratch() *maps.Scratch { return maps.NewScratch() }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./docs/static/images/hosting-and-deployment/hosting-on-netlify/netlify-create-new-site-step-1.jpg
JFIFHHC    $.' ",#(7),01444'9=82<.342C  2!!22222222222222222222222222222222222222222222222222"Q  !1AQS"2Uaq3RV6st#57BTr$Db4ECcu21!2AQRSaq"3B ?Re>G֦SyJ q]ig4{gg9h@[*6:5z?2Şjʙ(@(P텟ȿ :}!'XY IHcpkS*סE 訶iRVѿQqjr9jNTE{SAAJQ?󑴺wtrmδh+މ=jEVk9[Ǣ"]TK~Ҧ8a UWЊzb)VKΦ{/ŻUlOOGS+k[#bvU޻pi5tɣ{ZNtz@A-Ze{UUUsCG=EiNDuގf9&eߤ֧JiӢz<ϲu妦TojnBhi[WOϊ^Nmsjrrt̹ܭ\3srL2fWHR%Tª*zsKO#u2HE"p[5@llNǣ`I;ZcYrE g5)=% T|Gr'9<*nw0xbe9lSE9`{i@=ȍL?)"@6: э0~w*5z0J[s*_TkrT gu)-KzH*]GQ5:=eZu,]8pc″]DDUU܈ICIi} YI }4[kCR-VZ]UM_ZyVZV7**aPH^j#}&< @)? 722'cf2/BO G,`'J. @ΏzfLF65jU3SkWSB0~"EM̠ZY<VH\Tв&J/B=Jf-/U{OvnR1#~uwc ~M>uΒTʯFbcNetկ̏Ub9t7*lq- '*9%ֶ%Sf3\W"+s%Unjnu ۻ똕2o^]Jb#|n"][yD^"=D j] Y[#Q]D}⾚ [gWr*<p)nq,pNf"; ֙ॐ ,cDr*]+ak*bEr"zK0L_P#XpPڹO R8ߴj'C uM~ƶ?T) eOd_̆%Lٿrƀ "LYĩ? 72ZXX tUW RSQ;bBѾTztY]+Tތke}5M9M6 S)w6irh g.PmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VtšK.ףUF#USMq"pE zk%Hh.tѶ7L#O֨Pn&1i*)*@ Th텛ȿ Jm!%ݍs㗎7?73_|t?=B}.ZxyL)*@ Th텛ȿ Jm!%ݍs㗎7?73_|t?=B}.ZxyL)*@ Th텛ȿ Jm!%ݍs㗎7?73_|t?=B}.ZxyL)*@ Th텛ȿ Jm!%ݍs㗎7?73_|VLݢhwTչuU<gr"e7U]c>}ޞmk*R*ugkr{P5]9MjpFkS2Wa\[E\%^Rm*FYxxt)-m(٤K:U_ _`}]]DPS5,Dj'5w W% Z.l+34{4_H-7QN]sڪ.B i&i̷.4"*|3rw0cmj䢢QPc¹z<Ib0-hⱷ{5#ޙkS +4 mH-:AL*j_JqBEfS5,xזEܮ kU~tN`Jx$i=fzZ&CQvע[מpjFkADQ5gVqC Uf'2L{E( UI,:h.w)e\Bzw Ai t*h[-0A)5#ouU ]W7_8^T pi>ꖫBSnx,+z=WY] ߢZ*J;lbվUTTb$uR&=D !ܭ\)fQ ~N9U1^J\*[]V_Ԋ/ t?=B}.ZxyL)*@ Th텛ȿ Jm!%ݍs㗎7?73_| @+̃~sܭGqTIWiZ}jGDMƢ&Q9tm~3I^u0#Q1.U0|4WΎzjm=؋k1wC[n%FF|#uUEǴjwŢRGCuDpԺ<F^IU79Z+"Efɞܷ.W^&Ѧ-K;=㕩q1^%}|s)G_-WuWQx+t5QENw"*}U!Am-;H"lKu>Ϥ7 Sڮ%hW:9]W*9UWz"*q-yKK%ZMVu"3Y1*+l(){ЪSDV4~1׹Wdu-Ϟƚ$VETnUI<qke)6jrU^ Ov&P3FvGM;u%*#6j#S>2TEeʾ[Fe8z@]P_n03HtVSEU܊ 2b w`޴d)4DQ=b$]}l7nu7GZ۵QߟIw:w[M%WDUlѣQBQNcied,F5^g*"c**yo7aSrނ:[2̪ .p]ޒCUD`<a=k43RηٹN诃CqC^ɩղJ#TL51tW[i|,WU*SEި&{kHʚK]S@U;|~uWr`cJhsY=U*'5T2%iUTq{ Ff4kmuDSS*#v3rJ[Ri5 iWu6u+u^*K])eT<t[U[6V臅-~mj$iRmF:6 l fQ#խr\#w5At+tI.R*bEP]r=L½4O4itmOOϵVX`;Q٣5Q2ҿqaD/w E4R+[Q1="Z}^rWM)dUD_bϖB-U,)k!׸eFJ; e}7FڮnSESiCem }]Ur2jsb;_v%2Pִ5r6ܶs$N^-^ݻyS­#lZVht9eFj1E^l5~ *`-tmi*&W_MV>Yik!،VF.LEEo 6kѣ;%5N|S7Q$TF=z!#8o-][^sU8c{ow-ifGm{:ީYiⷡS bG}ڊ+=IhaQQO{SUWڞc.ZK$uN<rn!--t )cIi>Wk9UU.:'({_]OCPRT? 722'af2/BKQ+>g/Coof4o'({_]OCPRT? 722'af2/BKQ+>g/Coof4oR>^VIJ"grnecU:0:'*I"Us $dG>^Ʋ$ֹ{*ޮsU1Vq,\&SV9G5vt.}-`ZFU.LҶҹ k5rYzpN"6ujyF-lzJlZre8(ݫUt$FErnL^CDjPM\y:>֦U-ӗC\>z1:q7iK#dDȵ꣜oF;UlqE۫z -3Tջd.bGȊ e] R:ºșvTs^+jib}%#=Q<KuiU^vS%9^1C^*$rV2eNR:<X՛= ^t)23Y.5\ZTAScz5U2-R;i4H'W7;z$ϒgOQ;S\a݈5̔#"{^3&S+*~KgsOST%گxIc|2Vlel ow(;UY[CMTOzTFj"MI׹rRR(ܭ]ꎑQ2]۱bWKP!tjD+ z,ϒ)K4i9rVFP:ySMάGz2bS{EN)5*ka>杕\v jv._UT,2ӹUSYTT òZJh*Ȩ&(ެ'Ymʮ{C S>I^"tiGP){ޮuMoJzʊl1ZU1A,ȩK"lm35pTǣP4JUUcYq3 o:Kk48ܔY$IU] e9JzCM$+H\Fx"v;wmUF8ʪ7+TMO"R+aYi;.RSH5G7U(,Q==DU&fȑN7AB,O*RҷKN-_N"y1c(ߘ]xעe Yj{е##FzzwKtuU|HX[ 1K<t}Ċ:IQWѻMxܴbDݳ,TLT-T.IfRL9⻺2S!]IQSX**5ѣ^EW]r|vĔYgvr ^=dE$51ƔGY_"*O̸meA +&uI6ieSW&3K\%FT#lcYwIZ`[>g"kgvqJ]!Qs#njQU:ׁ۫</o&4ѣSvp<Q-kFlʫ Z&K##lN ~WҊ a.ښeeKr\7ކZomz W*c*t'[5>DV"1?9/N=-}cn XH Qqsӽ k_ Q>gFҹQj.:7KḓJũq4cZq+-1m5T Tbi"c>(HΖ9R5 EDʹ]PTYӥE2ZXdUbx+W OoM5ΒIn2pޙdi{}U5UkuBcYQXo棲w_#R\Ƶ]VzLt7H5 sE_kS8[,TlmdjxFj/h*$Hb0gѕʅB+jO]-,MFzG.ޒK*MWRv7(21!}sC @D]˔EwJ"Tf*jdYQˌswwW[Qx(!H)՛I]d:.orv"nՖw*F&wu)M[WR+XcWU0+**R5bUkG A`.YesS ]%5ⲎQUYP<mlaUx5?NH2,WM Įu[rM MhSk]ՕJIJi5z p}\I$|TDpN+QQ#䩬۹ȈlhƷӎ]w֭]bJ93=qʙP,SP,&#W$nfykx螌\U:POdZg%lL*.蒑NG,1n݃]<9Ԥ.E_vj+/wѿ.cXUDNZ+dMJJXWMȊL}ŌZ:[⧎4:hsQUz:wnuMYt F5E"Tµ~E.*"\g-k-W]U.i{uM5Ek|ʋѨaS t3ojyHrG\ϧ2zͱȒ:Fk#_%3T/#I%=;R*VpjK-U<U]7'Ư'Ku BdLk?ԨgAB6娚Ƞ Kxt?:_`AHRJ[Dl,EbTh텛ȿ -G,hPmGuqtN Kxt?:_`AHRJ[Dl,EbTh텛ȿ -G,hPmGuqtN_ jո#'_Fy~9?3ϛOПXzFO=Fy~9?1~r~c ~c:>,{~r~cǾu?B}aY<5)|~в2y5kS ddk?'0=B翨?'?Q_OaO{S'Q_O~_ŸΧO= #'_Fy~9?1?1OПXzFO=Fy~9?1~r~c ~c:>,{~r~cǾu?B}aY<5)|~в2y5kS d6!Wds&E8>G"DGwԉܢiepZri{_ri{_L+Zri{_ri{_@&ri{_ Zri{_ri{_@&ri{_@&ri{_@&ri{_@&G&@&G&@&G&@&G&@&G&@&G&@D+.M/kv NM/kzv NM/kzv NM/kzv NM/k`zM/k`zM/k`zM/k``````4pH&Q:7r'({_]OCPRT? 722'af2/BKQ + `ɪ?ۿ!ɪ?ۿ )&/7n&/7n *rjrj `ɪ?ۿ!ɪ?ۿ )Coos&/7n:3knra~+O9x$d9r(VIP۔(J]Tj*'awu0%REViFuSИLYNfp&L f.J׶I*Q碵#zol{|vU= ۦ|ҥK$FpRd<Z:n<UMeF*&T>J>IZ,ʙe86ӹj3*j.qݿwAXf*TjQSLtDC2%CьkejrOB,ģ8j,y;T }g$~U19$M ;,.Q#j.U2 @r|,jQ2UoǤȀ),˩nSGYlF:JW2&|w"ʬtL\;Y%_ U{npf;L9I 25V]UUMUVV: dT'B&>XUI<_ dls2UWzz &VGtȊkro܋3#ԸkJ~hk9_:?HTriR,i=FhU3&Ht/ʪζ:ײeUʹ7nNC2f ︯'wȩU>2*HȏSY*^_XI*DMl| t#jɫ]LZRdc5cط:I6?16&z2#*S#Es҅tJأ^$U˕ɝTʯʀYZũs[Ussȉ[,Z,ef,\cI.͋ȊяyqPʅ# Iuw^/V"'-^5+Ièڛ}vƻ-T]}mwI,BꔵOmE> >EXٚUk)fmjӫ#\[y$l-fDLe12SdZxTĚo*t?=@$5#{U:mߑ֞zJ`ɪ?ۿ!ɪ?ۿ#L)&/7n&/7n *rjrj*+-5GywJ~DTh텛ȿ jMF[E!_gUDD*T j9vG@8G@QP{T{TԌ^BzԂ֠N 'ijoCڣڠ==_Z*L Om&qĹym',YWֆFcQ䯭_F b4)ID[}B IW[Iym',1Jc<x֤_FpP)<Ho@x)*i8/-:_ZuGoR1}zԂ֠N 'iyme%^Rym'崜Ty+C#1Wրm F/OZR1}z @"BO-!RUL O-\S%}hdf1J HiR F/OZ8(P4"o^CA[w3%=3YuzmҚM֖DNU>؟vܖȮљ\{2m7h>eHTF5_%zn]#"gے9<6ҽۍjtxeCUMTݍߑ't,*jOTkʢc#'A[yTv{&ZHΪgj]nxVѺ;tŶ]3NT;wn^)GKnl}JTUK].2G.7=}]<Lyα-mnx7M<5SFEnW3Dveo z?EkWIGtFS:ɬ߿҈c'Yie{*|gUQ5SM*pVh>7 h52]ub;ϴb:# R:Q٫CvTTN"Mtϯ&G >Ǥ,~dE{p%̻9O7/?ҺZ詥TXzx6_uV8JkU} ].msW)\R*neԚ hꪝY")ȉɅi# t*  f,2~[ꑚXRMd=<DD3ݾQ((G'n5݊qSoCQ-%t=ܮޛ0W]Lh[G{[5ܑQȊj;++13{MbO-z3toM^t^ t ҷ__0ȕ '8qKxւj,K&k9W2{~H UiEp'<BڊDjnquW:/,6{?]Y0NϤbdՓI0N܍rWUwʋ4~:Ӵ[ϗѣJ*26Js5:3$rxj-k%O#]Gk]oD1]_d_ W%lFU0D߅Eߕǰbd,7Y4QWEv+vj hniE-JYPW6]d7cJ12zt&~$[!I-Eμ2NJ;Em>$uV˓%;v0MJO-$$"%^JNi8e1WֆFcQ䯭_F b44+߃^UR_%tCj=U\hǃ{-Φt^nOMbk[Mޮu0x$*,QX^Ũxp̯3UETz{ \5;fOmPc'ug.wh-\e"z*kkg=Fm=]-S~{@ܝoǕn iHV-GY<Ԧ<Ѿ MU] I4vj׹[jas5ãqoz%к )MΞ&#sw{OCDx:HUX6E*NP.[4o\$Y*h`jxMY^Lat *K<7jSO[uv7+s&ǠS3t}ܣaυ26T@0tBMwY-LG$q#[v:SL+<>}&ҋw벚TFGJ"݃Ĵ%6^.ԗ]{5ڙ&S깫T07 ˡzQ]UuݫhK*a0&Q?=< L<n®v:;]L,جEMeEUEj*¢MtQdT0Zi:MQ^g E14EE;U_lW=]5#G)좢/̩=~ _H*!|5{ʨEߕ=.2c^ R٠S6_u֒ez*V7_x<e/Y9.osekʶ(r;u\a ] h tٵ[1z-^H,wʛ-h:EHɑ8e܆wS:|vOQ];vs'in7J6W:)gmESɵy1z).eOE)ȑ핈7c)% Rym!'i)*&RU'p.^[I )J+=eTHՒ&S)gf5( <=E_F b4Yv:鑕UwS@?;40"ʕXdbe9_iћI_S 5T>vj i헛 woEY<^(ܫ[3v9[OG6ZcyUeTԋQ+uIk'm 7kETkbmYؗQW oOdXlJ"\FIpclm<4l$UUn9c}h,]E zWɤF:y6q®=ȦFQ1VtedR]fp= ֙RPSdčsըVrwo߳aS_YF~֑X*ɏavhW&$v8vZ^;yyUZWTXvZLqᜋ%ޖ`*MQ<Me\]Y槧szQN2SY3Ej*z*7greDH*IJֵWNU]TTUS ,mqbzV,TD6$Dk\RVA]JʚiH_W"..:}Fn{맰SM;*-:еcf1v/TqKLګF*G*"*t.0,Dy̳Y::'sEZ&xyn34KuھFZ)tk#Mewv1eIY"i#+"L"?iƌϓюJ%Uƺkk|E]c&MibA^2L|UINK]'DpD\^MK-PM,PƴQr80N%nlh;YT޻.Py7Zz6M:/(լYjQ[#ةT]wAmG̲1>G;IM,7mʾ]z-r12nQr F_2*un,$˄zrz&Q**𑫙߁dX{ɜ*gy1KBRjh*t~kU*byjPQS3 I5B+W]b z`<u:;er"Q8'J&-6H^ZS>YԵOuVO0YnAi-cX/(Xe12FSb T[eHI&zI*Ԫ9s.tu+{[S#Zj95knERVGWDtLI"OodH*p,()mvjQʹ\+ަςnGI\.V,ەWmE֚ QK5Z"vaj**tnLij(Fਭ{I"*"=ZYF^ lTV>9 jcSQY.Vit}dI3׸0W*Ha\+)*)Q&LnqЉ N&fu"HQ,Hʋ\PYn݁ilQxdvJ- MKF97kn3ۮLcZxTד[ 즲pz<^djW=pU^=()2~ʩ[1SVSY2z84 \:IMj;ai_M sX5eUD^^fGZVZ%{]Er&]<EGF٤c⩉6E#kr" ɯB5Hƹ*K#XΔTB*,]@ɤujqKX6}f5jc$ UʋzaSEz] j Q~/O){h*7M%J*gtQr#܉\thr=Tʇ6WJ؛r&pa"nV-SZñcEI1&<5X_](#*$sc]7ht>`t; chp[E%C]=\1#ԲdL"jTQmt/(΅͕9"IUVyEU-IL&XںޘT˳K҄ՔTA#eUlMʉ=Ug: ܐI]; GaO#Q8knUL#K LQpޙM,]kUW&O/Y*+/STTSRi51EEEejRY}X䧧iQfXѭVefdXpa[GS&ZL/M57zJJY䒭l^.VUz7- ET1&9p˜!qZb<k}Du;5fFEUq\DY)Q+ԑW@rkyTE8/q u&;SdI,ɚ#uj?UX:E3I3-t 6mNf|9DϿ;zZdmlKJ<lHb=Qӄc'WRCjۍ)V)Jr5"gQJWiW.TOsJ\3Քw,n@$EhT*PnE%XeT{rrn-U)V?6('GƈUx3,]@4^&d%r15ќC,;Ύx%W@ըVlDTs<s z04M`KvH$ ݶv9];&*4J_WM".wFʄ\.tB(]iOGjj5Qs.<YRmjrNUDM]tuu EμQFrzj29FZѕQeg"zhGMOnLW4!r"6 %;QW*&w%Yj-MVyZ6ezLE]ʎ %ۥIiuUd8QUW9x""oU^ߤukGY L+޶cOe-_Uծꛘb^%*hVĻGb]-<zR[ xݞ4th楚\ؠUo&@Zzz)ZEGM<nIpVsz$U0K,+$8IeYgp"UP)<Ho@x)*i8/-ƻ߳ƽ;5O% b4#ѧ@iSkS#|I\T+1,cbjZ A*`V4jUL9zd|5.$rJw,n%dL=z:HCGMM<QBFɸ⨉#$#}HVL:ȫbȈ14ls)ia4j/)tns (Ѫ^#rJY ]d×S{fʠڻ(mYq !g$J)&E4Q,U4kŒ5Ri%$Eb*Q\Ue$٬Gj&q׎ xZ+bDDzSDL&zQTC3RS~CU"h+ijZQZDv cv՘]d]`L66#kZDD"ڭU fH'Pe4죨aWQE\&}EB %I"52+ k+eXز1jex)$4"Q,cָh32&X'|.Mu kvhWN [h 5uuEC*tYkkL5Wd12FͪU_ʝY,(/S"$TI#*[=%C]x rz9G*V kAF괫ZX8LŌ]O6:Hj*<ph-fjUlLq8u [JKL0B&V$5ĊiWH剙1"꧎7TOIO p<x!4T2JY3"#N*[AtIuvݒ&kgv=WGO;熒##F޵DV#6F5؅:jM^SQ:ˆ2coWSRS&ST13cDDEUrMЌ2WFő׫S-/A/$I'g"*UNs2\/Ԗj82ȋ&2 Ȭ1,cbjZ QGC"9HڎwQ2MOYMTl3#嵏G+Wӎ:Y|TY屲"vSKq1rƵ7SG%-,0#.HFׂޒ⯡}Ms"FH殴sp]n *֛,]5qמX],ߥij$I]LLH\UxeSO:)4Ē+%x>7#}I=m-3!ĒDj՞ EK%*RScd"2%qMDv:: (,&Wi"7w^ױ2Tb}<H#TsjeJJBv[Dq'ë#~Z'(m;`t-\7F_Bc%Pډi fy2>6ULI[K*abGH<T:Ydqj'@G5ZEEL*/IB[^ iJOQ髎 i IQUHEjTOXdTPUت)6,4r'5+*"qtzDB餩5ڮ{Dj/RX hgJy#|hLpܻ6F6Fh&u]3bl#zeWvw)#4LlN}e;RoU߿4TFUS;rESC$-#|hLpܻ-ᮤljagHb8"lQ1Z"z /O ethOR$bmUP\kj6DWcKi]h%n UD=^oI3ɑRn#QCIVZhfV.ZF_FxW&-oλQPӹKe]R#E)$Rsth*CT6(cdqsXƣQ=HBFעedIUf2u&w(eH䦅5Ѣ׭SI$826Q=ZS]Qq,zXzsF EUblOZ 4c%"j'ѿ=V$5VSqYec#QQU2WYgWy3Y5NQ1׿vz:QCIWcf7l=HdC-4/VѢ,h3C+|5NkddTD\{K)UQQ JRGuў K%jTKIf5dtMW7ԸFIQK t^ur5TDDʪ]I"H#"./^":f,Jxe#Tb&x㨫$l7G#902J8j Y)"N/c[BX&EUj^Z:VU8*'F fʱdj+QEJ:ZyUG>8.Y\:I(g H+ivF'W~2N|к)\,hrJIPG!e,-G5TDR"CL$lITʢtdٹ}ڒz=+FqTBʪhgj.QƎD_h)榆H[FLpܻ PANlWzGA+*f:OMmvpe4jũeb$hUg mS@%R7j/^1I3e iEHz̆8265^VYz׭IVjR`gFꤪDAAGK+姥)8ѪZo.@&ƽL9L zKu9( Gy[(ѹ[H`tM]fcEj/c }: >JUNЈ[}HID  J xI崜 pc^O ƽ;5G% b4#ѧ@ g= JVUES܎k}gm9+䬪B15{S(ѸݜZR55CfdsvT (_QW((ۭOMRV>Hɘ½p[<KQAE'f+Z]m۷LrJFcno{fRl&p^[bg+u^D4rޯq.h6{867^[G%:4)"ci ^!ACOmVs^YFWީFDGTĬnc&]J47:Z4J{)fcgb*FTv˓rWB()KTmL3VEݞ8,nk-t<6bWYN S2.[έl #t_~vh+k5DM~M!W1QU0 uP6%~mUM]j;KFoK3ZԤ|0UXernxfVJ}?ITQ#δqk% i("zi;kRTi=]'W=81"o_684LާiE%p› J++*Pңz]g6r&].Wˤ0ci,Ja3[[k5.H\Gg0o,״)%F$6xRU] 95 wAdVYOS;+JK,1"wn8k"z80.L4c(otSimu1ɺDn}9So[\ˣg2O3V%kj'EJ=`\͡lkBZUW1W.\JVMi{M;ᴥ$t9й5|fwǭ ``],:(yMҢA+ٺ UtEʳ* u֪kGƥ"%~zՍq[y`]lЭZ"ҤfMfmWk~zpg45-آ+YLcW-I",Ez=tk]VMQ﫫 ƞPTUT|1nU$L 2=],-Vj.t4)7H鞝L*7T:{dtX\m}=f1ϨC+i)讨%n6j3Mc> SMQ[JlmtG+230."=}Hdi"^.z7a- 68tS\T߽QOGȺ[楳B){ZhE\5g[J"T_24s$NoTN0.=dJ<EUϓ䪦JIԎmEJ*5UUuOY[i-:SOJȪ]35rvq~nzW.2Zlī&{uq=``]1`t)JSGU:b95?5iҫ{vE;HV3[U5QwyI=`]f_`YaZSΎ(^IzU}O?FcW_$5YOv8'vZ[eG#vW.\ޢKC;ݤ$uS#EU|HcZ{UGhm*jTa<dLNh>${٬Mf.􋭚~E5r>O|ns=yulIlUuDz֖7HMDU^pgmv{MSSku|sܼ\U/EvyUk6UHԥTܹ5Zno-.couKMSĐ:k7WF**ax0.P d/Y^%MiXz)lԬu<ʐȊu㦢eerXlA@"HD)+M5--B2\t6˪]UbDL=7!tţ)/&{yڲ#YUħJ:{W$$I#f*rcEJ5j] V.")ID[}B IW[Iym',5$~߁kIpÿTx*[ʀ F/OZR1}z @"BO-!RUL O-\S`\?pf5$~߁<Pq-e@#ѧH)=j Rym!'i)*&RU'p.^[I ){I?.wl3`\?p(J2֤_FpP$I%7z9LS *G2}VDcB`$̟U̟U8L[ [$̟U̟U8L[ [$̟U̟U8L[ [$̟U̟U8L[ [$̟U̟U #JPyң(kj*udCIJI>~!>~"p'I>~!>~"p'I>~!>~"p'I>~!>~"p'I>~!>~"pvu*nT&)G*k\EU̟U,?QT 3'o3'oN2}VC2}VD 3'o3'oN2}VC2}VD 3'o3'oN2}VC2}VD 3'o3'oN2}VC2}VD 3'o3'oNʪ*aS_R@'iyme%^Rym'崜״~1i' QÅo*)=jAHiP' %7z%7zFRm!0&m=<9[뎤L474wi =rZIĉ[*UT7lо'X\L:ސCjZhST"bQr䰒>:]~j% IO#]ݭzx`.\^긙,Ԓ5r*&& Av)E8`F.߫T6֍V9|mr8^R,36j65Sռv7Gm4k*ѹOy=F:K.*Z z^i.zg- ER6W+ڸzq'cM#k3(. =CuWYr*l=u*3uT/תm:AK}@ȭVۓ3:=i[%$L#J0JJp} {NOoTj˕I'WTT5]"gr""eTff}}ɥZRZV8.K5ʲ %m1Ӿ5#6k7.}6\$*S5n[U mtk"b(&1ȨUx_ ӾLUG[En/NF声UɴϑD܏TOQ=*%)[ʸEusZmMfek}#%rW꫕W gyB.J!'Hή87 wQ;fVPݯѺ -B*u`QJ!QCWNhfb=֊jt{&Sl#QۓІg6gkO3Yzq%bJ?.OYUJQrzʪ(J( \[n}[t%Ke7M}TLe7WHjzJuV,Uό;niJ6Ҕ"CΑsr)*1Pw/ذۣcܪj** vcQEucfVHu*2poOUASOS@I_l=Q7n_m5*cڌNzzf[Ύ5|ԱW\#dYtq5rrg/7V׵N-kx䲷i_/c5hF۔t~u:P (մs5Ž ESzQRQϨDL50pNu3碷ѿm]p:UjQ^BqRm6i^5/C>J5Uwdh5%e%Cį]IUG"s%M\SZU(HƪZN{ي d2%,Mj/UwA6M/'u L,DUT{`$(}HU)ԅP)ID[}B IW[Iym',5$~߁kI?pÿTx*[ʀ F/OZR1}z @I~ޢrLBba72G"uTv*eQڸ Zl;W Gj.i\6UʣpTv*eQڸ Zl;W Gj.i\6UʣpTv*vSG*;D&]{ldE]I^%Tv*eQڸ Zl;W Gj.i\6UʣpTv*eQڸ Zl;W Gj.i\6UʣpTv*vS~\QT(o$/W1&ʣp`Tv*]eQڸl;Wv MGjᲨ\-6Uʣp`Tv*]eQڸl;Wv MGjᲨ\-6Uʣp`Tv#p BJ(ՙUUU^*JO-$$"%^JNi8e1)if9z;NLƹ GhɪEz}ň؞ )=jAHiP'Ro <HAIW2)<rNYLkI?pÿa״~BUķ_F b4)ID[}B IW[Iym',5$~߁kIpÿTx*[ʀ F/OZR1}z @ w(FJ{z*)6#O @tObܨ£U!Nn1T߀,sF"{^&ZQSХ:JjtBb2V_04 clKI_-Ev[]KS$QN;Ӽ?I_`qHlWtoݸJ;blHݜmUUE@,nmg#Zd6++uՌG]*gdTDW9\&&d K"ZW~sYf[k]Y%gbFđkWkHtj{qiUusVs)_ KdvՓz;(c~Q1FhT6g${$ݔN.Vhf²1%r+ӂsG.j8%PI3s0_EwuF%YuSEb@vOSTk$V#.S(T)T7h4rwRUҬMV="#W~1q]%jPU٢GƯUXdǤ+kMJoQrtm^ qŪkn̮Y 4bug(v ^ԗQxxcML葭Dsu#Tߔ&"}V-ŜfTLJ~JbUNJ9N9.~}¶7VlkQF=7W@uO}w ڊ8g VM$JDMU,]*S*"k:sh:ū4YF[D]œg%3i)$&,=ʸUEL"&:ajQszb$baV9[dYsK5O3Ӓ[6Enu^b0-SV,b=cόU.:9>?kT1G_sx%%r/ D.䩂IX%ͪWa2!-%e5}3j)&dйU\pC_S_rc%DUXMltdrhAVdM<q7YQ+QLa=+bVJ⪕+RX۪ލdGuCm^Yc(i6MFUp,]H\ԷhG%M#bHFN(0$ٯUF6XcbfS~qo@^eܯ\t&݅G/e]\&厕& گta7mRS=<uj|mX̦S% i<M1qEj*2JG]&RXI 2Sj'DpvPem4Ѳv:&j/Tb/51PвTZY.X]djE*\inyi)uZ\c=x,]M_㞪eKJvë:pn-\1īw*.\n5KYJsb5UQ7IjLŲ~MWgG5QS(:inD$RH{5E9<WSVݽ/8z9N+BcksTਦKx-Ԑ'{ظB[k2OpB5jǬMΝG]\ ;]F1{ֱW9W4[zܨU,jH¢,kq%k5j}kk%#xY޵MCnnLSM/k؏cre(D7*HEl妧IZ'qDD5PR#Inݜ/Yvmޟ^SN$Y]*K:fFr24We9%],k :;$IRIrrL1~^ofm'VnVҲΩJG/\.7:[=%;:M`c(*S׽2ɹ=IDy˥]]SOxZ?~ms{"BO-!RUL O-\S`\?pf5$~߁<Pq-e@#ѧH)=j@LkW&E'}t*a 4ba\tĒ71M Dmy둰Y9X^4 Yi$7+p.]eY~IC5~jR\#ZpcrD\=QuT^e[(Ӷ:vkET0nлCs֑'rBGb֊';˧Ji>*ƙݏj(z(=m%Wj&7ctP ,RqF+'BjL{ e&Zi*i_;ظj/gK5Ի>\XVi!ۻg#󜹼/_oGU2&*/B@-JMR,٧hV Q*ȯb.HZnIlҹXItZ KCE Ȫ!d˱UX#g:8Uxw DpV6LdfAvɏw.ZD[bVYթ6 Ym8jwKb֭Bujͷ,m3mN6BoPGTt2&prЦ:E*{41xsds:3`-TT()"H5Z5VCN_$;|L'U[UmfD&l FsY.D⢫EmSE2򈦊!r1:2p 2om `XZG/"zrJ赶J*jdd3eUlW*w灚lrjF+Yr=UWz,:zJVŭLV=u+_ +CDNmgHSj/-lzGoi%E3Qڛg:&ɍkWvMh`+UEd]YdIe"ngRjU<:m񷍓95͂\1ب&J k&nQVm7>$ElSw$*6f*C0E"TTUUU*TX*xv&3\5&D KfΎIh-Dzk/otE`GM;bkUx.TPC\N^%8m\. f*'kZg' I6 5(T㿠U,G^HlIЭ\/ArcGN"L߻Oj&g(U9[ KM5mMTF7]U*Ъ_S<4tTxiƥ{،c2$oS8S3i[ [NcPK SE35DwXm(Ue<h*.1axTXZd2qdygcJa4fSW$I+“9#ҭ/]n8_mkpUJƆwc'iyme%^Rym'崜״~1i' QÅo*)=jAHiP'Ro <HAIW2)<rNYLkIpÿa^iYkc5b*ER6)=jAHiP'Ro <HAIW2)<rNYL`tyiIcc*pg5$~߁|PpTR1}zԂ=j@P)<Ho@%^%^Rym'崜״~1i' QÅo*&ʏW+QxQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhyj6M"5:9d~00ATHdM_*+kCfYZNR"4j>R˥:Z&Yb EU& ׵"tu*JU](Q\Qz;0״~)' QÅo*RG(=0W+± :ɹ_./OO߹= Ҧ~_֯F}BmW>}.r<s+sTU2wl(nw{ˏT8| =Eߘ/lz47`=S:~ot#dI\;gSٽwGN4&;zJh7-E^ʸi]աJ6&JקL/Ӛu<t|ڪ)%S;3)O v<Uq-e@*^QU[D`1q=*hh5uW?zLGZit᏶V=f.2F@LlQh5<s4kw I=bqs*m"**z{rcu#ÿG?]2i2V]׭O~c8zџ;3`~*<PUq,O?z;˯xsl1|ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝueᏼSw}_YtcAF:٧v00,QѨL)^`K=֢uJDڼޖ{^hhc91-_I~ϫGcﳺԣnyټ[+,Kk#: >&t7l"{YZHj7꧸O?J&b"/y}b uLk]^|槱 =)DDDL"k5b\¡^zʚeD"GUro5njҎubjvmjEbY"FjQq,Kf}D[«WX+^y'3ꩉ"O<bO{5XU?_ ;Ņ½C= 45̒\fW xV3]'h/5͐!f\,5ucsػrt0cSNJf>R5M3zgm-ULk.Qn"kƾކމS*'s./~T1MZbDK߫4G-ڝU?&FI,:]ܦdpjʻ?~=#-jI4WI{*U$& }v*-֒8گ{kZ⪫ݢJ;L8;nE=2D @ jo7
JFIFHHC    $.' ",#(7),01444'9=82<.342C  2!!22222222222222222222222222222222222222222222222222"Q  !1AQS"2Uaq3RV6st#57BTr$Db4ECcu21!2AQRSaq"3B ?Re>G֦SyJ q]ig4{gg9h@[*6:5z?2Şjʙ(@(P텟ȿ :}!'XY IHcpkS*סE 訶iRVѿQqjr9jNTE{SAAJQ?󑴺wtrmδh+މ=jEVk9[Ǣ"]TK~Ҧ8a UWЊzb)VKΦ{/ŻUlOOGS+k[#bvU޻pi5tɣ{ZNtz@A-Ze{UUUsCG=EiNDuގf9&eߤ֧JiӢz<ϲu妦TojnBhi[WOϊ^Nmsjrrt̹ܭ\3srL2fWHR%Tª*zsKO#u2HE"p[5@llNǣ`I;ZcYrE g5)=% T|Gr'9<*nw0xbe9lSE9`{i@=ȍL?)"@6: э0~w*5z0J[s*_TkrT gu)-KzH*]GQ5:=eZu,]8pc″]DDUU܈ICIi} YI }4[kCR-VZ]UM_ZyVZV7**aPH^j#}&< @)? 722'cf2/BO G,`'J. @ΏzfLF65jU3SkWSB0~"EM̠ZY<VH\Tв&J/B=Jf-/U{OvnR1#~uwc ~M>uΒTʯFbcNetկ̏Ub9t7*lq- '*9%ֶ%Sf3\W"+s%Unjnu ۻ똕2o^]Jb#|n"][yD^"=D j] Y[#Q]D}⾚ [gWr*<p)nq,pNf"; ֙ॐ ,cDr*]+ak*bEr"zK0L_P#XpPڹO R8ߴj'C uM~ƶ?T) eOd_̆%Lٿrƀ "LYĩ? 72ZXX tUW RSQ;bBѾTztY]+Tތke}5M9M6 S)w6irh g.PmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VͶ};ZPmoiߓuɵKM>VtšK.ףUF#USMq"pE zk%Hh.tѶ7L#O֨Pn&1i*)*@ Th텛ȿ Jm!%ݍs㗎7?73_|t?=B}.ZxyL)*@ Th텛ȿ Jm!%ݍs㗎7?73_|t?=B}.ZxyL)*@ Th텛ȿ Jm!%ݍs㗎7?73_|t?=B}.ZxyL)*@ Th텛ȿ Jm!%ݍs㗎7?73_|VLݢhwTչuU<gr"e7U]c>}ޞmk*R*ugkr{P5]9MjpFkS2Wa\[E\%^Rm*FYxxt)-m(٤K:U_ _`}]]DPS5,Dj'5w W% Z.l+34{4_H-7QN]sڪ.B i&i̷.4"*|3rw0cmj䢢QPc¹z<Ib0-hⱷ{5#ޙkS +4 mH-:AL*j_JqBEfS5,xזEܮ kU~tN`Jx$i=fzZ&CQvע[מpjFkADQ5gVqC Uf'2L{E( UI,:h.w)e\Bzw Ai t*h[-0A)5#ouU ]W7_8^T pi>ꖫBSnx,+z=WY] ߢZ*J;lbվUTTb$uR&=D !ܭ\)fQ ~N9U1^J\*[]V_Ԋ/ t?=B}.ZxyL)*@ Th텛ȿ Jm!%ݍs㗎7?73_| @+̃~sܭGqTIWiZ}jGDMƢ&Q9tm~3I^u0#Q1.U0|4WΎzjm=؋k1wC[n%FF|#uUEǴjwŢRGCuDpԺ<F^IU79Z+"Efɞܷ.W^&Ѧ-K;=㕩q1^%}|s)G_-WuWQx+t5QENw"*}U!Am-;H"lKu>Ϥ7 Sڮ%hW:9]W*9UWz"*q-yKK%ZMVu"3Y1*+l(){ЪSDV4~1׹Wdu-Ϟƚ$VETnUI<qke)6jrU^ Ov&P3FvGM;u%*#6j#S>2TEeʾ[Fe8z@]P_n03HtVSEU܊ 2b w`޴d)4DQ=b$]}l7nu7GZ۵QߟIw:w[M%WDUlѣQBQNcied,F5^g*"c**yo7aSrނ:[2̪ .p]ޒCUD`<a=k43RηٹN诃CqC^ɩղJ#TL51tW[i|,WU*SEި&{kHʚK]S@U;|~uWr`cJhsY=U*'5T2%iUTq{ Ff4kmuDSS*#v3rJ[Ri5 iWu6u+u^*K])eT<t[U[6V臅-~mj$iRmF:6 l fQ#խr\#w5At+tI.R*bEP]r=L½4O4itmOOϵVX`;Q٣5Q2ҿqaD/w E4R+[Q1="Z}^rWM)dUD_bϖB-U,)k!׸eFJ; e}7FڮnSESiCem }]Ur2jsb;_v%2Pִ5r6ܶs$N^-^ݻyS­#lZVht9eFj1E^l5~ *`-tmi*&W_MV>Yik!،VF.LEEo 6kѣ;%5N|S7Q$TF=z!#8o-][^sU8c{ow-ifGm{:ީYiⷡS bG}ڊ+=IhaQQO{SUWڞc.ZK$uN<rn!--t )cIi>Wk9UU.:'({_]OCPRT? 722'af2/BKQ+>g/Coof4o'({_]OCPRT? 722'af2/BKQ+>g/Coof4oR>^VIJ"grnecU:0:'*I"Us $dG>^Ʋ$ֹ{*ޮsU1Vq,\&SV9G5vt.}-`ZFU.LҶҹ k5rYzpN"6ujyF-lzJlZre8(ݫUt$FErnL^CDjPM\y:>֦U-ӗC\>z1:q7iK#dDȵ꣜oF;UlqE۫z -3Tջd.bGȊ e] R:ºșvTs^+jib}%#=Q<KuiU^vS%9^1C^*$rV2eNR:<X՛= ^t)23Y.5\ZTAScz5U2-R;i4H'W7;z$ϒgOQ;S\a݈5̔#"{^3&S+*~KgsOST%گxIc|2Vlel ow(;UY[CMTOzTFj"MI׹rRR(ܭ]ꎑQ2]۱bWKP!tjD+ z,ϒ)K4i9rVFP:ySMάGz2bS{EN)5*ka>杕\v jv._UT,2ӹUSYTT òZJh*Ȩ&(ެ'Ymʮ{C S>I^"tiGP){ޮuMoJzʊl1ZU1A,ȩK"lm35pTǣP4JUUcYq3 o:Kk48ܔY$IU] e9JzCM$+H\Fx"v;wmUF8ʪ7+TMO"R+aYi;.RSH5G7U(,Q==DU&fȑN7AB,O*RҷKN-_N"y1c(ߘ]xעe Yj{е##FzzwKtuU|HX[ 1K<t}Ċ:IQWѻMxܴbDݳ,TLT-T.IfRL9⻺2S!]IQSX**5ѣ^EW]r|vĔYgvr ^=dE$51ƔGY_"*O̸meA +&uI6ieSW&3K\%FT#lcYwIZ`[>g"kgvqJ]!Qs#njQU:ׁ۫</o&4ѣSvp<Q-kFlʫ Z&K##lN ~WҊ a.ښeeKr\7ކZomz W*c*t'[5>DV"1?9/N=-}cn XH Qqsӽ k_ Q>gFҹQj.:7KḓJũq4cZq+-1m5T Tbi"c>(HΖ9R5 EDʹ]PTYӥE2ZXdUbx+W OoM5ΒIn2pޙdi{}U5UkuBcYQXo棲w_#R\Ƶ]VzLt7H5 sE_kS8[,TlmdjxFj/h*$Hb0gѕʅB+jO]-,MFzG.ޒK*MWRv7(21!}sC @D]˔EwJ"Tf*jdYQˌswwW[Qx(!H)՛I]d:.orv"nՖw*F&wu)M[WR+XcWU0+**R5bUkG A`.YesS ]%5ⲎQUYP<mlaUx5?NH2,WM Įu[rM MhSk]ՕJIJi5z p}\I$|TDpN+QQ#䩬۹ȈlhƷӎ]w֭]bJ93=qʙP,SP,&#W$nfykx螌\U:POdZg%lL*.蒑NG,1n݃]<9Ԥ.E_vj+/wѿ.cXUDNZ+dMJJXWMȊL}ŌZ:[⧎4:hsQUz:wnuMYt F5E"Tµ~E.*"\g-k-W]U.i{uM5Ek|ʋѨaS t3ojyHrG\ϧ2zͱȒ:Fk#_%3T/#I%=;R*VpjK-U<U]7'Ư'Ku BdLk?ԨgAB6娚Ƞ Kxt?:_`AHRJ[Dl,EbTh텛ȿ -G,hPmGuqtN Kxt?:_`AHRJ[Dl,EbTh텛ȿ -G,hPmGuqtN_ jո#'_Fy~9?3ϛOПXzFO=Fy~9?1~r~c ~c:>,{~r~cǾu?B}aY<5)|~в2y5kS ddk?'0=B翨?'?Q_OaO{S'Q_O~_ŸΧO= #'_Fy~9?1?1OПXzFO=Fy~9?1~r~c ~c:>,{~r~cǾu?B}aY<5)|~в2y5kS d6!Wds&E8>G"DGwԉܢiepZri{_ri{_L+Zri{_ri{_@&ri{_ Zri{_ri{_@&ri{_@&ri{_@&ri{_@&G&@&G&@&G&@&G&@&G&@&G&@D+.M/kv NM/kzv NM/kzv NM/kzv NM/k`zM/k`zM/k`zM/k``````4pH&Q:7r'({_]OCPRT? 722'af2/BKQ + `ɪ?ۿ!ɪ?ۿ )&/7n&/7n *rjrj `ɪ?ۿ!ɪ?ۿ )Coos&/7n:3knra~+O9x$d9r(VIP۔(J]Tj*'awu0%REViFuSИLYNfp&L f.J׶I*Q碵#zol{|vU= ۦ|ҥK$FpRd<Z:n<UMeF*&T>J>IZ,ʙe86ӹj3*j.qݿwAXf*TjQSLtDC2%CьkejrOB,ģ8j,y;T }g$~U19$M ;,.Q#j.U2 @r|,jQ2UoǤȀ),˩nSGYlF:JW2&|w"ʬtL\;Y%_ U{npf;L9I 25V]UUMUVV: dT'B&>XUI<_ dls2UWzz &VGtȊkro܋3#ԸkJ~hk9_:?HTriR,i=FhU3&Ht/ʪζ:ײeUʹ7nNC2f ︯'wȩU>2*HȏSY*^_XI*DMl| t#jɫ]LZRdc5cط:I6?16&z2#*S#Es҅tJأ^$U˕ɝTʯʀYZũs[Ussȉ[,Z,ef,\cI.͋ȊяyqPʅ# Iuw^/V"'-^5+Ièڛ}vƻ-T]}mwI,BꔵOmE> >EXٚUk)fmjӫ#\[y$l-fDLe12SdZxTĚo*t?=@$5#{U:mߑ֞zJ`ɪ?ۿ!ɪ?ۿ#L)&/7n&/7n *rjrj*+-5GywJ~DTh텛ȿ jMF[E!_gUDD*T j9vG@8G@QP{T{TԌ^BzԂ֠N 'ijoCڣڠ==_Z*L Om&qĹym',YWֆFcQ䯭_F b4)ID[}B IW[Iym',1Jc<x֤_FpP)<Ho@x)*i8/-:_ZuGoR1}zԂ֠N 'iyme%^Rym'崜Ty+C#1Wրm F/OZR1}z @"BO-!RUL O-\S%}hdf1J HiR F/OZ8(P4"o^CA[w3%=3YuzmҚM֖DNU>؟vܖȮљ\{2m7h>eHTF5_%zn]#"gے9<6ҽۍjtxeCUMTݍߑ't,*jOTkʢc#'A[yTv{&ZHΪgj]nxVѺ;tŶ]3NT;wn^)GKnl}JTUK].2G.7=}]<Lyα-mnx7M<5SFEnW3Dveo z?EkWIGtFS:ɬ߿҈c'Yie{*|gUQ5SM*pVh>7 h52]ub;ϴb:# R:Q٫CvTTN"Mtϯ&G >Ǥ,~dE{p%̻9O7/?ҺZ詥TXzx6_uV8JkU} ].msW)\R*neԚ hꪝY")ȉɅi# t*  f,2~[ꑚXRMd=<DD3ݾQ((G'n5݊qSoCQ-%t=ܮޛ0W]Lh[G{[5ܑQȊj;++13{MbO-z3toM^t^ t ҷ__0ȕ '8qKxւj,K&k9W2{~H UiEp'<BڊDjnquW:/,6{?]Y0NϤbdՓI0N܍rWUwʋ4~:Ӵ[ϗѣJ*26Js5:3$rxj-k%O#]Gk]oD1]_d_ W%lFU0D߅Eߕǰbd,7Y4QWEv+vj hniE-JYPW6]d7cJ12zt&~$[!I-Eμ2NJ;Em>$uV˓%;v0MJO-$$"%^JNi8e1WֆFcQ䯭_F b44+߃^UR_%tCj=U\hǃ{-Φt^nOMbk[Mޮu0x$*,QX^Ũxp̯3UETz{ \5;fOmPc'ug.wh-\e"z*kkg=Fm=]-S~{@ܝoǕn iHV-GY<Ԧ<Ѿ MU] I4vj׹[jas5ãqoz%к )MΞ&#sw{OCDx:HUX6E*NP.[4o\$Y*h`jxMY^Lat *K<7jSO[uv7+s&ǠS3t}ܣaυ26T@0tBMwY-LG$q#[v:SL+<>}&ҋw벚TFGJ"݃Ĵ%6^.ԗ]{5ڙ&S깫T07 ˡzQ]UuݫhK*a0&Q?=< L<n®v:;]L,جEMeEUEj*¢MtQdT0Zi:MQ^g E14EE;U_lW=]5#G)좢/̩=~ _H*!|5{ʨEߕ=.2c^ R٠S6_u֒ez*V7_x<e/Y9.osekʶ(r;u\a ] h tٵ[1z-^H,wʛ-h:EHɑ8e܆wS:|vOQ];vs'in7J6W:)gmESɵy1z).eOE)ȑ핈7c)% Rym!'i)*&RU'p.^[I )J+=eTHՒ&S)gf5( <=E_F b4Yv:鑕UwS@?;40"ʕXdbe9_iћI_S 5T>vj i헛 woEY<^(ܫ[3v9[OG6ZcyUeTԋQ+uIk'm 7kETkbmYؗQW oOdXlJ"\FIpclm<4l$UUn9c}h,]E zWɤF:y6q®=ȦFQ1VtedR]fp= ֙RPSdčsըVrwo߳aS_YF~֑X*ɏavhW&$v8vZ^;yyUZWTXvZLqᜋ%ޖ`*MQ<Me\]Y槧szQN2SY3Ej*z*7greDH*IJֵWNU]TTUS ,mqbzV,TD6$Dk\RVA]JʚiH_W"..:}Fn{맰SM;*-:еcf1v/TqKLګF*G*"*t.0,Dy̳Y::'sEZ&xyn34KuھFZ)tk#Mewv1eIY"i#+"L"?iƌϓюJ%Uƺkk|E]c&MibA^2L|UINK]'DpD\^MK-PM,PƴQr80N%nlh;YT޻.Py7Zz6M:/(լYjQ[#ةT]wAmG̲1>G;IM,7mʾ]z-r12nQr F_2*un,$˄zrz&Q**𑫙߁dX{ɜ*gy1KBRjh*t~kU*byjPQS3 I5B+W]b z`<u:;er"Q8'J&-6H^ZS>YԵOuVO0YnAi-cX/(Xe12FSb T[eHI&zI*Ԫ9s.tu+{[S#Zj95knERVGWDtLI"OodH*p,()mvjQʹ\+ަςnGI\.V,ەWmE֚ QK5Z"vaj**tnLij(Fਭ{I"*"=ZYF^ lTV>9 jcSQY.Vit}dI3׸0W*Ha\+)*)Q&LnqЉ N&fu"HQ,Hʋ\PYn݁ilQxdvJ- MKF97kn3ۮLcZxTד[ 즲pz<^djW=pU^=()2~ʩ[1SVSY2z84 \:IMj;ai_M sX5eUD^^fGZVZ%{]Er&]<EGF٤c⩉6E#kr" ɯB5Hƹ*K#XΔTB*,]@ɤujqKX6}f5jc$ UʋzaSEz] j Q~/O){h*7M%J*gtQr#܉\thr=Tʇ6WJ؛r&pa"nV-SZñcEI1&<5X_](#*$sc]7ht>`t; chp[E%C]=\1#ԲdL"jTQmt/(΅͕9"IUVyEU-IL&XںޘT˳K҄ՔTA#eUlMʉ=Ug: ܐI]; GaO#Q8knUL#K LQpޙM,]kUW&O/Y*+/STTSRi51EEEejRY}X䧧iQfXѭVefdXpa[GS&ZL/M57zJJY䒭l^.VUz7- ET1&9p˜!qZb<k}Du;5fFEUq\DY)Q+ԑW@rkyTE8/q u&;SdI,ɚ#uj?UX:E3I3-t 6mNf|9DϿ;zZdmlKJ<lHb=Qӄc'WRCjۍ)V)Jr5"gQJWiW.TOsJ\3Քw,n@$EhT*PnE%XeT{rrn-U)V?6('GƈUx3,]@4^&d%r15ќC,;Ύx%W@ըVlDTs<s z04M`KvH$ ݶv9];&*4J_WM".wFʄ\.tB(]iOGjj5Qs.<YRmjrNUDM]tuu EμQFrzj29FZѕQeg"zhGMOnLW4!r"6 %;QW*&w%Yj-MVyZ6ezLE]ʎ %ۥIiuUd8QUW9x""oU^ߤukGY L+޶cOe-_Uծꛘb^%*hVĻGb]-<zR[ xݞ4th楚\ؠUo&@Zzz)ZEGM<nIpVsz$U0K,+$8IeYgp"UP)<Ho@x)*i8/-ƻ߳ƽ;5O% b4#ѧ@iSkS#|I\T+1,cbjZ A*`V4jUL9zd|5.$rJw,n%dL=z:HCGMM<QBFɸ⨉#$#}HVL:ȫbȈ14ls)ia4j/)tns (Ѫ^#rJY ]d×S{fʠڻ(mYq !g$J)&E4Q,U4kŒ5Ri%$Eb*Q\Ue$٬Gj&q׎ xZ+bDDzSDL&zQTC3RS~CU"h+ijZQZDv cv՘]d]`L66#kZDD"ڭU fH'Pe4죨aWQE\&}EB %I"52+ k+eXز1jex)$4"Q,cָh32&X'|.Mu kvhWN [h 5uuEC*tYkkL5Wd12FͪU_ʝY,(/S"$TI#*[=%C]x rz9G*V kAF괫ZX8LŌ]O6:Hj*<ph-fjUlLq8u [JKL0B&V$5ĊiWH剙1"꧎7TOIO p<x!4T2JY3"#N*[AtIuvݒ&kgv=WGO;熒##F޵DV#6F5؅:jM^SQ:ˆ2coWSRS&ST13cDDEUrMЌ2WFő׫S-/A/$I'g"*UNs2\/Ԗj82ȋ&2 Ȭ1,cbjZ QGC"9HڎwQ2MOYMTl3#嵏G+Wӎ:Y|TY屲"vSKq1rƵ7SG%-,0#.HFׂޒ⯡}Ms"FH殴sp]n *֛,]5qמX],ߥij$I]LLH\UxeSO:)4Ē+%x>7#}I=m-3!ĒDj՞ EK%*RScd"2%qMDv:: (,&Wi"7w^ױ2Tb}<H#TsjeJJBv[Dq'ë#~Z'(m;`t-\7F_Bc%Pډi fy2>6ULI[K*abGH<T:Ydqj'@G5ZEEL*/IB[^ iJOQ髎 i IQUHEjTOXdTPUت)6,4r'5+*"qtzDB餩5ڮ{Dj/RX hgJy#|hLpܻ6F6Fh&u]3bl#zeWvw)#4LlN}e;RoU߿4TFUS;rESC$-#|hLpܻ-ᮤljagHb8"lQ1Z"z /O ethOR$bmUP\kj6DWcKi]h%n UD=^oI3ɑRn#QCIVZhfV.ZF_FxW&-oλQPӹKe]R#E)$Rsth*CT6(cdqsXƣQ=HBFעedIUf2u&w(eH䦅5Ѣ׭SI$826Q=ZS]Qq,zXzsF EUblOZ 4c%"j'ѿ=V$5VSqYec#QQU2WYgWy3Y5NQ1׿vz:QCIWcf7l=HdC-4/VѢ,h3C+|5NkddTD\{K)UQQ JRGuў K%jTKIf5dtMW7ԸFIQK t^ur5TDDʪ]I"H#"./^":f,Jxe#Tb&x㨫$l7G#902J8j Y)"N/c[BX&EUj^Z:VU8*'F fʱdj+QEJ:ZyUG>8.Y\:I(g H+ivF'W~2N|к)\,hrJIPG!e,-G5TDR"CL$lITʢtdٹ}ڒz=+FqTBʪhgj.QƎD_h)榆H[FLpܻ PANlWzGA+*f:OMmvpe4jũeb$hUg mS@%R7j/^1I3e iEHz̆8265^VYz׭IVjR`gFꤪDAAGK+姥)8ѪZo.@&ƽL9L zKu9( Gy[(ѹ[H`tM]fcEj/c }: >JUNЈ[}HID  J xI崜 pc^O ƽ;5G% b4#ѧ@ g= JVUES܎k}gm9+䬪B15{S(ѸݜZR55CfdsvT (_QW((ۭOMRV>Hɘ½p[<KQAE'f+Z]m۷LrJFcno{fRl&p^[bg+u^D4rޯq.h6{867^[G%:4)"ci ^!ACOmVs^YFWީFDGTĬnc&]J47:Z4J{)fcgb*FTv˓rWB()KTmL3VEݞ8,nk-t<6bWYN S2.[έl #t_~vh+k5DM~M!W1QU0 uP6%~mUM]j;KFoK3ZԤ|0UXernxfVJ}?ITQ#δqk% i("zi;kRTi=]'W=81"o_684LާiE%p› J++*Pңz]g6r&].Wˤ0ci,Ja3[[k5.H\Gg0o,״)%F$6xRU] 95 wAdVYOS;+JK,1"wn8k"z80.L4c(otSimu1ɺDn}9So[\ˣg2O3V%kj'EJ=`\͡lkBZUW1W.\JVMi{M;ᴥ$t9й5|fwǭ ``],:(yMҢA+ٺ UtEʳ* u֪kGƥ"%~zՍq[y`]lЭZ"ҤfMfmWk~zpg45-آ+YLcW-I",Ez=tk]VMQ﫫 ƞPTUT|1nU$L 2=],-Vj.t4)7H鞝L*7T:{dtX\m}=f1ϨC+i)讨%n6j3Mc> SMQ[JlmtG+230."=}Hdi"^.z7a- 68tS\T߽QOGȺ[楳B){ZhE\5g[J"T_24s$NoTN0.=dJ<EUϓ䪦JIԎmEJ*5UUuOY[i-:SOJȪ]35rvq~nzW.2Zlī&{uq=``]1`t)JSGU:b95?5iҫ{vE;HV3[U5QwyI=`]f_`YaZSΎ(^IzU}O?FcW_$5YOv8'vZ[eG#vW.\ޢKC;ݤ$uS#EU|HcZ{UGhm*jTa<dLNh>${٬Mf.􋭚~E5r>O|ns=yulIlUuDz֖7HMDU^pgmv{MSSku|sܼ\U/EvyUk6UHԥTܹ5Zno-.couKMSĐ:k7WF**ax0.P d/Y^%MiXz)lԬu<ʐȊu㦢eerXlA@"HD)+M5--B2\t6˪]UbDL=7!tţ)/&{yڲ#YUħJ:{W$$I#f*rcEJ5j] V.")ID[}B IW[Iym',5$~߁kIpÿTx*[ʀ F/OZR1}z @"BO-!RUL O-\S`\?pf5$~߁<Pq-e@#ѧH)=j Rym!'i)*&RU'p.^[I ){I?.wl3`\?p(J2֤_FpP$I%7z9LS *G2}VDcB`$̟U̟U8L[ [$̟U̟U8L[ [$̟U̟U8L[ [$̟U̟U8L[ [$̟U̟U #JPyң(kj*udCIJI>~!>~"p'I>~!>~"p'I>~!>~"p'I>~!>~"p'I>~!>~"pvu*nT&)G*k\EU̟U,?QT 3'o3'oN2}VC2}VD 3'o3'oN2}VC2}VD 3'o3'oN2}VC2}VD 3'o3'oN2}VC2}VD 3'o3'oNʪ*aS_R@'iyme%^Rym'崜״~1i' QÅo*)=jAHiP' %7z%7zFRm!0&m=<9[뎤L474wi =rZIĉ[*UT7lо'X\L:ސCjZhST"bQr䰒>:]~j% IO#]ݭzx`.\^긙,Ԓ5r*&& Av)E8`F.߫T6֍V9|mr8^R,36j65Sռv7Gm4k*ѹOy=F:K.*Z z^i.zg- ER6W+ڸzq'cM#k3(. =CuWYr*l=u*3uT/תm:AK}@ȭVۓ3:=i[%$L#J0JJp} {NOoTj˕I'WTT5]"gr""eTff}}ɥZRZV8.K5ʲ %m1Ӿ5#6k7.}6\$*S5n[U mtk"b(&1ȨUx_ ӾLUG[En/NF声UɴϑD܏TOQ=*%)[ʸEusZmMfek}#%rW꫕W gyB.J!'Hή87 wQ;fVPݯѺ -B*u`QJ!QCWNhfb=֊jt{&Sl#QۓІg6gkO3Yzq%bJ?.OYUJQrzʪ(J( \[n}[t%Ke7M}TLe7WHjzJuV,Uό;niJ6Ҕ"CΑsr)*1Pw/ذۣcܪj** vcQEucfVHu*2poOUASOS@I_l=Q7n_m5*cڌNzzf[Ύ5|ԱW\#dYtq5rrg/7V׵N-kx䲷i_/c5hF۔t~u:P (մs5Ž ESzQRQϨDL50pNu3碷ѿm]p:UjQ^BqRm6i^5/C>J5Uwdh5%e%Cį]IUG"s%M\SZU(HƪZN{ي d2%,Mj/UwA6M/'u L,DUT{`$(}HU)ԅP)ID[}B IW[Iym',5$~߁kI?pÿTx*[ʀ F/OZR1}z @I~ޢrLBba72G"uTv*eQڸ Zl;W Gj.i\6UʣpTv*eQڸ Zl;W Gj.i\6UʣpTv*vSG*;D&]{ldE]I^%Tv*eQڸ Zl;W Gj.i\6UʣpTv*eQڸ Zl;W Gj.i\6UʣpTv*vS~\QT(o$/W1&ʣp`Tv*]eQڸl;Wv MGjᲨ\-6Uʣp`Tv*]eQڸl;Wv MGjᲨ\-6Uʣp`Tv#p BJ(ՙUUU^*JO-$$"%^JNi8e1)if9z;NLƹ GhɪEz}ň؞ )=jAHiP'Ro <HAIW2)<rNYLkI?pÿa״~BUķ_F b4)ID[}B IW[Iym',5$~߁kIpÿTx*[ʀ F/OZR1}z @ w(FJ{z*)6#O @tObܨ£U!Nn1T߀,sF"{^&ZQSХ:JjtBb2V_04 clKI_-Ev[]KS$QN;Ӽ?I_`qHlWtoݸJ;blHݜmUUE@,nmg#Zd6++uՌG]*gdTDW9\&&d K"ZW~sYf[k]Y%gbFđkWkHtj{qiUusVs)_ KdvՓz;(c~Q1FhT6g${$ݔN.Vhf²1%r+ӂsG.j8%PI3s0_EwuF%YuSEb@vOSTk$V#.S(T)T7h4rwRUҬMV="#W~1q]%jPU٢GƯUXdǤ+kMJoQrtm^ qŪkn̮Y 4bug(v ^ԗQxxcML葭Dsu#Tߔ&"}V-ŜfTLJ~JbUNJ9N9.~}¶7VlkQF=7W@uO}w ڊ8g VM$JDMU,]*S*"k:sh:ū4YF[D]œg%3i)$&,=ʸUEL"&:ajQszb$baV9[dYsK5O3Ӓ[6Enu^b0-SV,b=cόU.:9>?kT1G_sx%%r/ D.䩂IX%ͪWa2!-%e5}3j)&dйU\pC_S_rc%DUXMltdrhAVdM<q7YQ+QLa=+bVJ⪕+RX۪ލdGuCm^Yc(i6MFUp,]H\ԷhG%M#bHFN(0$ٯUF6XcbfS~qo@^eܯ\t&݅G/e]\&厕& گta7mRS=<uj|mX̦S% i<M1qEj*2JG]&RXI 2Sj'DpvPem4Ѳv:&j/Tb/51PвTZY.X]djE*\inyi)uZ\c=x,]M_㞪eKJvë:pn-\1īw*.\n5KYJsb5UQ7IjLŲ~MWgG5QS(:inD$RH{5E9<WSVݽ/8z9N+BcksTਦKx-Ԑ'{ظB[k2OpB5jǬMΝG]\ ;]F1{ֱW9W4[zܨU,jH¢,kq%k5j}kk%#xY޵MCnnLSM/k؏cre(D7*HEl妧IZ'qDD5PR#Inݜ/Yvmޟ^SN$Y]*K:fFr24We9%],k :;$IRIrrL1~^ofm'VnVҲΩJG/\.7:[=%;:M`c(*S׽2ɹ=IDy˥]]SOxZ?~ms{"BO-!RUL O-\S`\?pf5$~߁<Pq-e@#ѧH)=j@LkW&E'}t*a 4ba\tĒ71M Dmy둰Y9X^4 Yi$7+p.]eY~IC5~jR\#ZpcrD\=QuT^e[(Ӷ:vkET0nлCs֑'rBGb֊';˧Ji>*ƙݏj(z(=m%Wj&7ctP ,RqF+'BjL{ e&Zi*i_;ظj/gK5Ի>\XVi!ۻg#󜹼/_oGU2&*/B@-JMR,٧hV Q*ȯb.HZnIlҹXItZ KCE Ȫ!d˱UX#g:8Uxw DpV6LdfAvɏw.ZD[bVYթ6 Ym8jwKb֭Bujͷ,m3mN6BoPGTt2&prЦ:E*{41xsds:3`-TT()"H5Z5VCN_$;|L'U[UmfD&l FsY.D⢫EmSE2򈦊!r1:2p 2om `XZG/"zrJ赶J*jdd3eUlW*w灚lrjF+Yr=UWz,:zJVŭLV=u+_ +CDNmgHSj/-lzGoi%E3Qڛg:&ɍkWvMh`+UEd]YdIe"ngRjU<:m񷍓95͂\1ب&J k&nQVm7>$ElSw$*6f*C0E"TTUUU*TX*xv&3\5&D KfΎIh-Dzk/otE`GM;bkUx.TPC\N^%8m\. f*'kZg' I6 5(T㿠U,G^HlIЭ\/ArcGN"L߻Oj&g(U9[ KM5mMTF7]U*Ъ_S<4tTxiƥ{،c2$oS8S3i[ [NcPK SE35DwXm(Ue<h*.1axTXZd2qdygcJa4fSW$I+“9#ҭ/]n8_mkpUJƆwc'iyme%^Rym'崜״~1i' QÅo*)=jAHiP'Ro <HAIW2)<rNYLkIpÿa^iYkc5b*ER6)=jAHiP'Ro <HAIW2)<rNYL`tyiIcc*pg5$~߁|PpTR1}zԂ=j@P)<Ho@%^%^Rym'崜״~1i' QÅo*&ʏW+QxQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhxvM&SE79D]}=zɽ@TvQhyOdޡoP9D]}E7S7lNQhyj6M"5:9d~00ATHdM_*+kCfYZNR"4j>R˥:Z&Yb EU& ׵"tu*JU](Q\Qz;0״~)' QÅo*RG(=0W+± :ɹ_./OO߹= Ҧ~_֯F}BmW>}.r<s+sTU2wl(nw{ˏT8| =Eߘ/lz47`=S:~ot#dI\;gSٽwGN4&;zJh7-E^ʸi]աJ6&JקL/Ӛu<t|ڪ)%S;3)O v<Uq-e@*^QU[D`1q=*hh5uW?zLGZit᏶V=f.2F@LlQh5<s4kw I=bqs*m"**z{rcu#ÿG?]2i2V]׭O~c8zџ;3`~*<PUq,O?z;˯xsl1|ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝގ. } ʝueᏼSw}_YtcAF:٧v00,QѨL)^`K=֢uJDڼޖ{^hhc91-_I~ϫGcﳺԣnyټ[+,Kk#: >&t7l"{YZHj7꧸O?J&b"/y}b uLk]^|槱 =)DDDL"k5b\¡^zʚeD"GUro5njҎubjvmjEbY"FjQq,Kf}D[«WX+^y'3ꩉ"O<bO{5XU?_ ;Ņ½C= 45̒\fW xV3]'h/5͐!f\,5ucsػrt0cSNJf>R5M3zgm-ULk.Qn"kƾކމS*'s./~T1MZbDK߫4G-ڝU?&FI,:]ܦdpjʻ?~=#-jI4WI{*U$& }v*-֒8گ{kZ⪫ݢJ;L8;nE=2D @ jo7
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./docs/content/en/news/0.69.2-relnotes/index.md
--- date: 2020-04-24 title: "Hugo 0.69.2: A couple of Bug Fixes" description: "This version fixes a couple of bugs introduced in 0.69.0." categories: ["Releases"] images: - images/blog/hugo-bug-poster.png --- This is a bug-fix release with a couple of important fixes. * Fix IsAncestor and IsDescendant when the same page is passed [8d5766d4](https://github.com/gohugoio/hugo/commit/8d5766d417d6564a1aa1cbe8f9a29ab9bba22371) [@tekezo](https://github.com/tekezo) * deps: Update goldmark-highlighting [5c41f41a](https://github.com/gohugoio/hugo/commit/5c41f41ad4b14e48aea64687a7600f5ad231e879) [@satotake](https://github.com/satotake) [#7027](https://github.com/gohugoio/hugo/issues/7027)[#6596](https://github.com/gohugoio/hugo/issues/6596) * Fix IsAncestor and IsDescendant under subsection [27a4c441](https://github.com/gohugoio/hugo/commit/27a4c4410cd9592249925fb14b32605fb961c597) [@tekezo](https://github.com/tekezo)
--- date: 2020-04-24 title: "Hugo 0.69.2: A couple of Bug Fixes" description: "This version fixes a couple of bugs introduced in 0.69.0." categories: ["Releases"] images: - images/blog/hugo-bug-poster.png --- This is a bug-fix release with a couple of important fixes. * Fix IsAncestor and IsDescendant when the same page is passed [8d5766d4](https://github.com/gohugoio/hugo/commit/8d5766d417d6564a1aa1cbe8f9a29ab9bba22371) [@tekezo](https://github.com/tekezo) * deps: Update goldmark-highlighting [5c41f41a](https://github.com/gohugoio/hugo/commit/5c41f41ad4b14e48aea64687a7600f5ad231e879) [@satotake](https://github.com/satotake) [#7027](https://github.com/gohugoio/hugo/issues/7027)[#6596](https://github.com/gohugoio/hugo/issues/6596) * Fix IsAncestor and IsDescendant under subsection [27a4c441](https://github.com/gohugoio/hugo/commit/27a4c4410cd9592249925fb14b32605fb961c597) [@tekezo](https://github.com/tekezo)
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./tpl/internal/go_templates/texttemplate/doc.go
// Copyright 2011 The Go Authors. All rights reserved. // Use of this source code is governed by a BSD-style // license that can be found in the LICENSE file. /* Package template implements data-driven templates for generating textual output. To generate HTML output, see package html/template, which has the same interface as this package but automatically secures HTML output against certain attacks. Templates are executed by applying them to a data structure. Annotations in the template refer to elements of the data structure (typically a field of a struct or a key in a map) to control execution and derive values to be displayed. Execution of the template walks the structure and sets the cursor, represented by a period '.' and called "dot", to the value at the current location in the structure as execution proceeds. The input text for a template is UTF-8-encoded text in any format. "Actions"--data evaluations or control structures--are delimited by "{{" and "}}"; all text outside actions is copied to the output unchanged. Except for raw strings, actions may not span newlines, although comments can. Once parsed, a template may be executed safely in parallel, although if parallel executions share a Writer the output may be interleaved. Here is a trivial example that prints "17 items are made of wool". type Inventory struct { Material string Count uint } sweaters := Inventory{"wool", 17} tmpl, err := template.New("test").Parse("{{.Count}} items are made of {{.Material}}") if err != nil { panic(err) } err = tmpl.Execute(os.Stdout, sweaters) if err != nil { panic(err) } More intricate examples appear below. Text and spaces By default, all text between actions is copied verbatim when the template is executed. For example, the string " items are made of " in the example above appears on standard output when the program is run. However, to aid in formatting template source code, if an action's left delimiter (by default "{{") is followed immediately by a minus sign and ASCII space character ("{{- "), all trailing white space is trimmed from the immediately preceding text. Similarly, if the right delimiter ("}}") is preceded by a space and minus sign (" -}}"), all leading white space is trimmed from the immediately following text. In these trim markers, the ASCII space must be present; "{{-3}}" parses as an action containing the number -3. For instance, when executing the template whose source is "{{23 -}} < {{- 45}}" the generated output would be "23<45" For this trimming, the definition of white space characters is the same as in Go: space, horizontal tab, carriage return, and newline. Actions Here is the list of actions. "Arguments" and "pipelines" are evaluations of data, defined in detail in the corresponding sections that follow. */ // {{/* a comment */}} // {{- /* a comment with white space trimmed from preceding and following text */ -}} // A comment; discarded. May contain newlines. // Comments do not nest and must start and end at the // delimiters, as shown here. /* {{pipeline}} The default textual representation (the same as would be printed by fmt.Print) of the value of the pipeline is copied to the output. {{if pipeline}} T1 {{end}} If the value of the pipeline is empty, no output is generated; otherwise, T1 is executed. The empty values are false, 0, any nil pointer or interface value, and any array, slice, map, or string of length zero. Dot is unaffected. {{if pipeline}} T1 {{else}} T0 {{end}} If the value of the pipeline is empty, T0 is executed; otherwise, T1 is executed. Dot is unaffected. {{if pipeline}} T1 {{else if pipeline}} T0 {{end}} To simplify the appearance of if-else chains, the else action of an if may include another if directly; the effect is exactly the same as writing {{if pipeline}} T1 {{else}}{{if pipeline}} T0 {{end}}{{end}} {{range pipeline}} T1 {{end}} The value of the pipeline must be an array, slice, map, or channel. If the value of the pipeline has length zero, nothing is output; otherwise, dot is set to the successive elements of the array, slice, or map and T1 is executed. If the value is a map and the keys are of basic type with a defined order, the elements will be visited in sorted key order. {{range pipeline}} T1 {{else}} T0 {{end}} The value of the pipeline must be an array, slice, map, or channel. If the value of the pipeline has length zero, dot is unaffected and T0 is executed; otherwise, dot is set to the successive elements of the array, slice, or map and T1 is executed. {{template "name"}} The template with the specified name is executed with nil data. {{template "name" pipeline}} The template with the specified name is executed with dot set to the value of the pipeline. {{block "name" pipeline}} T1 {{end}} A block is shorthand for defining a template {{define "name"}} T1 {{end}} and then executing it in place {{template "name" pipeline}} The typical use is to define a set of root templates that are then customized by redefining the block templates within. {{with pipeline}} T1 {{end}} If the value of the pipeline is empty, no output is generated; otherwise, dot is set to the value of the pipeline and T1 is executed. {{with pipeline}} T1 {{else}} T0 {{end}} If the value of the pipeline is empty, dot is unaffected and T0 is executed; otherwise, dot is set to the value of the pipeline and T1 is executed. Arguments An argument is a simple value, denoted by one of the following. - A boolean, string, character, integer, floating-point, imaginary or complex constant in Go syntax. These behave like Go's untyped constants. Note that, as in Go, whether a large integer constant overflows when assigned or passed to a function can depend on whether the host machine's ints are 32 or 64 bits. - The keyword nil, representing an untyped Go nil. - The character '.' (period): . The result is the value of dot. - A variable name, which is a (possibly empty) alphanumeric string preceded by a dollar sign, such as $piOver2 or $ The result is the value of the variable. Variables are described below. - The name of a field of the data, which must be a struct, preceded by a period, such as .Field The result is the value of the field. Field invocations may be chained: .Field1.Field2 Fields can also be evaluated on variables, including chaining: $x.Field1.Field2 - The name of a key of the data, which must be a map, preceded by a period, such as .Key The result is the map element value indexed by the key. Key invocations may be chained and combined with fields to any depth: .Field1.Key1.Field2.Key2 Although the key must be an alphanumeric identifier, unlike with field names they do not need to start with an upper case letter. Keys can also be evaluated on variables, including chaining: $x.key1.key2 - The name of a niladic method of the data, preceded by a period, such as .Method The result is the value of invoking the method with dot as the receiver, dot.Method(). Such a method must have one return value (of any type) or two return values, the second of which is an error. If it has two and the returned error is non-nil, execution terminates and an error is returned to the caller as the value of Execute. Method invocations may be chained and combined with fields and keys to any depth: .Field1.Key1.Method1.Field2.Key2.Method2 Methods can also be evaluated on variables, including chaining: $x.Method1.Field - The name of a niladic function, such as fun The result is the value of invoking the function, fun(). The return types and values behave as in methods. Functions and function names are described below. - A parenthesized instance of one the above, for grouping. The result may be accessed by a field or map key invocation. print (.F1 arg1) (.F2 arg2) (.StructValuedMethod "arg").Field Arguments may evaluate to any type; if they are pointers the implementation automatically indirects to the base type when required. If an evaluation yields a function value, such as a function-valued field of a struct, the function is not invoked automatically, but it can be used as a truth value for an if action and the like. To invoke it, use the call function, defined below. Pipelines A pipeline is a possibly chained sequence of "commands". A command is a simple value (argument) or a function or method call, possibly with multiple arguments: Argument The result is the value of evaluating the argument. .Method [Argument...] The method can be alone or the last element of a chain but, unlike methods in the middle of a chain, it can take arguments. The result is the value of calling the method with the arguments: dot.Method(Argument1, etc.) functionName [Argument...] The result is the value of calling the function associated with the name: function(Argument1, etc.) Functions and function names are described below. A pipeline may be "chained" by separating a sequence of commands with pipeline characters '|'. In a chained pipeline, the result of each command is passed as the last argument of the following command. The output of the final command in the pipeline is the value of the pipeline. The output of a command will be either one value or two values, the second of which has type error. If that second value is present and evaluates to non-nil, execution terminates and the error is returned to the caller of Execute. Variables A pipeline inside an action may initialize a variable to capture the result. The initialization has syntax $variable := pipeline where $variable is the name of the variable. An action that declares a variable produces no output. Variables previously declared can also be assigned, using the syntax $variable = pipeline If a "range" action initializes a variable, the variable is set to the successive elements of the iteration. Also, a "range" may declare two variables, separated by a comma: range $index, $element := pipeline in which case $index and $element are set to the successive values of the array/slice index or map key and element, respectively. Note that if there is only one variable, it is assigned the element; this is opposite to the convention in Go range clauses. A variable's scope extends to the "end" action of the control structure ("if", "with", or "range") in which it is declared, or to the end of the template if there is no such control structure. A template invocation does not inherit variables from the point of its invocation. When execution begins, $ is set to the data argument passed to Execute, that is, to the starting value of dot. Examples Here are some example one-line templates demonstrating pipelines and variables. All produce the quoted word "output": {{"\"output\""}} A string constant. {{`"output"`}} A raw string constant. {{printf "%q" "output"}} A function call. {{"output" | printf "%q"}} A function call whose final argument comes from the previous command. {{printf "%q" (print "out" "put")}} A parenthesized argument. {{"put" | printf "%s%s" "out" | printf "%q"}} A more elaborate call. {{"output" | printf "%s" | printf "%q"}} A longer chain. {{with "output"}}{{printf "%q" .}}{{end}} A with action using dot. {{with $x := "output" | printf "%q"}}{{$x}}{{end}} A with action that creates and uses a variable. {{with $x := "output"}}{{printf "%q" $x}}{{end}} A with action that uses the variable in another action. {{with $x := "output"}}{{$x | printf "%q"}}{{end}} The same, but pipelined. Functions During execution functions are found in two function maps: first in the template, then in the global function map. By default, no functions are defined in the template but the Funcs method can be used to add them. Predefined global functions are named as follows. and Returns the boolean AND of its arguments by returning the first empty argument or the last argument, that is, "and x y" behaves as "if x then y else x". All the arguments are evaluated. call Returns the result of calling the first argument, which must be a function, with the remaining arguments as parameters. Thus "call .X.Y 1 2" is, in Go notation, dot.X.Y(1, 2) where Y is a func-valued field, map entry, or the like. The first argument must be the result of an evaluation that yields a value of function type (as distinct from a predefined function such as print). The function must return either one or two result values, the second of which is of type error. If the arguments don't match the function or the returned error value is non-nil, execution stops. html Returns the escaped HTML equivalent of the textual representation of its arguments. This function is unavailable in html/template, with a few exceptions. index Returns the result of indexing its first argument by the following arguments. Thus "index x 1 2 3" is, in Go syntax, x[1][2][3]. Each indexed item must be a map, slice, or array. slice slice returns the result of slicing its first argument by the remaining arguments. Thus "slice x 1 2" is, in Go syntax, x[1:2], while "slice x" is x[:], "slice x 1" is x[1:], and "slice x 1 2 3" is x[1:2:3]. The first argument must be a string, slice, or array. js Returns the escaped JavaScript equivalent of the textual representation of its arguments. len Returns the integer length of its argument. not Returns the boolean negation of its single argument. or Returns the boolean OR of its arguments by returning the first non-empty argument or the last argument, that is, "or x y" behaves as "if x then x else y". All the arguments are evaluated. print An alias for fmt.Sprint printf An alias for fmt.Sprintf println An alias for fmt.Sprintln urlquery Returns the escaped value of the textual representation of its arguments in a form suitable for embedding in a URL query. This function is unavailable in html/template, with a few exceptions. The boolean functions take any zero value to be false and a non-zero value to be true. There is also a set of binary comparison operators defined as functions: eq Returns the boolean truth of arg1 == arg2 ne Returns the boolean truth of arg1 != arg2 lt Returns the boolean truth of arg1 < arg2 le Returns the boolean truth of arg1 <= arg2 gt Returns the boolean truth of arg1 > arg2 ge Returns the boolean truth of arg1 >= arg2 For simpler multi-way equality tests, eq (only) accepts two or more arguments and compares the second and subsequent to the first, returning in effect arg1==arg2 || arg1==arg3 || arg1==arg4 ... (Unlike with || in Go, however, eq is a function call and all the arguments will be evaluated.) The comparison functions work on any values whose type Go defines as comparable. For basic types such as integers, the rules are relaxed: size and exact type are ignored, so any integer value, signed or unsigned, may be compared with any other integer value. (The arithmetic value is compared, not the bit pattern, so all negative integers are less than all unsigned integers.) However, as usual, one may not compare an int with a float32 and so on. Associated templates Each template is named by a string specified when it is created. Also, each template is associated with zero or more other templates that it may invoke by name; such associations are transitive and form a name space of templates. A template may use a template invocation to instantiate another associated template; see the explanation of the "template" action above. The name must be that of a template associated with the template that contains the invocation. Nested template definitions When parsing a template, another template may be defined and associated with the template being parsed. Template definitions must appear at the top level of the template, much like global variables in a Go program. The syntax of such definitions is to surround each template declaration with a "define" and "end" action. The define action names the template being created by providing a string constant. Here is a simple example: `{{define "T1"}}ONE{{end}} {{define "T2"}}TWO{{end}} {{define "T3"}}{{template "T1"}} {{template "T2"}}{{end}} {{template "T3"}}` This defines two templates, T1 and T2, and a third T3 that invokes the other two when it is executed. Finally it invokes T3. If executed this template will produce the text ONE TWO By construction, a template may reside in only one association. If it's necessary to have a template addressable from multiple associations, the template definition must be parsed multiple times to create distinct *Template values, or must be copied with the Clone or AddParseTree method. Parse may be called multiple times to assemble the various associated templates; see the ParseFiles and ParseGlob functions and methods for simple ways to parse related templates stored in files. A template may be executed directly or through ExecuteTemplate, which executes an associated template identified by name. To invoke our example above, we might write, err := tmpl.Execute(os.Stdout, "no data needed") if err != nil { log.Fatalf("execution failed: %s", err) } or to invoke a particular template explicitly by name, err := tmpl.ExecuteTemplate(os.Stdout, "T2", "no data needed") if err != nil { log.Fatalf("execution failed: %s", err) } */ package template
// Copyright 2011 The Go Authors. All rights reserved. // Use of this source code is governed by a BSD-style // license that can be found in the LICENSE file. /* Package template implements data-driven templates for generating textual output. To generate HTML output, see package html/template, which has the same interface as this package but automatically secures HTML output against certain attacks. Templates are executed by applying them to a data structure. Annotations in the template refer to elements of the data structure (typically a field of a struct or a key in a map) to control execution and derive values to be displayed. Execution of the template walks the structure and sets the cursor, represented by a period '.' and called "dot", to the value at the current location in the structure as execution proceeds. The input text for a template is UTF-8-encoded text in any format. "Actions"--data evaluations or control structures--are delimited by "{{" and "}}"; all text outside actions is copied to the output unchanged. Except for raw strings, actions may not span newlines, although comments can. Once parsed, a template may be executed safely in parallel, although if parallel executions share a Writer the output may be interleaved. Here is a trivial example that prints "17 items are made of wool". type Inventory struct { Material string Count uint } sweaters := Inventory{"wool", 17} tmpl, err := template.New("test").Parse("{{.Count}} items are made of {{.Material}}") if err != nil { panic(err) } err = tmpl.Execute(os.Stdout, sweaters) if err != nil { panic(err) } More intricate examples appear below. Text and spaces By default, all text between actions is copied verbatim when the template is executed. For example, the string " items are made of " in the example above appears on standard output when the program is run. However, to aid in formatting template source code, if an action's left delimiter (by default "{{") is followed immediately by a minus sign and ASCII space character ("{{- "), all trailing white space is trimmed from the immediately preceding text. Similarly, if the right delimiter ("}}") is preceded by a space and minus sign (" -}}"), all leading white space is trimmed from the immediately following text. In these trim markers, the ASCII space must be present; "{{-3}}" parses as an action containing the number -3. For instance, when executing the template whose source is "{{23 -}} < {{- 45}}" the generated output would be "23<45" For this trimming, the definition of white space characters is the same as in Go: space, horizontal tab, carriage return, and newline. Actions Here is the list of actions. "Arguments" and "pipelines" are evaluations of data, defined in detail in the corresponding sections that follow. */ // {{/* a comment */}} // {{- /* a comment with white space trimmed from preceding and following text */ -}} // A comment; discarded. May contain newlines. // Comments do not nest and must start and end at the // delimiters, as shown here. /* {{pipeline}} The default textual representation (the same as would be printed by fmt.Print) of the value of the pipeline is copied to the output. {{if pipeline}} T1 {{end}} If the value of the pipeline is empty, no output is generated; otherwise, T1 is executed. The empty values are false, 0, any nil pointer or interface value, and any array, slice, map, or string of length zero. Dot is unaffected. {{if pipeline}} T1 {{else}} T0 {{end}} If the value of the pipeline is empty, T0 is executed; otherwise, T1 is executed. Dot is unaffected. {{if pipeline}} T1 {{else if pipeline}} T0 {{end}} To simplify the appearance of if-else chains, the else action of an if may include another if directly; the effect is exactly the same as writing {{if pipeline}} T1 {{else}}{{if pipeline}} T0 {{end}}{{end}} {{range pipeline}} T1 {{end}} The value of the pipeline must be an array, slice, map, or channel. If the value of the pipeline has length zero, nothing is output; otherwise, dot is set to the successive elements of the array, slice, or map and T1 is executed. If the value is a map and the keys are of basic type with a defined order, the elements will be visited in sorted key order. {{range pipeline}} T1 {{else}} T0 {{end}} The value of the pipeline must be an array, slice, map, or channel. If the value of the pipeline has length zero, dot is unaffected and T0 is executed; otherwise, dot is set to the successive elements of the array, slice, or map and T1 is executed. {{template "name"}} The template with the specified name is executed with nil data. {{template "name" pipeline}} The template with the specified name is executed with dot set to the value of the pipeline. {{block "name" pipeline}} T1 {{end}} A block is shorthand for defining a template {{define "name"}} T1 {{end}} and then executing it in place {{template "name" pipeline}} The typical use is to define a set of root templates that are then customized by redefining the block templates within. {{with pipeline}} T1 {{end}} If the value of the pipeline is empty, no output is generated; otherwise, dot is set to the value of the pipeline and T1 is executed. {{with pipeline}} T1 {{else}} T0 {{end}} If the value of the pipeline is empty, dot is unaffected and T0 is executed; otherwise, dot is set to the value of the pipeline and T1 is executed. Arguments An argument is a simple value, denoted by one of the following. - A boolean, string, character, integer, floating-point, imaginary or complex constant in Go syntax. These behave like Go's untyped constants. Note that, as in Go, whether a large integer constant overflows when assigned or passed to a function can depend on whether the host machine's ints are 32 or 64 bits. - The keyword nil, representing an untyped Go nil. - The character '.' (period): . The result is the value of dot. - A variable name, which is a (possibly empty) alphanumeric string preceded by a dollar sign, such as $piOver2 or $ The result is the value of the variable. Variables are described below. - The name of a field of the data, which must be a struct, preceded by a period, such as .Field The result is the value of the field. Field invocations may be chained: .Field1.Field2 Fields can also be evaluated on variables, including chaining: $x.Field1.Field2 - The name of a key of the data, which must be a map, preceded by a period, such as .Key The result is the map element value indexed by the key. Key invocations may be chained and combined with fields to any depth: .Field1.Key1.Field2.Key2 Although the key must be an alphanumeric identifier, unlike with field names they do not need to start with an upper case letter. Keys can also be evaluated on variables, including chaining: $x.key1.key2 - The name of a niladic method of the data, preceded by a period, such as .Method The result is the value of invoking the method with dot as the receiver, dot.Method(). Such a method must have one return value (of any type) or two return values, the second of which is an error. If it has two and the returned error is non-nil, execution terminates and an error is returned to the caller as the value of Execute. Method invocations may be chained and combined with fields and keys to any depth: .Field1.Key1.Method1.Field2.Key2.Method2 Methods can also be evaluated on variables, including chaining: $x.Method1.Field - The name of a niladic function, such as fun The result is the value of invoking the function, fun(). The return types and values behave as in methods. Functions and function names are described below. - A parenthesized instance of one the above, for grouping. The result may be accessed by a field or map key invocation. print (.F1 arg1) (.F2 arg2) (.StructValuedMethod "arg").Field Arguments may evaluate to any type; if they are pointers the implementation automatically indirects to the base type when required. If an evaluation yields a function value, such as a function-valued field of a struct, the function is not invoked automatically, but it can be used as a truth value for an if action and the like. To invoke it, use the call function, defined below. Pipelines A pipeline is a possibly chained sequence of "commands". A command is a simple value (argument) or a function or method call, possibly with multiple arguments: Argument The result is the value of evaluating the argument. .Method [Argument...] The method can be alone or the last element of a chain but, unlike methods in the middle of a chain, it can take arguments. The result is the value of calling the method with the arguments: dot.Method(Argument1, etc.) functionName [Argument...] The result is the value of calling the function associated with the name: function(Argument1, etc.) Functions and function names are described below. A pipeline may be "chained" by separating a sequence of commands with pipeline characters '|'. In a chained pipeline, the result of each command is passed as the last argument of the following command. The output of the final command in the pipeline is the value of the pipeline. The output of a command will be either one value or two values, the second of which has type error. If that second value is present and evaluates to non-nil, execution terminates and the error is returned to the caller of Execute. Variables A pipeline inside an action may initialize a variable to capture the result. The initialization has syntax $variable := pipeline where $variable is the name of the variable. An action that declares a variable produces no output. Variables previously declared can also be assigned, using the syntax $variable = pipeline If a "range" action initializes a variable, the variable is set to the successive elements of the iteration. Also, a "range" may declare two variables, separated by a comma: range $index, $element := pipeline in which case $index and $element are set to the successive values of the array/slice index or map key and element, respectively. Note that if there is only one variable, it is assigned the element; this is opposite to the convention in Go range clauses. A variable's scope extends to the "end" action of the control structure ("if", "with", or "range") in which it is declared, or to the end of the template if there is no such control structure. A template invocation does not inherit variables from the point of its invocation. When execution begins, $ is set to the data argument passed to Execute, that is, to the starting value of dot. Examples Here are some example one-line templates demonstrating pipelines and variables. All produce the quoted word "output": {{"\"output\""}} A string constant. {{`"output"`}} A raw string constant. {{printf "%q" "output"}} A function call. {{"output" | printf "%q"}} A function call whose final argument comes from the previous command. {{printf "%q" (print "out" "put")}} A parenthesized argument. {{"put" | printf "%s%s" "out" | printf "%q"}} A more elaborate call. {{"output" | printf "%s" | printf "%q"}} A longer chain. {{with "output"}}{{printf "%q" .}}{{end}} A with action using dot. {{with $x := "output" | printf "%q"}}{{$x}}{{end}} A with action that creates and uses a variable. {{with $x := "output"}}{{printf "%q" $x}}{{end}} A with action that uses the variable in another action. {{with $x := "output"}}{{$x | printf "%q"}}{{end}} The same, but pipelined. Functions During execution functions are found in two function maps: first in the template, then in the global function map. By default, no functions are defined in the template but the Funcs method can be used to add them. Predefined global functions are named as follows. and Returns the boolean AND of its arguments by returning the first empty argument or the last argument, that is, "and x y" behaves as "if x then y else x". All the arguments are evaluated. call Returns the result of calling the first argument, which must be a function, with the remaining arguments as parameters. Thus "call .X.Y 1 2" is, in Go notation, dot.X.Y(1, 2) where Y is a func-valued field, map entry, or the like. The first argument must be the result of an evaluation that yields a value of function type (as distinct from a predefined function such as print). The function must return either one or two result values, the second of which is of type error. If the arguments don't match the function or the returned error value is non-nil, execution stops. html Returns the escaped HTML equivalent of the textual representation of its arguments. This function is unavailable in html/template, with a few exceptions. index Returns the result of indexing its first argument by the following arguments. Thus "index x 1 2 3" is, in Go syntax, x[1][2][3]. Each indexed item must be a map, slice, or array. slice slice returns the result of slicing its first argument by the remaining arguments. Thus "slice x 1 2" is, in Go syntax, x[1:2], while "slice x" is x[:], "slice x 1" is x[1:], and "slice x 1 2 3" is x[1:2:3]. The first argument must be a string, slice, or array. js Returns the escaped JavaScript equivalent of the textual representation of its arguments. len Returns the integer length of its argument. not Returns the boolean negation of its single argument. or Returns the boolean OR of its arguments by returning the first non-empty argument or the last argument, that is, "or x y" behaves as "if x then x else y". All the arguments are evaluated. print An alias for fmt.Sprint printf An alias for fmt.Sprintf println An alias for fmt.Sprintln urlquery Returns the escaped value of the textual representation of its arguments in a form suitable for embedding in a URL query. This function is unavailable in html/template, with a few exceptions. The boolean functions take any zero value to be false and a non-zero value to be true. There is also a set of binary comparison operators defined as functions: eq Returns the boolean truth of arg1 == arg2 ne Returns the boolean truth of arg1 != arg2 lt Returns the boolean truth of arg1 < arg2 le Returns the boolean truth of arg1 <= arg2 gt Returns the boolean truth of arg1 > arg2 ge Returns the boolean truth of arg1 >= arg2 For simpler multi-way equality tests, eq (only) accepts two or more arguments and compares the second and subsequent to the first, returning in effect arg1==arg2 || arg1==arg3 || arg1==arg4 ... (Unlike with || in Go, however, eq is a function call and all the arguments will be evaluated.) The comparison functions work on any values whose type Go defines as comparable. For basic types such as integers, the rules are relaxed: size and exact type are ignored, so any integer value, signed or unsigned, may be compared with any other integer value. (The arithmetic value is compared, not the bit pattern, so all negative integers are less than all unsigned integers.) However, as usual, one may not compare an int with a float32 and so on. Associated templates Each template is named by a string specified when it is created. Also, each template is associated with zero or more other templates that it may invoke by name; such associations are transitive and form a name space of templates. A template may use a template invocation to instantiate another associated template; see the explanation of the "template" action above. The name must be that of a template associated with the template that contains the invocation. Nested template definitions When parsing a template, another template may be defined and associated with the template being parsed. Template definitions must appear at the top level of the template, much like global variables in a Go program. The syntax of such definitions is to surround each template declaration with a "define" and "end" action. The define action names the template being created by providing a string constant. Here is a simple example: `{{define "T1"}}ONE{{end}} {{define "T2"}}TWO{{end}} {{define "T3"}}{{template "T1"}} {{template "T2"}}{{end}} {{template "T3"}}` This defines two templates, T1 and T2, and a third T3 that invokes the other two when it is executed. Finally it invokes T3. If executed this template will produce the text ONE TWO By construction, a template may reside in only one association. If it's necessary to have a template addressable from multiple associations, the template definition must be parsed multiple times to create distinct *Template values, or must be copied with the Clone or AddParseTree method. Parse may be called multiple times to assemble the various associated templates; see the ParseFiles and ParseGlob functions and methods for simple ways to parse related templates stored in files. A template may be executed directly or through ExecuteTemplate, which executes an associated template identified by name. To invoke our example above, we might write, err := tmpl.Execute(os.Stdout, "no data needed") if err != nil { log.Fatalf("execution failed: %s", err) } or to invoke a particular template explicitly by name, err := tmpl.ExecuteTemplate(os.Stdout, "T2", "no data needed") if err != nil { log.Fatalf("execution failed: %s", err) } */ package template
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./docs/content/en/news/0.79.1-relnotes/index.md
--- date: 2020-12-19 title: "Hugo 0.79.1: A couple of Bug Fixes" description: "This version fixes a couple of bugs introduced in 0.79.0." categories: ["Releases"] images: - images/blog/hugo-bug-poster.png --- This is a bug-fix release with one important fix. * Improve LookPath [4a8267d6](https://github.com/gohugoio/hugo/commit/4a8267d64a40564aced0695bca05249da17b0eab) [@bep](https://github.com/bep)
--- date: 2020-12-19 title: "Hugo 0.79.1: A couple of Bug Fixes" description: "This version fixes a couple of bugs introduced in 0.79.0." categories: ["Releases"] images: - images/blog/hugo-bug-poster.png --- This is a bug-fix release with one important fix. * Improve LookPath [4a8267d6](https://github.com/gohugoio/hugo/commit/4a8267d64a40564aced0695bca05249da17b0eab) [@bep](https://github.com/bep)
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./docs/content/en/functions/emojify.md
--- title: emojify description: Runs a string through the Emoji emoticons processor. godocref: date: 2017-02-01 publishdate: 2017-02-01 lastmod: 2017-02-01 categories: [functions] menu: docs: parent: "functions" keywords: [strings,emojis] signature: ["emojify INPUT"] workson: [] hugoversion: relatedfuncs: [] deprecated: false --- `emoji` runs a passed string through the Emoji emoticons processor. See the [Emoji cheat sheet][emojis] for available emoticons. The `emojify` function can be called in your templates but not directly in your content files by default. For emojis in content files, set `enableEmoji` to `true` in your site's [configuration][config]. Then you can write emoji shorthand directly into your content files; e.g. <code>I :</code><code>heart</code><code>: Hugo!</code>: I :heart: Hugo! [config]: /getting-started/configuration/ [emojis]: https://www.webfx.com/tools/emoji-cheat-sheet/ [sc]: /templates/shortcode-templates/ [scsource]: https://github.com/gohugoio/hugo/tree/master/docs/layouts/shortcodes
--- title: emojify description: Runs a string through the Emoji emoticons processor. godocref: date: 2017-02-01 publishdate: 2017-02-01 lastmod: 2017-02-01 categories: [functions] menu: docs: parent: "functions" keywords: [strings,emojis] signature: ["emojify INPUT"] workson: [] hugoversion: relatedfuncs: [] deprecated: false --- `emoji` runs a passed string through the Emoji emoticons processor. See the [Emoji cheat sheet][emojis] for available emoticons. The `emojify` function can be called in your templates but not directly in your content files by default. For emojis in content files, set `enableEmoji` to `true` in your site's [configuration][config]. Then you can write emoji shorthand directly into your content files; e.g. <code>I :</code><code>heart</code><code>: Hugo!</code>: I :heart: Hugo! [config]: /getting-started/configuration/ [emojis]: https://www.webfx.com/tools/emoji-cheat-sheet/ [sc]: /templates/shortcode-templates/ [scsource]: https://github.com/gohugoio/hugo/tree/master/docs/layouts/shortcodes
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./docs/content/en/news/0.19-relnotes/index.md
--- date: 2017-02-27T13:53:58-04:00 categories: ["Releases"] description: "Hugo 0.19 brings native Emacs Org-mode content support, and Hugo has its own Twitter account" link: "" title: "Hugo 0.19" draft: false author: budparr aliases: [/0-19/] --- We're happy to announce the first release of Hugo in 2017. This release represents **over 180 contributions by over 50 contributors** to the main Hugo code base. Since last release Hugo has **gained 1450 stars, 35 new contributors, and 15 additional themes.** Hugo now has: * 15200+ stars * 470+ contributors * 151+ themes Furthermore, Hugo has its own Twitter account ([@gohugoio](https://twitter.com/gohugoio)) where we share bite-sized news and themes from the Hugo community. {{< gh "@bep" >}} leads the Hugo development and once again contributed a significant amount of additions. Also a big shoutout to {{< gh "@chaseadamsio" >}} for the Emacs Org-mode support, {{< gh "@digitalcraftsman" >}} for his relentless work on keeping the documentation and the themes site in pristine condition, {{< gh "@fj" >}}for his work on revising the `params` handling in Hugo, and {{< gh "@moorereason" >}} and {{< gh "@bogem" >}} for their ongoing contributions. ### Highlights Hugo `0.19` brings native Emacs Org-mode content support ({{<gh 1483>}}), big thanks to {{< gh "@chaseadamsio" >}}. Also, a considerably amount of work have been put into cleaning up the Hugo source code, in an issue titled [Refactor the globals out of site build](https://github.com/gohugoio/hugo/issues/2701). This is not immediately visible to the Hugo end user, but will speed up future development. Hugo `0.18` was bringing full-parallel page rendering, so workarounds depending on rendering order did not work anymore, and pages with duplicate target paths (common examples would be `/index.md` or `/about/index.md`) would now conflict with the home page or the section listing. With Hugo `0.19`, you can control this behaviour by turning off page types you do not want ({{<gh 2534 >}}). In its most extreme case, if you put the below setting in your [`config.toml`](/getting-started/configuration/), you will get **nothing!**: ``` disableKinds = ["page", "home", "section", "taxonomy", "taxonomyTerm", "RSS", "sitemap", "robotsTXT", "404"] ``` ### Other New Features * Add ability to sort pages by front matter parameters, enabling easy custom "top 10" page lists. {{<gh 3022 >}} * Add `truncate` template function {{<gh 2882 >}} * Add `now` function, which replaces the now deprecated `.Now` {{<gh 2859 >}} * Make RSS item limit configurable {{<gh 3035 >}} ### Enhancements * Enhance `.Param` to permit arbitrarily nested parameter references {{<gh 2598 >}} * Use `Page.Params` more consistently when adding metadata {{<gh 3033 >}} * The `sectionPagesMenu` feature ("Section menu for the lazy blogger") is now integrated with the section content pages. {{<gh 2974 >}} * Hugo `0.19` is compiled with Go 1.8! * Make template funcs like `findRE` and friends more liberal in what argument types they accept {{<gh 3018 >}} {{<gh 2822 >}} * Improve generation of OpenGraph date tags {{<gh 2979 >}} ### Notes * `sourceRelativeLinks` is now deprecated and will be removed in Hugo `0.21` if no one is stepping up to the plate and fixes and maintains this feature. {{<gh 3028 >}} ### Fixes * Fix `.Site.LastChange` on sites where the default sort order is not chronological. {{<gh 2909 >}} * Fix regression of `.Truncated` evaluation in manual summaries. {{<gh 2989 >}} * Fix `preserveTaxonomyNames` regression {{<gh 3070 >}} * Fix issue with taxonomies when only some have content page {{<gh 2992 >}} * Fix instagram shortcode panic on invalid ID {{<gh 3048 >}} * Fix subtle data race in `getJSON` {{<gh 3045 >}} * Fix deadlock in cached partials {{<gh 2935 >}} * Avoid double-encoding of paginator URLs {{<gh 2177 >}} * Allow tilde in URLs {{<gh 2177 >}} * Fix `.Site.Pages` handling on live reloads {{<gh 2869 >}} * `UniqueID` now correctly uses the fill file path from the content root to calculate the hash, and is finally ... unique! * Discard current language based on `.Lang()`, go get translations correct for paginated pages. {{<gh 2972 >}} * Fix infinite loop in template AST handling for recursive templates {{<gh 2927 >}} * Fix issue with watching when config loading fails {{<gh 2603 >}} * Correctly flush the imageConfig on live-reload {{<gh 3016 >}} * Fix parsing of TOML arrays in front matter {{<gh 2752 >}} ### Docs * Add tutorial "How to use Google Firebase to host a Hugo site" {{<gh 3007 >}} * Improve documentation for menu rendering {{<gh 3056 >}} * Revise GitHub Pages deployment tutorial {{<gh 2930 >}}
--- date: 2017-02-27T13:53:58-04:00 categories: ["Releases"] description: "Hugo 0.19 brings native Emacs Org-mode content support, and Hugo has its own Twitter account" link: "" title: "Hugo 0.19" draft: false author: budparr aliases: [/0-19/] --- We're happy to announce the first release of Hugo in 2017. This release represents **over 180 contributions by over 50 contributors** to the main Hugo code base. Since last release Hugo has **gained 1450 stars, 35 new contributors, and 15 additional themes.** Hugo now has: * 15200+ stars * 470+ contributors * 151+ themes Furthermore, Hugo has its own Twitter account ([@gohugoio](https://twitter.com/gohugoio)) where we share bite-sized news and themes from the Hugo community. {{< gh "@bep" >}} leads the Hugo development and once again contributed a significant amount of additions. Also a big shoutout to {{< gh "@chaseadamsio" >}} for the Emacs Org-mode support, {{< gh "@digitalcraftsman" >}} for his relentless work on keeping the documentation and the themes site in pristine condition, {{< gh "@fj" >}}for his work on revising the `params` handling in Hugo, and {{< gh "@moorereason" >}} and {{< gh "@bogem" >}} for their ongoing contributions. ### Highlights Hugo `0.19` brings native Emacs Org-mode content support ({{<gh 1483>}}), big thanks to {{< gh "@chaseadamsio" >}}. Also, a considerably amount of work have been put into cleaning up the Hugo source code, in an issue titled [Refactor the globals out of site build](https://github.com/gohugoio/hugo/issues/2701). This is not immediately visible to the Hugo end user, but will speed up future development. Hugo `0.18` was bringing full-parallel page rendering, so workarounds depending on rendering order did not work anymore, and pages with duplicate target paths (common examples would be `/index.md` or `/about/index.md`) would now conflict with the home page or the section listing. With Hugo `0.19`, you can control this behaviour by turning off page types you do not want ({{<gh 2534 >}}). In its most extreme case, if you put the below setting in your [`config.toml`](/getting-started/configuration/), you will get **nothing!**: ``` disableKinds = ["page", "home", "section", "taxonomy", "taxonomyTerm", "RSS", "sitemap", "robotsTXT", "404"] ``` ### Other New Features * Add ability to sort pages by front matter parameters, enabling easy custom "top 10" page lists. {{<gh 3022 >}} * Add `truncate` template function {{<gh 2882 >}} * Add `now` function, which replaces the now deprecated `.Now` {{<gh 2859 >}} * Make RSS item limit configurable {{<gh 3035 >}} ### Enhancements * Enhance `.Param` to permit arbitrarily nested parameter references {{<gh 2598 >}} * Use `Page.Params` more consistently when adding metadata {{<gh 3033 >}} * The `sectionPagesMenu` feature ("Section menu for the lazy blogger") is now integrated with the section content pages. {{<gh 2974 >}} * Hugo `0.19` is compiled with Go 1.8! * Make template funcs like `findRE` and friends more liberal in what argument types they accept {{<gh 3018 >}} {{<gh 2822 >}} * Improve generation of OpenGraph date tags {{<gh 2979 >}} ### Notes * `sourceRelativeLinks` is now deprecated and will be removed in Hugo `0.21` if no one is stepping up to the plate and fixes and maintains this feature. {{<gh 3028 >}} ### Fixes * Fix `.Site.LastChange` on sites where the default sort order is not chronological. {{<gh 2909 >}} * Fix regression of `.Truncated` evaluation in manual summaries. {{<gh 2989 >}} * Fix `preserveTaxonomyNames` regression {{<gh 3070 >}} * Fix issue with taxonomies when only some have content page {{<gh 2992 >}} * Fix instagram shortcode panic on invalid ID {{<gh 3048 >}} * Fix subtle data race in `getJSON` {{<gh 3045 >}} * Fix deadlock in cached partials {{<gh 2935 >}} * Avoid double-encoding of paginator URLs {{<gh 2177 >}} * Allow tilde in URLs {{<gh 2177 >}} * Fix `.Site.Pages` handling on live reloads {{<gh 2869 >}} * `UniqueID` now correctly uses the fill file path from the content root to calculate the hash, and is finally ... unique! * Discard current language based on `.Lang()`, go get translations correct for paginated pages. {{<gh 2972 >}} * Fix infinite loop in template AST handling for recursive templates {{<gh 2927 >}} * Fix issue with watching when config loading fails {{<gh 2603 >}} * Correctly flush the imageConfig on live-reload {{<gh 3016 >}} * Fix parsing of TOML arrays in front matter {{<gh 2752 >}} ### Docs * Add tutorial "How to use Google Firebase to host a Hugo site" {{<gh 3007 >}} * Improve documentation for menu rendering {{<gh 3056 >}} * Revise GitHub Pages deployment tutorial {{<gh 2930 >}}
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./docs/content/en/showcase/flesland-flis/bio.md
A business page for Flesland Flis AS. A Norwegian Tiler located in Bergen. The page is designed and developed by Sindre Gusdal: * [Absoluttweb AS](https://www.absoluttweb.no) * [Sindre Gusdal](https://www.linkedin.com/in/sindregusdal/)
A business page for Flesland Flis AS. A Norwegian Tiler located in Bergen. The page is designed and developed by Sindre Gusdal: * [Absoluttweb AS](https://www.absoluttweb.no) * [Sindre Gusdal](https://www.linkedin.com/in/sindregusdal/)
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./hugolib/page_unwrap.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package hugolib import ( "github.com/pkg/errors" "github.com/gohugoio/hugo/resources/page" ) // Wraps a Page. type pageWrapper interface { page() page.Page } // unwrapPage is used in equality checks and similar. func unwrapPage(in interface{}) (page.Page, error) { switch v := in.(type) { case *pageState: return v, nil case pageWrapper: return v.page(), nil case page.Page: return v, nil case nil: return nil, nil default: return nil, errors.Errorf("unwrapPage: %T not supported", in) } } func mustUnwrapPage(in interface{}) page.Page { p, err := unwrapPage(in) if err != nil { panic(err) } return p }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package hugolib import ( "github.com/pkg/errors" "github.com/gohugoio/hugo/resources/page" ) // Wraps a Page. type pageWrapper interface { page() page.Page } // unwrapPage is used in equality checks and similar. func unwrapPage(in interface{}) (page.Page, error) { switch v := in.(type) { case *pageState: return v, nil case pageWrapper: return v.page(), nil case page.Page: return v, nil case nil: return nil, nil default: return nil, errors.Errorf("unwrapPage: %T not supported", in) } } func mustUnwrapPage(in interface{}) page.Page { p, err := unwrapPage(in) if err != nil { panic(err) } return p }
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./resources/testdata/circle.svg
<svg height="100" width="100"> <circle cx="50" cy="50" r="40" stroke="black" stroke-width="3" fill="red" /> Sorry, your browser does not support inline SVG. </svg>
<svg height="100" width="100"> <circle cx="50" cy="50" r="40" stroke="black" stroke-width="3" fill="red" /> Sorry, your browser does not support inline SVG. </svg>
-1
gohugoio/hugo
8,111
deps: Update go-org to v1.4.0
- Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
niklasfasching
"2021-01-02T20:04:15Z"
"2021-01-02T21:29:07Z"
4fdec67b1155ae1cdf051582d9ab387286b71a07
212e5e554284bc9368e52a512ed09be5a0224d3e
deps: Update go-org to v1.4.0. - Add support for pretty urls [1]. Rewrite file links: 1. replace the `.org` extension with `/` (`/foo.org` -> `/foo/`) 2. prefix unrooted links with `../` as relative links start in the fake subdirectory `/foo/` rather than `/` - Fix case-sensitivity of org drawer `:end:` [1] https://gohugo.io/content-management/urls/#pretty-urls
./hugofs/rootmapping_fs_test.go
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package hugofs import ( "fmt" "io/ioutil" "path/filepath" "sort" "testing" "github.com/spf13/viper" qt "github.com/frankban/quicktest" "github.com/gohugoio/hugo/htesting" "github.com/spf13/afero" ) func TestLanguageRootMapping(t *testing.T) { c := qt.New(t) v := viper.New() v.Set("contentDir", "content") fs := NewBaseFileDecorator(afero.NewMemMapFs()) c.Assert(afero.WriteFile(fs, filepath.Join("content/sv/svdir", "main.txt"), []byte("main sv"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/mysvblogcontent", "sv-f.txt"), []byte("some sv blog content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/myenblogcontent", "en-f.txt"), []byte("some en blog content in a"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/mysvblogcontent/d1", "sv-d1-f.txt"), []byte("some sv blog content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/myenblogcontent/d1", "en-d1-f.txt"), []byte("some en blog content in a"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/myotherenblogcontent", "en-f2.txt"), []byte("some en content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/mysvdocs", "sv-docs.txt"), []byte("some sv docs content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/b/myenblogcontent", "en-b-f.txt"), []byte("some en content"), 0755), qt.IsNil) rfs, err := NewRootMappingFs(fs, RootMapping{ From: "content/blog", // Virtual path, first element is one of content, static, layouts etc. To: "themes/a/mysvblogcontent", // Real path Meta: FileMeta{"lang": "sv"}, }, RootMapping{ From: "content/blog", To: "themes/a/myenblogcontent", Meta: FileMeta{"lang": "en"}, }, RootMapping{ From: "content/blog", To: "content/sv", Meta: FileMeta{"lang": "sv"}, }, RootMapping{ From: "content/blog", To: "themes/a/myotherenblogcontent", Meta: FileMeta{"lang": "en"}, }, RootMapping{ From: "content/docs", To: "themes/a/mysvdocs", Meta: FileMeta{"lang": "sv"}, }, ) c.Assert(err, qt.IsNil) collected, err := collectFilenames(rfs, "content", "content") c.Assert(err, qt.IsNil) c.Assert(collected, qt.DeepEquals, []string{"blog/d1/en-d1-f.txt", "blog/d1/sv-d1-f.txt", "blog/en-f.txt", "blog/en-f2.txt", "blog/sv-f.txt", "blog/svdir/main.txt", "docs/sv-docs.txt"}, qt.Commentf("%#v", collected)) dirs, err := rfs.Dirs(filepath.FromSlash("content/blog")) c.Assert(err, qt.IsNil) c.Assert(len(dirs), qt.Equals, 4) for _, dir := range dirs { f, err := dir.Meta().Open() c.Assert(err, qt.IsNil) f.Close() } blog, err := rfs.Open(filepath.FromSlash("content/blog")) c.Assert(err, qt.IsNil) fis, err := blog.Readdir(-1) for _, fi := range fis { f, err := fi.(FileMetaInfo).Meta().Open() c.Assert(err, qt.IsNil) f.Close() } blog.Close() getDirnames := func(name string, rfs *RootMappingFs) []string { c.Helper() filename := filepath.FromSlash(name) f, err := rfs.Open(filename) c.Assert(err, qt.IsNil) names, err := f.Readdirnames(-1) f.Close() c.Assert(err, qt.IsNil) info, err := rfs.Stat(filename) c.Assert(err, qt.IsNil) f2, err := info.(FileMetaInfo).Meta().Open() c.Assert(err, qt.IsNil) names2, err := f2.Readdirnames(-1) c.Assert(err, qt.IsNil) c.Assert(names2, qt.DeepEquals, names) f2.Close() return names } rfsEn := rfs.Filter(func(rm RootMapping) bool { return rm.Meta.Lang() == "en" }) c.Assert(getDirnames("content/blog", rfsEn), qt.DeepEquals, []string{"d1", "en-f.txt", "en-f2.txt"}) rfsSv := rfs.Filter(func(rm RootMapping) bool { return rm.Meta.Lang() == "sv" }) c.Assert(getDirnames("content/blog", rfsSv), qt.DeepEquals, []string{"d1", "sv-f.txt", "svdir"}) // Make sure we have not messed with the original c.Assert(getDirnames("content/blog", rfs), qt.DeepEquals, []string{"d1", "sv-f.txt", "en-f.txt", "svdir", "en-f2.txt"}) c.Assert(getDirnames("content", rfsSv), qt.DeepEquals, []string{"blog", "docs"}) c.Assert(getDirnames("content", rfs), qt.DeepEquals, []string{"blog", "docs"}) } func TestRootMappingFsDirnames(t *testing.T) { c := qt.New(t) fs := NewBaseFileDecorator(afero.NewMemMapFs()) testfile := "myfile.txt" c.Assert(fs.Mkdir("f1t", 0755), qt.IsNil) c.Assert(fs.Mkdir("f2t", 0755), qt.IsNil) c.Assert(fs.Mkdir("f3t", 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("f2t", testfile), []byte("some content"), 0755), qt.IsNil) rfs, err := newRootMappingFsFromFromTo("", fs, "static/bf1", "f1t", "static/cf2", "f2t", "static/af3", "f3t") c.Assert(err, qt.IsNil) fif, err := rfs.Stat(filepath.Join("static/cf2", testfile)) c.Assert(err, qt.IsNil) c.Assert(fif.Name(), qt.Equals, "myfile.txt") fifm := fif.(FileMetaInfo).Meta() c.Assert(fifm.Filename(), qt.Equals, filepath.FromSlash("f2t/myfile.txt")) root, err := rfs.Open("static") c.Assert(err, qt.IsNil) dirnames, err := root.Readdirnames(-1) c.Assert(err, qt.IsNil) c.Assert(dirnames, qt.DeepEquals, []string{"af3", "bf1", "cf2"}) } func TestRootMappingFsFilename(t *testing.T) { c := qt.New(t) workDir, clean, err := htesting.CreateTempDir(Os, "hugo-root-filename") c.Assert(err, qt.IsNil) defer clean() fs := NewBaseFileDecorator(Os) testfilename := filepath.Join(workDir, "f1t/foo/file.txt") c.Assert(fs.MkdirAll(filepath.Join(workDir, "f1t/foo"), 0777), qt.IsNil) c.Assert(afero.WriteFile(fs, testfilename, []byte("content"), 0666), qt.IsNil) rfs, err := newRootMappingFsFromFromTo(workDir, fs, "static/f1", filepath.Join(workDir, "f1t"), "static/f2", filepath.Join(workDir, "f2t")) c.Assert(err, qt.IsNil) fi, err := rfs.Stat(filepath.FromSlash("static/f1/foo/file.txt")) c.Assert(err, qt.IsNil) fim := fi.(FileMetaInfo) c.Assert(fim.Meta().Filename(), qt.Equals, testfilename) _, err = rfs.Stat(filepath.FromSlash("static/f1")) c.Assert(err, qt.IsNil) } func TestRootMappingFsMount(t *testing.T) { c := qt.New(t) fs := NewBaseFileDecorator(afero.NewMemMapFs()) testfile := "test.txt" c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/mynoblogcontent", testfile), []byte("some no content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/myenblogcontent", testfile), []byte("some en content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/mysvblogcontent", testfile), []byte("some sv content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/mysvblogcontent", "other.txt"), []byte("some sv content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/singlefiles", "no.txt"), []byte("no text"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/singlefiles", "sv.txt"), []byte("sv text"), 0755), qt.IsNil) bfs := afero.NewBasePathFs(fs, "themes/a").(*afero.BasePathFs) rm := []RootMapping{ // Directories { From: "content/blog", To: "mynoblogcontent", Meta: FileMeta{"lang": "no"}, }, { From: "content/blog", To: "myenblogcontent", Meta: FileMeta{"lang": "en"}, }, { From: "content/blog", To: "mysvblogcontent", Meta: FileMeta{"lang": "sv"}, }, // Files { From: "content/singles/p1.md", To: "singlefiles/no.txt", ToBasedir: "singlefiles", Meta: FileMeta{"lang": "no"}, }, { From: "content/singles/p1.md", To: "singlefiles/sv.txt", ToBasedir: "singlefiles", Meta: FileMeta{"lang": "sv"}, }, } rfs, err := NewRootMappingFs(bfs, rm...) c.Assert(err, qt.IsNil) blog, err := rfs.Stat(filepath.FromSlash("content/blog")) c.Assert(err, qt.IsNil) c.Assert(blog.IsDir(), qt.Equals, true) blogm := blog.(FileMetaInfo).Meta() c.Assert(blogm.Lang(), qt.Equals, "no") // First match f, err := blogm.Open() c.Assert(err, qt.IsNil) defer f.Close() dirs1, err := f.Readdirnames(-1) c.Assert(err, qt.IsNil) // Union with duplicate dir names filtered. c.Assert(dirs1, qt.DeepEquals, []string{"test.txt", "test.txt", "other.txt", "test.txt"}) files, err := afero.ReadDir(rfs, filepath.FromSlash("content/blog")) c.Assert(err, qt.IsNil) c.Assert(len(files), qt.Equals, 4) testfilefi := files[1] c.Assert(testfilefi.Name(), qt.Equals, testfile) testfilem := testfilefi.(FileMetaInfo).Meta() c.Assert(testfilem.Filename(), qt.Equals, filepath.FromSlash("themes/a/mynoblogcontent/test.txt")) tf, err := testfilem.Open() c.Assert(err, qt.IsNil) defer tf.Close() b, err := ioutil.ReadAll(tf) c.Assert(err, qt.IsNil) c.Assert(string(b), qt.Equals, "some no content") // Ambiguous _, err = rfs.Stat(filepath.FromSlash("content/singles/p1.md")) c.Assert(err, qt.Not(qt.IsNil)) singlesDir, err := rfs.Open(filepath.FromSlash("content/singles")) c.Assert(err, qt.IsNil) defer singlesDir.Close() singles, err := singlesDir.Readdir(-1) c.Assert(err, qt.IsNil) c.Assert(singles, qt.HasLen, 2) for i, lang := range []string{"no", "sv"} { fi := singles[i].(FileMetaInfo) c.Assert(fi.Meta().PathFile(), qt.Equals, filepath.FromSlash("themes/a/singlefiles/"+lang+".txt")) c.Assert(fi.Meta().Lang(), qt.Equals, lang) c.Assert(fi.Name(), qt.Equals, "p1.md") } } func TestRootMappingFsMountOverlap(t *testing.T) { c := qt.New(t) fs := NewBaseFileDecorator(afero.NewMemMapFs()) c.Assert(afero.WriteFile(fs, filepath.FromSlash("da/a.txt"), []byte("some no content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.FromSlash("db/b.txt"), []byte("some no content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.FromSlash("dc/c.txt"), []byte("some no content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.FromSlash("de/e.txt"), []byte("some no content"), 0755), qt.IsNil) rm := []RootMapping{ { From: "static", To: "da", }, { From: "static/b", To: "db", }, { From: "static/b/c", To: "dc", }, { From: "/static/e/", To: "de", }, } rfs, err := NewRootMappingFs(fs, rm...) c.Assert(err, qt.IsNil) checkDirnames := func(name string, expect []string) { c.Helper() name = filepath.FromSlash(name) f, err := rfs.Open(name) c.Assert(err, qt.IsNil) defer f.Close() names, err := f.Readdirnames(-1) c.Assert(err, qt.IsNil) c.Assert(names, qt.DeepEquals, expect, qt.Commentf(fmt.Sprintf("%#v", names))) } checkDirnames("static", []string{"a.txt", "b", "e"}) checkDirnames("static/b", []string{"b.txt", "c"}) checkDirnames("static/b/c", []string{"c.txt"}) fi, err := rfs.Stat(filepath.FromSlash("static/b/b.txt")) c.Assert(err, qt.IsNil) c.Assert(fi.Name(), qt.Equals, "b.txt") } func TestRootMappingFsOs(t *testing.T) { c := qt.New(t) fs := NewBaseFileDecorator(afero.NewOsFs()) d, clean, err := htesting.CreateTempDir(fs, "hugo-root-mapping-os") c.Assert(err, qt.IsNil) defer clean() testfile := "myfile.txt" c.Assert(fs.Mkdir(filepath.Join(d, "f1t"), 0755), qt.IsNil) c.Assert(fs.Mkdir(filepath.Join(d, "f2t"), 0755), qt.IsNil) c.Assert(fs.Mkdir(filepath.Join(d, "f3t"), 0755), qt.IsNil) // Deep structure deepDir := filepath.Join(d, "d1", "d2", "d3", "d4", "d5") c.Assert(fs.MkdirAll(deepDir, 0755), qt.IsNil) for i := 1; i <= 3; i++ { c.Assert(fs.MkdirAll(filepath.Join(d, "d1", "d2", "d3", "d4", fmt.Sprintf("d4-%d", i)), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join(d, "d1", "d2", "d3", fmt.Sprintf("f-%d.txt", i)), []byte("some content"), 0755), qt.IsNil) } c.Assert(afero.WriteFile(fs, filepath.Join(d, "f2t", testfile), []byte("some content"), 0755), qt.IsNil) // https://github.com/gohugoio/hugo/issues/6854 mystaticDir := filepath.Join(d, "mystatic", "a", "b", "c") c.Assert(fs.MkdirAll(mystaticDir, 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join(mystaticDir, "ms-1.txt"), []byte("some content"), 0755), qt.IsNil) rfs, err := newRootMappingFsFromFromTo( d, fs, "static/bf1", filepath.Join(d, "f1t"), "static/cf2", filepath.Join(d, "f2t"), "static/af3", filepath.Join(d, "f3t"), "static", filepath.Join(d, "mystatic"), "static/a/b/c", filepath.Join(d, "d1", "d2", "d3"), "layouts", filepath.Join(d, "d1"), ) c.Assert(err, qt.IsNil) fif, err := rfs.Stat(filepath.Join("static/cf2", testfile)) c.Assert(err, qt.IsNil) c.Assert(fif.Name(), qt.Equals, "myfile.txt") root, err := rfs.Open("static") c.Assert(err, qt.IsNil) dirnames, err := root.Readdirnames(-1) c.Assert(err, qt.IsNil) c.Assert(dirnames, qt.DeepEquals, []string{"a", "af3", "bf1", "cf2"}, qt.Commentf(fmt.Sprintf("%#v", dirnames))) getDirnames := func(dirname string) []string { dirname = filepath.FromSlash(dirname) f, err := rfs.Open(dirname) c.Assert(err, qt.IsNil) defer f.Close() dirnames, err := f.Readdirnames(-1) c.Assert(err, qt.IsNil) sort.Strings(dirnames) return dirnames } c.Assert(getDirnames("static/a/b"), qt.DeepEquals, []string{"c"}) c.Assert(getDirnames("static/a/b/c"), qt.DeepEquals, []string{"d4", "f-1.txt", "f-2.txt", "f-3.txt", "ms-1.txt"}) c.Assert(getDirnames("static/a/b/c/d4"), qt.DeepEquals, []string{"d4-1", "d4-2", "d4-3", "d5"}) all, err := collectFilenames(rfs, "static", "static") c.Assert(err, qt.IsNil) c.Assert(all, qt.DeepEquals, []string{"a/b/c/f-1.txt", "a/b/c/f-2.txt", "a/b/c/f-3.txt", "a/b/c/ms-1.txt", "cf2/myfile.txt"}) fis, err := collectFileinfos(rfs, "static", "static") c.Assert(err, qt.IsNil) c.Assert(fis[9].Meta().PathFile(), qt.Equals, filepath.FromSlash("d1/d2/d3/f-1.txt")) dirc := fis[3].Meta() f, err := dirc.Open() c.Assert(err, qt.IsNil) defer f.Close() fileInfos, err := f.Readdir(-1) c.Assert(err, qt.IsNil) sortFileInfos(fileInfos) i := 0 for _, fi := range fileInfos { if fi.IsDir() || fi.Name() == "ms-1.txt" { continue } i++ meta := fi.(FileMetaInfo).Meta() c.Assert(meta.Filename(), qt.Equals, filepath.Join(d, fmt.Sprintf("/d1/d2/d3/f-%d.txt", i))) c.Assert(meta.PathFile(), qt.Equals, filepath.FromSlash(fmt.Sprintf("d1/d2/d3/f-%d.txt", i))) } _, err = rfs.Stat(filepath.FromSlash("layouts/d2/d3/f-1.txt")) c.Assert(err, qt.IsNil) _, err = rfs.Stat(filepath.FromSlash("layouts/d2/d3")) c.Assert(err, qt.IsNil) } func TestRootMappingFsOsBase(t *testing.T) { c := qt.New(t) fs := NewBaseFileDecorator(afero.NewOsFs()) d, clean, err := htesting.CreateTempDir(fs, "hugo-root-mapping-os-base") c.Assert(err, qt.IsNil) defer clean() // Deep structure deepDir := filepath.Join(d, "d1", "d2", "d3", "d4", "d5") c.Assert(fs.MkdirAll(deepDir, 0755), qt.IsNil) for i := 1; i <= 3; i++ { c.Assert(fs.MkdirAll(filepath.Join(d, "d1", "d2", "d3", "d4", fmt.Sprintf("d4-%d", i)), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join(d, "d1", "d2", "d3", fmt.Sprintf("f-%d.txt", i)), []byte("some content"), 0755), qt.IsNil) } mystaticDir := filepath.Join(d, "mystatic", "a", "b", "c") c.Assert(fs.MkdirAll(mystaticDir, 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join(mystaticDir, "ms-1.txt"), []byte("some content"), 0755), qt.IsNil) bfs := afero.NewBasePathFs(fs, d) rfs, err := newRootMappingFsFromFromTo( "", bfs, "static", "mystatic", "static/a/b/c", filepath.Join("d1", "d2", "d3"), ) getDirnames := func(dirname string) []string { dirname = filepath.FromSlash(dirname) f, err := rfs.Open(dirname) c.Assert(err, qt.IsNil) defer f.Close() dirnames, err := f.Readdirnames(-1) c.Assert(err, qt.IsNil) sort.Strings(dirnames) return dirnames } c.Assert(getDirnames("static/a/b/c"), qt.DeepEquals, []string{"d4", "f-1.txt", "f-2.txt", "f-3.txt", "ms-1.txt"}) }
// Copyright 2019 The Hugo Authors. All rights reserved. // // 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. package hugofs import ( "fmt" "io/ioutil" "path/filepath" "sort" "testing" "github.com/spf13/viper" qt "github.com/frankban/quicktest" "github.com/gohugoio/hugo/htesting" "github.com/spf13/afero" ) func TestLanguageRootMapping(t *testing.T) { c := qt.New(t) v := viper.New() v.Set("contentDir", "content") fs := NewBaseFileDecorator(afero.NewMemMapFs()) c.Assert(afero.WriteFile(fs, filepath.Join("content/sv/svdir", "main.txt"), []byte("main sv"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/mysvblogcontent", "sv-f.txt"), []byte("some sv blog content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/myenblogcontent", "en-f.txt"), []byte("some en blog content in a"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/mysvblogcontent/d1", "sv-d1-f.txt"), []byte("some sv blog content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/myenblogcontent/d1", "en-d1-f.txt"), []byte("some en blog content in a"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/myotherenblogcontent", "en-f2.txt"), []byte("some en content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/mysvdocs", "sv-docs.txt"), []byte("some sv docs content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/b/myenblogcontent", "en-b-f.txt"), []byte("some en content"), 0755), qt.IsNil) rfs, err := NewRootMappingFs(fs, RootMapping{ From: "content/blog", // Virtual path, first element is one of content, static, layouts etc. To: "themes/a/mysvblogcontent", // Real path Meta: FileMeta{"lang": "sv"}, }, RootMapping{ From: "content/blog", To: "themes/a/myenblogcontent", Meta: FileMeta{"lang": "en"}, }, RootMapping{ From: "content/blog", To: "content/sv", Meta: FileMeta{"lang": "sv"}, }, RootMapping{ From: "content/blog", To: "themes/a/myotherenblogcontent", Meta: FileMeta{"lang": "en"}, }, RootMapping{ From: "content/docs", To: "themes/a/mysvdocs", Meta: FileMeta{"lang": "sv"}, }, ) c.Assert(err, qt.IsNil) collected, err := collectFilenames(rfs, "content", "content") c.Assert(err, qt.IsNil) c.Assert(collected, qt.DeepEquals, []string{"blog/d1/en-d1-f.txt", "blog/d1/sv-d1-f.txt", "blog/en-f.txt", "blog/en-f2.txt", "blog/sv-f.txt", "blog/svdir/main.txt", "docs/sv-docs.txt"}, qt.Commentf("%#v", collected)) dirs, err := rfs.Dirs(filepath.FromSlash("content/blog")) c.Assert(err, qt.IsNil) c.Assert(len(dirs), qt.Equals, 4) for _, dir := range dirs { f, err := dir.Meta().Open() c.Assert(err, qt.IsNil) f.Close() } blog, err := rfs.Open(filepath.FromSlash("content/blog")) c.Assert(err, qt.IsNil) fis, err := blog.Readdir(-1) for _, fi := range fis { f, err := fi.(FileMetaInfo).Meta().Open() c.Assert(err, qt.IsNil) f.Close() } blog.Close() getDirnames := func(name string, rfs *RootMappingFs) []string { c.Helper() filename := filepath.FromSlash(name) f, err := rfs.Open(filename) c.Assert(err, qt.IsNil) names, err := f.Readdirnames(-1) f.Close() c.Assert(err, qt.IsNil) info, err := rfs.Stat(filename) c.Assert(err, qt.IsNil) f2, err := info.(FileMetaInfo).Meta().Open() c.Assert(err, qt.IsNil) names2, err := f2.Readdirnames(-1) c.Assert(err, qt.IsNil) c.Assert(names2, qt.DeepEquals, names) f2.Close() return names } rfsEn := rfs.Filter(func(rm RootMapping) bool { return rm.Meta.Lang() == "en" }) c.Assert(getDirnames("content/blog", rfsEn), qt.DeepEquals, []string{"d1", "en-f.txt", "en-f2.txt"}) rfsSv := rfs.Filter(func(rm RootMapping) bool { return rm.Meta.Lang() == "sv" }) c.Assert(getDirnames("content/blog", rfsSv), qt.DeepEquals, []string{"d1", "sv-f.txt", "svdir"}) // Make sure we have not messed with the original c.Assert(getDirnames("content/blog", rfs), qt.DeepEquals, []string{"d1", "sv-f.txt", "en-f.txt", "svdir", "en-f2.txt"}) c.Assert(getDirnames("content", rfsSv), qt.DeepEquals, []string{"blog", "docs"}) c.Assert(getDirnames("content", rfs), qt.DeepEquals, []string{"blog", "docs"}) } func TestRootMappingFsDirnames(t *testing.T) { c := qt.New(t) fs := NewBaseFileDecorator(afero.NewMemMapFs()) testfile := "myfile.txt" c.Assert(fs.Mkdir("f1t", 0755), qt.IsNil) c.Assert(fs.Mkdir("f2t", 0755), qt.IsNil) c.Assert(fs.Mkdir("f3t", 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("f2t", testfile), []byte("some content"), 0755), qt.IsNil) rfs, err := newRootMappingFsFromFromTo("", fs, "static/bf1", "f1t", "static/cf2", "f2t", "static/af3", "f3t") c.Assert(err, qt.IsNil) fif, err := rfs.Stat(filepath.Join("static/cf2", testfile)) c.Assert(err, qt.IsNil) c.Assert(fif.Name(), qt.Equals, "myfile.txt") fifm := fif.(FileMetaInfo).Meta() c.Assert(fifm.Filename(), qt.Equals, filepath.FromSlash("f2t/myfile.txt")) root, err := rfs.Open("static") c.Assert(err, qt.IsNil) dirnames, err := root.Readdirnames(-1) c.Assert(err, qt.IsNil) c.Assert(dirnames, qt.DeepEquals, []string{"af3", "bf1", "cf2"}) } func TestRootMappingFsFilename(t *testing.T) { c := qt.New(t) workDir, clean, err := htesting.CreateTempDir(Os, "hugo-root-filename") c.Assert(err, qt.IsNil) defer clean() fs := NewBaseFileDecorator(Os) testfilename := filepath.Join(workDir, "f1t/foo/file.txt") c.Assert(fs.MkdirAll(filepath.Join(workDir, "f1t/foo"), 0777), qt.IsNil) c.Assert(afero.WriteFile(fs, testfilename, []byte("content"), 0666), qt.IsNil) rfs, err := newRootMappingFsFromFromTo(workDir, fs, "static/f1", filepath.Join(workDir, "f1t"), "static/f2", filepath.Join(workDir, "f2t")) c.Assert(err, qt.IsNil) fi, err := rfs.Stat(filepath.FromSlash("static/f1/foo/file.txt")) c.Assert(err, qt.IsNil) fim := fi.(FileMetaInfo) c.Assert(fim.Meta().Filename(), qt.Equals, testfilename) _, err = rfs.Stat(filepath.FromSlash("static/f1")) c.Assert(err, qt.IsNil) } func TestRootMappingFsMount(t *testing.T) { c := qt.New(t) fs := NewBaseFileDecorator(afero.NewMemMapFs()) testfile := "test.txt" c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/mynoblogcontent", testfile), []byte("some no content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/myenblogcontent", testfile), []byte("some en content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/mysvblogcontent", testfile), []byte("some sv content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/mysvblogcontent", "other.txt"), []byte("some sv content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/singlefiles", "no.txt"), []byte("no text"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join("themes/a/singlefiles", "sv.txt"), []byte("sv text"), 0755), qt.IsNil) bfs := afero.NewBasePathFs(fs, "themes/a").(*afero.BasePathFs) rm := []RootMapping{ // Directories { From: "content/blog", To: "mynoblogcontent", Meta: FileMeta{"lang": "no"}, }, { From: "content/blog", To: "myenblogcontent", Meta: FileMeta{"lang": "en"}, }, { From: "content/blog", To: "mysvblogcontent", Meta: FileMeta{"lang": "sv"}, }, // Files { From: "content/singles/p1.md", To: "singlefiles/no.txt", ToBasedir: "singlefiles", Meta: FileMeta{"lang": "no"}, }, { From: "content/singles/p1.md", To: "singlefiles/sv.txt", ToBasedir: "singlefiles", Meta: FileMeta{"lang": "sv"}, }, } rfs, err := NewRootMappingFs(bfs, rm...) c.Assert(err, qt.IsNil) blog, err := rfs.Stat(filepath.FromSlash("content/blog")) c.Assert(err, qt.IsNil) c.Assert(blog.IsDir(), qt.Equals, true) blogm := blog.(FileMetaInfo).Meta() c.Assert(blogm.Lang(), qt.Equals, "no") // First match f, err := blogm.Open() c.Assert(err, qt.IsNil) defer f.Close() dirs1, err := f.Readdirnames(-1) c.Assert(err, qt.IsNil) // Union with duplicate dir names filtered. c.Assert(dirs1, qt.DeepEquals, []string{"test.txt", "test.txt", "other.txt", "test.txt"}) files, err := afero.ReadDir(rfs, filepath.FromSlash("content/blog")) c.Assert(err, qt.IsNil) c.Assert(len(files), qt.Equals, 4) testfilefi := files[1] c.Assert(testfilefi.Name(), qt.Equals, testfile) testfilem := testfilefi.(FileMetaInfo).Meta() c.Assert(testfilem.Filename(), qt.Equals, filepath.FromSlash("themes/a/mynoblogcontent/test.txt")) tf, err := testfilem.Open() c.Assert(err, qt.IsNil) defer tf.Close() b, err := ioutil.ReadAll(tf) c.Assert(err, qt.IsNil) c.Assert(string(b), qt.Equals, "some no content") // Ambiguous _, err = rfs.Stat(filepath.FromSlash("content/singles/p1.md")) c.Assert(err, qt.Not(qt.IsNil)) singlesDir, err := rfs.Open(filepath.FromSlash("content/singles")) c.Assert(err, qt.IsNil) defer singlesDir.Close() singles, err := singlesDir.Readdir(-1) c.Assert(err, qt.IsNil) c.Assert(singles, qt.HasLen, 2) for i, lang := range []string{"no", "sv"} { fi := singles[i].(FileMetaInfo) c.Assert(fi.Meta().PathFile(), qt.Equals, filepath.FromSlash("themes/a/singlefiles/"+lang+".txt")) c.Assert(fi.Meta().Lang(), qt.Equals, lang) c.Assert(fi.Name(), qt.Equals, "p1.md") } } func TestRootMappingFsMountOverlap(t *testing.T) { c := qt.New(t) fs := NewBaseFileDecorator(afero.NewMemMapFs()) c.Assert(afero.WriteFile(fs, filepath.FromSlash("da/a.txt"), []byte("some no content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.FromSlash("db/b.txt"), []byte("some no content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.FromSlash("dc/c.txt"), []byte("some no content"), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.FromSlash("de/e.txt"), []byte("some no content"), 0755), qt.IsNil) rm := []RootMapping{ { From: "static", To: "da", }, { From: "static/b", To: "db", }, { From: "static/b/c", To: "dc", }, { From: "/static/e/", To: "de", }, } rfs, err := NewRootMappingFs(fs, rm...) c.Assert(err, qt.IsNil) checkDirnames := func(name string, expect []string) { c.Helper() name = filepath.FromSlash(name) f, err := rfs.Open(name) c.Assert(err, qt.IsNil) defer f.Close() names, err := f.Readdirnames(-1) c.Assert(err, qt.IsNil) c.Assert(names, qt.DeepEquals, expect, qt.Commentf(fmt.Sprintf("%#v", names))) } checkDirnames("static", []string{"a.txt", "b", "e"}) checkDirnames("static/b", []string{"b.txt", "c"}) checkDirnames("static/b/c", []string{"c.txt"}) fi, err := rfs.Stat(filepath.FromSlash("static/b/b.txt")) c.Assert(err, qt.IsNil) c.Assert(fi.Name(), qt.Equals, "b.txt") } func TestRootMappingFsOs(t *testing.T) { c := qt.New(t) fs := NewBaseFileDecorator(afero.NewOsFs()) d, clean, err := htesting.CreateTempDir(fs, "hugo-root-mapping-os") c.Assert(err, qt.IsNil) defer clean() testfile := "myfile.txt" c.Assert(fs.Mkdir(filepath.Join(d, "f1t"), 0755), qt.IsNil) c.Assert(fs.Mkdir(filepath.Join(d, "f2t"), 0755), qt.IsNil) c.Assert(fs.Mkdir(filepath.Join(d, "f3t"), 0755), qt.IsNil) // Deep structure deepDir := filepath.Join(d, "d1", "d2", "d3", "d4", "d5") c.Assert(fs.MkdirAll(deepDir, 0755), qt.IsNil) for i := 1; i <= 3; i++ { c.Assert(fs.MkdirAll(filepath.Join(d, "d1", "d2", "d3", "d4", fmt.Sprintf("d4-%d", i)), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join(d, "d1", "d2", "d3", fmt.Sprintf("f-%d.txt", i)), []byte("some content"), 0755), qt.IsNil) } c.Assert(afero.WriteFile(fs, filepath.Join(d, "f2t", testfile), []byte("some content"), 0755), qt.IsNil) // https://github.com/gohugoio/hugo/issues/6854 mystaticDir := filepath.Join(d, "mystatic", "a", "b", "c") c.Assert(fs.MkdirAll(mystaticDir, 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join(mystaticDir, "ms-1.txt"), []byte("some content"), 0755), qt.IsNil) rfs, err := newRootMappingFsFromFromTo( d, fs, "static/bf1", filepath.Join(d, "f1t"), "static/cf2", filepath.Join(d, "f2t"), "static/af3", filepath.Join(d, "f3t"), "static", filepath.Join(d, "mystatic"), "static/a/b/c", filepath.Join(d, "d1", "d2", "d3"), "layouts", filepath.Join(d, "d1"), ) c.Assert(err, qt.IsNil) fif, err := rfs.Stat(filepath.Join("static/cf2", testfile)) c.Assert(err, qt.IsNil) c.Assert(fif.Name(), qt.Equals, "myfile.txt") root, err := rfs.Open("static") c.Assert(err, qt.IsNil) dirnames, err := root.Readdirnames(-1) c.Assert(err, qt.IsNil) c.Assert(dirnames, qt.DeepEquals, []string{"a", "af3", "bf1", "cf2"}, qt.Commentf(fmt.Sprintf("%#v", dirnames))) getDirnames := func(dirname string) []string { dirname = filepath.FromSlash(dirname) f, err := rfs.Open(dirname) c.Assert(err, qt.IsNil) defer f.Close() dirnames, err := f.Readdirnames(-1) c.Assert(err, qt.IsNil) sort.Strings(dirnames) return dirnames } c.Assert(getDirnames("static/a/b"), qt.DeepEquals, []string{"c"}) c.Assert(getDirnames("static/a/b/c"), qt.DeepEquals, []string{"d4", "f-1.txt", "f-2.txt", "f-3.txt", "ms-1.txt"}) c.Assert(getDirnames("static/a/b/c/d4"), qt.DeepEquals, []string{"d4-1", "d4-2", "d4-3", "d5"}) all, err := collectFilenames(rfs, "static", "static") c.Assert(err, qt.IsNil) c.Assert(all, qt.DeepEquals, []string{"a/b/c/f-1.txt", "a/b/c/f-2.txt", "a/b/c/f-3.txt", "a/b/c/ms-1.txt", "cf2/myfile.txt"}) fis, err := collectFileinfos(rfs, "static", "static") c.Assert(err, qt.IsNil) c.Assert(fis[9].Meta().PathFile(), qt.Equals, filepath.FromSlash("d1/d2/d3/f-1.txt")) dirc := fis[3].Meta() f, err := dirc.Open() c.Assert(err, qt.IsNil) defer f.Close() fileInfos, err := f.Readdir(-1) c.Assert(err, qt.IsNil) sortFileInfos(fileInfos) i := 0 for _, fi := range fileInfos { if fi.IsDir() || fi.Name() == "ms-1.txt" { continue } i++ meta := fi.(FileMetaInfo).Meta() c.Assert(meta.Filename(), qt.Equals, filepath.Join(d, fmt.Sprintf("/d1/d2/d3/f-%d.txt", i))) c.Assert(meta.PathFile(), qt.Equals, filepath.FromSlash(fmt.Sprintf("d1/d2/d3/f-%d.txt", i))) } _, err = rfs.Stat(filepath.FromSlash("layouts/d2/d3/f-1.txt")) c.Assert(err, qt.IsNil) _, err = rfs.Stat(filepath.FromSlash("layouts/d2/d3")) c.Assert(err, qt.IsNil) } func TestRootMappingFsOsBase(t *testing.T) { c := qt.New(t) fs := NewBaseFileDecorator(afero.NewOsFs()) d, clean, err := htesting.CreateTempDir(fs, "hugo-root-mapping-os-base") c.Assert(err, qt.IsNil) defer clean() // Deep structure deepDir := filepath.Join(d, "d1", "d2", "d3", "d4", "d5") c.Assert(fs.MkdirAll(deepDir, 0755), qt.IsNil) for i := 1; i <= 3; i++ { c.Assert(fs.MkdirAll(filepath.Join(d, "d1", "d2", "d3", "d4", fmt.Sprintf("d4-%d", i)), 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join(d, "d1", "d2", "d3", fmt.Sprintf("f-%d.txt", i)), []byte("some content"), 0755), qt.IsNil) } mystaticDir := filepath.Join(d, "mystatic", "a", "b", "c") c.Assert(fs.MkdirAll(mystaticDir, 0755), qt.IsNil) c.Assert(afero.WriteFile(fs, filepath.Join(mystaticDir, "ms-1.txt"), []byte("some content"), 0755), qt.IsNil) bfs := afero.NewBasePathFs(fs, d) rfs, err := newRootMappingFsFromFromTo( "", bfs, "static", "mystatic", "static/a/b/c", filepath.Join("d1", "d2", "d3"), ) getDirnames := func(dirname string) []string { dirname = filepath.FromSlash(dirname) f, err := rfs.Open(dirname) c.Assert(err, qt.IsNil) defer f.Close() dirnames, err := f.Readdirnames(-1) c.Assert(err, qt.IsNil) sort.Strings(dirnames) return dirnames } c.Assert(getDirnames("static/a/b/c"), qt.DeepEquals, []string{"d4", "f-1.txt", "f-2.txt", "f-3.txt", "ms-1.txt"}) }
-1