Fix some recently broken embedded templates
authorBjørn Erik Pedersen <bjorn.erik.pedersen@gmail.com>
Wed, 23 May 2018 08:03:11 +0000 (10:03 +0200)
committerBjørn Erik Pedersen <bjorn.erik.pedersen@gmail.com>
Wed, 23 May 2018 08:03:11 +0000 (10:03 +0200)
And add tests for them.

Fixes #4757

commands/hugo.go
deps/deps.go
helpers/general.go
hugolib/embedded_templates_test.go [new file with mode: 0644]
hugolib/hugo_sites.go
hugolib/page_output.go
hugolib/site.go
hugolib/testhelpers_test.go
tpl/tplimpl/embedded/templates.autogen.go
tpl/tplimpl/embedded/templates/google_analytics.html
tpl/tplimpl/embedded/templates/google_analytics_async.html

index e2d447768fd9c83bfe8b27d114a5cfd1e4eefb9d..b898a9b7b1a3356049fa56fd820a0796feab93d1 100644 (file)
@@ -84,11 +84,11 @@ func Execute(args []string) Response {
        }
 
        if err == nil {
-               errCount := jww.LogCountForLevelsGreaterThanorEqualTo(jww.LevelError)
+               errCount := int(jww.LogCountForLevelsGreaterThanorEqualTo(jww.LevelError))
                if errCount > 0 {
                        err = fmt.Errorf("logged %d errors", errCount)
                } else if resp.Result != nil {
-                       errCount = resp.Result.Log.LogCountForLevelsGreaterThanorEqualTo(jww.LevelError)
+                       errCount = resp.Result.NumLogErrors()
                        if errCount > 0 {
                                err = fmt.Errorf("logged %d errors", errCount)
                        }
index 475d678a9d17fc46db5fca8c0d7e29d377d26c97..9a502b58965fca1ec6e6f0be6b5f76db4e64ae3d 100644 (file)
@@ -23,6 +23,9 @@ type Deps struct {
        // The logger to use.
        Log *jww.Notepad `json:"-"`
 
+       // Used to log errors that may repeat itself many times.
+       DistinctErrorLog *helpers.DistinctLogger
+
        // The templates to use. This will usually implement the full tpl.TemplateHandler.
        Tmpl tpl.TemplateFinder `json:"-"`
 
@@ -137,9 +140,12 @@ func New(cfg DepsCfg) (*Deps, error) {
                timeoutms = 3000
        }
 
+       distinctErrorLogger := helpers.NewDistinctLogger(logger.ERROR)
+
        d := &Deps{
                Fs:                  fs,
                Log:                 logger,
+               DistinctErrorLog: distinctErrorLogger,
                templateProvider:    cfg.TemplateProvider,
                translationProvider: cfg.TranslationProvider,
                WithTemplate:        cfg.WithTemplate,
index e6c0ec8e57474fa12ad194b949097d266f71e596..5b46520e536567804a89b155330d7e0cb97c4b6d 100644 (file)
@@ -260,7 +260,8 @@ func (p *PathSpec) ThemeSet() bool {
        return p.theme != ""
 }
 
-type logPrinter interface {
+// LogPrinter is the common interface of the JWWs loggers.
+type LogPrinter interface {
        // Println is the only common method that works in all of JWWs loggers.
        Println(a ...interface{})
 }
@@ -268,7 +269,7 @@ type logPrinter interface {
 // DistinctLogger ignores duplicate log statements.
 type DistinctLogger struct {
        sync.RWMutex
-       logger logPrinter
+       logger LogPrinter
        m      map[string]bool
 }
 
@@ -309,6 +310,11 @@ func NewDistinctErrorLogger() *DistinctLogger {
        return &DistinctLogger{m: make(map[string]bool), logger: jww.ERROR}
 }
 
+// NewDistinctLogger creates a new DistinctLogger that logs to the provided logger.
+func NewDistinctLogger(logger LogPrinter) *DistinctLogger {
+       return &DistinctLogger{m: make(map[string]bool), logger: logger}
+}
+
 // NewDistinctWarnLogger creates a new DistinctLogger that logs WARNs
 func NewDistinctWarnLogger() *DistinctLogger {
        return &DistinctLogger{m: make(map[string]bool), logger: jww.WARN}
diff --git a/hugolib/embedded_templates_test.go b/hugolib/embedded_templates_test.go
new file mode 100644 (file)
index 0000000..fd620bd
--- /dev/null
@@ -0,0 +1,54 @@
+// 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 hugolib
+
+import (
+       "testing"
+
+       "github.com/stretchr/testify/require"
+)
+
+// Just some simple test of the embedded templates to avoid
+// https://github.com/gohugoio/hugo/issues/4757 and similar.
+func TestEmbeddedTemplates(t *testing.T) {
+       t.Parallel()
+
+       assert := require.New(t)
+       assert.True(true)
+
+       home := []string{"index.html", `
+GA:
+{{ template "_internal/google_analytics.html" . }}
+
+GA async:
+
+{{ template "_internal/google_analytics_async.html" . }}
+
+Disqus:
+
+{{ template "_internal/disqus.html" . }}
+
+`}
+
+       b := newTestSitesBuilder(t)
+       b.WithSimpleConfigFile().WithTemplatesAdded(home...)
+
+       b.Build(BuildCfg{})
+
+       // Gheck GA regular and async
+       b.AssertFileContent("public/index.html", "'script','https://www.google-analytics.com/analytics.js','ga');\n\tga('create', 'ga_id', 'auto')", "<script async src='//www.google-analytics.com/analytics.js'>")
+
+       // Disqus
+       b.AssertFileContent("public/index.html", "\"disqus_shortname\" + '.disqus.com/embed.js';")
+}
index e3defe974413d7c4786a3e4e3031548e26e2fef1..c5c08b19193d469ccd463ec759c14c16f2443618 100644 (file)
@@ -29,6 +29,7 @@ import (
        "github.com/gohugoio/hugo/i18n"
        "github.com/gohugoio/hugo/tpl"
        "github.com/gohugoio/hugo/tpl/tplimpl"
+       jww "github.com/spf13/jwalterweatherman"
 )
 
 // HugoSites represents the sites to build. Each site represents a language.
@@ -56,6 +57,13 @@ func (h *HugoSites) IsMultihost() bool {
        return h != nil && h.multihost
 }
 
+func (h *HugoSites) NumLogErrors() int {
+       if h == nil {
+               return 0
+       }
+       return int(h.Log.LogCountForLevelsGreaterThanorEqualTo(jww.LevelError))
+}
+
 func (h *HugoSites) PrintProcessingStats(w io.Writer) {
        stats := make([]*helpers.ProcessingStats, len(h.Sites))
        for i := 0; i < len(h.Sites); i++ {
index 5893bc172680e245637bc2bcb239690eec363a78..132d755f2cc15f032af981163850d01134265120 100644 (file)
@@ -24,7 +24,6 @@ import (
 
        "github.com/gohugoio/hugo/media"
 
-       "github.com/gohugoio/hugo/helpers"
        "github.com/gohugoio/hugo/output"
 )
 
@@ -115,7 +114,7 @@ func (p *PageOutput) layouts(layouts ...string) ([]string, error) {
 func (p *PageOutput) Render(layout ...string) template.HTML {
        l, err := p.layouts(layout...)
        if err != nil {
-               helpers.DistinctErrorLog.Printf("in .Render: Failed to resolve layout %q for page %q", layout, p.pathOrTitle())
+               p.s.DistinctErrorLog.Printf("in .Render: Failed to resolve layout %q for page %q", layout, p.pathOrTitle())
                return ""
        }
 
@@ -130,7 +129,7 @@ func (p *PageOutput) Render(layout ...string) template.HTML {
                if templ != nil {
                        res, err := templ.ExecuteToString(p)
                        if err != nil {
-                               helpers.DistinctErrorLog.Printf("in .Render: Failed to execute template %q: %s", layout, err)
+                               p.s.DistinctErrorLog.Printf("in .Render: Failed to execute template %q: %s", layout, err)
                                return template.HTML("")
                        }
                        return template.HTML(res)
index 378c005d66b05258847a53de98168e9dd559d5b8..2f47ac23615a1585982577ae0b545d8c9f255f27 100644 (file)
@@ -1746,7 +1746,7 @@ func (s *Site) renderAndWriteXML(statCounter *uint64, name string, dest string,
        }
        transformer := transform.NewChain(transform.AbsURLInXML)
        if err := transformer.Apply(outBuffer, renderBuffer, path); err != nil {
-               helpers.DistinctErrorLog.Println(err)
+               s.DistinctErrorLog.Println(err)
                return nil
        }
 
@@ -1805,7 +1805,7 @@ func (s *Site) renderAndWritePage(statCounter *uint64, name string, dest string,
 
        transformer := transform.NewChain(transformLinks...)
        if err := transformer.Apply(outBuffer, renderBuffer, path); err != nil {
-               helpers.DistinctErrorLog.Println(err)
+               s.DistinctErrorLog.Println(err)
                return nil
        }
 
@@ -1821,7 +1821,7 @@ func (s *Site) renderForLayouts(name string, d interface{}, w io.Writer, layouts
                        if templ != nil {
                                templName = templ.Name()
                        }
-                       helpers.DistinctErrorLog.Printf("Failed to render %q: %s", templName, r)
+                       s.DistinctErrorLog.Printf("Failed to render %q: %s", templName, r)
                        // TOD(bep) we really need to fix this. Also see below.
                        if !s.running() && !testMode {
                                os.Exit(-1)
@@ -1838,12 +1838,12 @@ func (s *Site) renderForLayouts(name string, d interface{}, w io.Writer, layouts
                // Behavior here should be dependent on if running in server or watch mode.
                if p, ok := d.(*PageOutput); ok {
                        if p.File != nil {
-                               helpers.DistinctErrorLog.Printf("Error while rendering %q in %q: %s", name, p.File.Dir(), err)
+                               s.DistinctErrorLog.Printf("Error while rendering %q in %q: %s", name, p.File.Dir(), err)
                        } else {
-                               helpers.DistinctErrorLog.Printf("Error while rendering %q: %s", name, err)
+                               s.DistinctErrorLog.Printf("Error while rendering %q: %s", name, err)
                        }
                } else {
-                       helpers.DistinctErrorLog.Printf("Error while rendering %q: %s", name, err)
+                       s.DistinctErrorLog.Printf("Error while rendering %q: %s", name, err)
                }
                if !s.running() && !testMode {
                        // TODO(bep) check if this can be propagated
index 62fe3860a7a7c96216373e20914098af47493846..7a93fcd9a667f460ad91b9d07c2ddfc25249ed5b 100644 (file)
@@ -135,10 +135,21 @@ func (s *sitesBuilder) WithThemeConfigFile(format, conf string) *sitesBuilder {
        return s
 }
 
+const commonConfigSections = `
+
+[services]
+[services.disqus]
+shortname = "disqus_shortname"
+[services.googleAnalytics]
+id = "ga_id"
+
+`
+
 func (s *sitesBuilder) WithSimpleConfigFile() *sitesBuilder {
        var config = `
 baseURL = "http://example.com/"
-`
+
+` + commonConfigSections
        return s.WithConfigFile("toml", config)
 }
 
@@ -198,7 +209,7 @@ languageName = "Bokmål"
 paginatePath = "side"
 [Languages.nb.Taxonomies]
 lag = "lag"
-`
+` + commonConfigSections
 
        return s.WithConfigFile("toml", defaultMultiSiteConfig)
 
@@ -311,6 +322,12 @@ func (s *sitesBuilder) build(cfg BuildCfg, shouldFail bool) *sitesBuilder {
                s.CreateSites()
        }
        err := s.H.Build(cfg)
+       if err == nil {
+               logErrorCount := s.H.NumLogErrors()
+               if logErrorCount > 0 {
+                       err = fmt.Errorf("logged %d errors", logErrorCount)
+               }
+       }
        if err != nil && !shouldFail {
                s.Fatalf("Build failed: %s", err)
        } else if err == nil && shouldFail {
index bd33e77b5f832ad06d79324144e79f5d94eea7f6..3f55d20864083a38e2905678e55573c4a93e9623 100644 (file)
@@ -99,7 +99,7 @@ var EmbeddedTemplates = [][2]string{
 <noscript>Please enable JavaScript to view the <a href="https://disqus.com/?ref_noscript">comments powered by Disqus.</a></noscript>
 <a href="https://disqus.com" class="dsq-brlink">comments powered by <span class="logo-disqus">Disqus</span></a>{{end}}
 {{- end -}}`},
-       {`google_analytics.html`, `{{- $pc := .Site.PrivacyConfig.GoogleAnalytics -}}
+       {`google_analytics.html`, `{{- $pc := .Site.Config.Privacy.GoogleAnalytics -}}
 {{- if not $pc.Disable -}}
 {{ with .Site.GoogleAnalytics }}
 <script>
@@ -116,7 +116,7 @@ if (!doNotTrack) {
 {{ end }}
 {{- end -}}
 {{- define "__ga_js_set_doNotTrack" -}}{{/* This is also used in the async version. */}}
-{{- $pc := .Site.PrivacyConfig.GoogleAnalytics -}}
+{{- $pc := .Site.Config.Privacy.GoogleAnalytics -}}
 {{- if not $pc.RespectDoNotTrack -}}
 var doNotTrack = false;
 {{- else -}}
@@ -124,7 +124,7 @@ var dnt = (navigator.doNotTrack || window.doNotTrack || navigator.msDoNotTrack);
 var doNotTrack = (dnt == "1" || dnt == "yes");
 {{- end -}}
 {{- end -}}`},
-       {`google_analytics_async.html`, `{{- $pc := .Site.PrivacyConfig.GoogleAnalytics -}}
+       {`google_analytics_async.html`, `{{- $pc := .Site.Config.Privacy.GoogleAnalytics -}}
 {{- if not $pc.Disable -}}
 {{ with .Site.GoogleAnalytics }}
 <script>
index 8c7951b589b3ac4aa4050e77b3ee406d7e4d80ab..ae4898c7a219dc478b0277d64271d11f5a7aae81 100755 (executable)
@@ -1,4 +1,4 @@
-{{- $pc := .Site.PrivacyConfig.GoogleAnalytics -}}
+{{- $pc := .Site.Config.Privacy.GoogleAnalytics -}}
 {{- if not $pc.Disable -}}
 {{ with .Site.GoogleAnalytics }}
 <script>
@@ -15,7 +15,7 @@ if (!doNotTrack) {
 {{ end }}
 {{- end -}}
 {{- define "__ga_js_set_doNotTrack" -}}{{/* This is also used in the async version. */}}
-{{- $pc := .Site.PrivacyConfig.GoogleAnalytics -}}
+{{- $pc := .Site.Config.Privacy.GoogleAnalytics -}}
 {{- if not $pc.RespectDoNotTrack -}}
 var doNotTrack = false;
 {{- else -}}
index 48a24c1c038e2c8e24c257d4107e5a97e80d093c..b81ade02571239b3dead684926eb245786d532fd 100755 (executable)
@@ -1,4 +1,4 @@
-{{- $pc := .Site.PrivacyConfig.GoogleAnalytics -}}
+{{- $pc := .Site.Config.Privacy.GoogleAnalytics -}}
 {{- if not $pc.Disable -}}
 {{ with .Site.GoogleAnalytics }}
 <script>