Fix handling of HTML files without front matter
authorBjørn Erik Pedersen <bjorn.erik.pedersen@gmail.com>
Mon, 9 Mar 2020 11:04:33 +0000 (12:04 +0100)
committerBjørn Erik Pedersen <bjorn.erik.pedersen@gmail.com>
Mon, 9 Mar 2020 14:01:55 +0000 (15:01 +0100)
This means that any HTML file inside /content will be treated as a regular file.

If you want it processes with shortcodes and a layout, add front matter.

The defintion of an HTML file here is:

* File with extension .htm or .html
* With first non-whitespace character "<" that isn't a HTML comment.

This is in line with the documentation.

Fixes #7030
Fixes #7028
See #6789

18 files changed:
deps/deps.go
deps/deps_test.go
hugofs/files/classifier.go
hugofs/files/classifier_test.go
hugofs/filter_fs.go
hugolib/content_map_test.go
hugolib/content_render_hooks_test.go
hugolib/page.go
hugolib/page__content.go
hugolib/page__per_output.go
hugolib/shortcode.go
hugolib/site_test.go
hugolib/template_test.go
parser/pageparser/item.go
parser/pageparser/pagelexer_intro.go
parser/pageparser/pageparser_intro_test.go
tpl/template.go
tpl/tplimpl/template.go

index 8f3d81632c7c4cfdef6501cd5f612907257c5aac..49b056a7fa2d3f88d814ade0863f85f2720595e0 100644 (file)
@@ -5,7 +5,6 @@ import (
        "time"
 
        "github.com/pkg/errors"
-       "go.uber.org/atomic"
 
        "github.com/gohugoio/hugo/cache/filecache"
        "github.com/gohugoio/hugo/common/loggers"
@@ -377,11 +376,8 @@ type DepsCfg struct {
 
 // BuildFlags are flags that may be turned on during a build.
 type BuildFlags struct {
-       HasLateTemplate atomic.Bool
 }
 
 func NewBuildFlags() BuildFlags {
-       return BuildFlags{
-               //HasLateTemplate: atomic.NewBool(false),
-       }
+       return BuildFlags{}
 }
index e2dca0eccb4d96eeb516dc8035d21f14d3d5a03c..a7450a41c0df78e7fa2f6136ad7cc641071630cb 100644 (file)
@@ -15,14 +15,8 @@ package deps
 
 import (
        "testing"
-
-       qt "github.com/frankban/quicktest"
 )
 
 func TestBuildFlags(t *testing.T) {
-       c := qt.New(t)
-       var bf BuildFlags
-       c.Assert(bf.HasLateTemplate.Load(), qt.Equals, false)
-       bf.HasLateTemplate.Store(true)
-       c.Assert(bf.HasLateTemplate.Load(), qt.Equals, true)
+
 }
index e8f8241b7157157904d108032034d55125092bbb..5e26bbac029641f79d27dd5cf58a2f4b2bc231ca 100644 (file)
 package files
 
 import (
+       "bufio"
+       "fmt"
+       "io"
        "os"
        "path/filepath"
        "sort"
        "strings"
+       "unicode"
+
+       "github.com/spf13/afero"
 )
 
 var (
@@ -32,6 +38,11 @@ var (
                "pandoc", "pdc"}
 
        contentFileExtensionsSet map[string]bool
+
+       htmlFileExtensions = []string{
+               "html", "htm"}
+
+       htmlFileExtensionsSet map[string]bool
 )
 
 func init() {
@@ -39,12 +50,20 @@ func init() {
        for _, ext := range contentFileExtensions {
                contentFileExtensionsSet[ext] = true
        }
+       htmlFileExtensionsSet = make(map[string]bool)
+       for _, ext := range htmlFileExtensions {
+               htmlFileExtensionsSet[ext] = true
+       }
 }
 
 func IsContentFile(filename string) bool {
        return contentFileExtensionsSet[strings.TrimPrefix(filepath.Ext(filename), ".")]
 }
 
+func IsHTMLFile(filename string) bool {
+       return htmlFileExtensionsSet[strings.TrimPrefix(filepath.Ext(filename), ".")]
+}
+
 func IsContentExt(ext string) bool {
        return contentFileExtensionsSet[ext]
 }
@@ -62,10 +81,33 @@ func (c ContentClass) IsBundle() bool {
        return c == ContentClassLeaf || c == ContentClassBranch
 }
 
-func ClassifyContentFile(filename string) ContentClass {
+func ClassifyContentFile(filename string, open func() (afero.File, error)) ContentClass {
        if !IsContentFile(filename) {
                return ContentClassFile
        }
+
+       if IsHTMLFile(filename) {
+               // We need to look inside the file. If the first non-whitespace
+               // character is a "<", then we treat it as a regular file.
+               // Eearlier we created pages for these files, but that had all sorts
+               // of troubles, and isn't what it says in the documentation.
+               // See https://github.com/gohugoio/hugo/issues/7030
+               if open == nil {
+                       panic(fmt.Sprintf("no file opener provided for %q", filename))
+               }
+
+               f, err := open()
+               if err != nil {
+                       return ContentClassFile
+               }
+               ishtml := isHTMLContent(f)
+               f.Close()
+               if ishtml {
+                       return ContentClassFile
+               }
+
+       }
+
        if strings.HasPrefix(filename, "_index.") {
                return ContentClassBranch
        }
@@ -77,6 +119,40 @@ func ClassifyContentFile(filename string) ContentClass {
        return ContentClassContent
 }
 
+var htmlComment = []rune{'<', '!', '-', '-'}
+
+func isHTMLContent(r io.Reader) bool {
+       br := bufio.NewReader(r)
+       i := 0
+       for {
+               c, _, err := br.ReadRune()
+               if err != nil {
+                       break
+               }
+
+               if i > 0 {
+                       if i >= len(htmlComment) {
+                               return false
+                       }
+
+                       if c != htmlComment[i] {
+                               return true
+                       }
+
+                       i++
+                       continue
+               }
+
+               if !unicode.IsSpace(c) {
+                       if i == 0 && c != '<' {
+                               return false
+                       }
+                       i++
+               }
+       }
+       return true
+}
+
 const (
        ComponentFolderArchetypes = "archetypes"
        ComponentFolderStatic     = "static"
index af188f3491c3cefd206a9000a47a85869a0a543e..0cd7e4177a169d508281f2c359603806935f897c 100644 (file)
@@ -15,6 +15,7 @@ package files
 
 import (
        "path/filepath"
+       "strings"
        "testing"
 
        qt "github.com/frankban/quicktest"
@@ -30,6 +31,17 @@ func TestIsContentFile(t *testing.T) {
        c.Assert(IsContentExt("json"), qt.Equals, false)
 }
 
+func TestIsHTMLContent(t *testing.T) {
+       c := qt.New(t)
+
+       c.Assert(isHTMLContent(strings.NewReader("   <html>")), qt.Equals, true)
+       c.Assert(isHTMLContent(strings.NewReader("   <!--\n---")), qt.Equals, false)
+       c.Assert(isHTMLContent(strings.NewReader("   <!--")), qt.Equals, true)
+       c.Assert(isHTMLContent(strings.NewReader("   ---<")), qt.Equals, false)
+       c.Assert(isHTMLContent(strings.NewReader(" foo  <")), qt.Equals, false)
+
+}
+
 func TestComponentFolders(t *testing.T) {
        c := qt.New(t)
 
index a42cd233ab92d1b537910cd2c1b9b4db206de3c2..ca9c333614f9b5c3402008ce525232097bae3af3 100644 (file)
@@ -66,7 +66,7 @@ func NewLanguageFs(langs map[string]int, fs afero.Fs) (afero.Fs, error) {
                                metaKeyOrdinal:                    langs[lang],
                                metaKeyTranslationBaseName:        translationBaseName,
                                metaKeyTranslationBaseNameWithExt: translationBaseNameWithExt,
-                               metaKeyClassifier:                 files.ClassifyContentFile(fi.Name()),
+                               metaKeyClassifier:                 files.ClassifyContentFile(fi.Name(), meta.GetOpener()),
                        })
 
                        fis[i] = fim
index 7a2829478d4c65cd1c6e25685c61e150d88ec18d..fb626b30c0e2fb839b0d574e26b2ce78fd3d0f97 100644 (file)
@@ -54,7 +54,7 @@ func BenchmarkContentMap(b *testing.B) {
                                // real flow, so simulate this here.
                                meta["lang"] = lang
                                meta["path"] = meta.Filename()
-                               meta["classifier"] = files.ClassifyContentFile(fi.Name())
+                               meta["classifier"] = files.ClassifyContentFile(fi.Name(), meta.GetOpener())
 
                        })
        }
@@ -115,7 +115,7 @@ func TestContentMap(t *testing.T) {
                                // real flow, so simulate this here.
                                meta["lang"] = lang
                                meta["path"] = meta.Filename()
-                               meta["classifier"] = files.ClassifyContentFile(fi.Name())
+                               meta["classifier"] = files.ClassifyContentFile(fi.Name(), meta.GetOpener())
                                meta["translationBaseName"] = helpers.Filename(fi.Name())
 
                        })
index fb9b6b83c7b60d7c8115cf79a4ef2f2b5d8b6ce5..93a409f74d1ab67b9fcdd027209792a85f05887c 100644 (file)
@@ -135,7 +135,7 @@ title: No Template
        }
        counters := &testCounters{}
        b.Build(BuildCfg{testCounters: counters})
-       b.Assert(int(counters.contentRenderCounter), qt.Equals, 50)
+       b.Assert(int(counters.contentRenderCounter), qt.Equals, 43)
 
        b.AssertFileContent("public/blog/p1/index.html", `
 <p>Cool Page|https://www.google.com|Title: Google's Homepage|Text: First Link|END</p>
index 9db8252560622c1dc733f8bd2f1a8bc17d8daf64..f0f695227c3f368ee5f5f45fc448848437ad097c 100644 (file)
@@ -449,12 +449,6 @@ func (p *pageState) initOutputFormat(isRenderingSite bool, idx int) error {
                return err
        }
 
-       if !p.renderable {
-               if _, err := p.Content(); err != nil {
-                       return err
-               }
-       }
-
        return nil
 
 }
@@ -679,8 +673,6 @@ func (p *pageState) mapContent(bucket *pagesMapBucket, meta *pageMeta) error {
 
        s := p.shortcodeState
 
-       p.renderable = true
-
        rn := &pageContentMap{
                items: make([]interface{}, 0, 20),
        }
@@ -703,12 +695,6 @@ Loop:
 
                switch {
                case it.Type == pageparser.TypeIgnore:
-               case it.Type == pageparser.TypeHTMLStart:
-                       // This is HTML without front matter. It can still have shortcodes.
-                       p.selfLayout = "__" + p.File().Filename()
-                       p.renderable = false
-                       p.s.BuildFlags.HasLateTemplate.CAS(false, true)
-                       rn.AddBytes(it)
                case it.IsFrontMatter():
                        f := pageparser.FormatFromFrontMatterType(it.Type)
                        m, err := metadecoders.Default.UnmarshalToMap(it.Val, f)
index 013ab3072b71a068dc2cd4c34ede47a52d26d7a7..91f26dc186df73bd6f66843f3865efcf09ceb6a6 100644 (file)
@@ -28,7 +28,6 @@ var (
 
 // The content related items on a Page.
 type pageContent struct {
-       renderable bool
        selfLayout string
        truncated  bool
 
@@ -52,7 +51,7 @@ func (p pageContent) contentToRender(renderedShortcodes map[string]string) []byt
                case pageContentReplacement:
                        c = append(c, v.val...)
                case *shortcode:
-                       if !p.renderable || !v.insertPlaceholder() {
+                       if !v.insertPlaceholder() {
                                // Insert the rendered shortcode.
                                renderedShortcode, found := renderedShortcodes[v.placeholder]
                                if !found {
index 330b0d75d0935a7e0882bd97200984fae3812bad..d7841f1788e092abfc1e4ab5ded26b09cf8eabff 100644 (file)
@@ -122,84 +122,76 @@ func newPageContentOutput(p *pageState, po *pageOutput) (*pageContentOutput, err
 
                isHTML := cp.p.m.markup == "html"
 
-               if p.renderable {
-                       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 !isHTML {
+                       r, err := cp.renderContent(cp.workContent, true)
+                       if err != nil {
+                               return err
                        }
 
-                       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)
+                       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 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.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 cp.p.source.hasSummaryDivider {
-                               if isHTML {
-                                       src := p.source.parsed.Input()
+               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
+                       }
+               }
 
-                                       // 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.hasSummaryDivider {
+                       if isHTML {
+                               src := p.source.parsed.Input()
 
-                                       if cp.p.source.posBodyStart != -1 {
-                                               cp.workContent = src[cp.p.source.posBodyStart:]
-                                       }
+                               // 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])
+                               }
 
-                               } else {
-                                       summary, content, err := splitUserDefinedSummaryAndContent(cp.p.m.markup, cp.workContent)
-                                       if err != nil {
-                                               cp.p.s.Log.ERROR.Printf("Failed to set user defined summary for page %q: %s", cp.p.pathOrTitle(), err)
-                                       } else {
-                                               cp.workContent = content
-                                               cp.summary = helpers.BytesToHTML(summary)
-                                       }
+                               if cp.p.source.posBodyStart != -1 {
+                                       cp.workContent = src[cp.p.source.posBodyStart:]
                                }
-                       } else if cp.p.m.summary != "" {
-                               b, err := cp.renderContent([]byte(cp.p.m.summary), false)
+
+                       } else {
+                               summary, content, err := splitUserDefinedSummaryAndContent(cp.p.m.markup, cp.workContent)
                                if err != nil {
-                                       return err
+                                       cp.p.s.Log.ERROR.Printf("Failed to set user defined summary for page %q: %s", cp.p.pathOrTitle(), err)
+                               } else {
+                                       cp.workContent = content
+                                       cp.summary = helpers.BytesToHTML(summary)
                                }
-                               html := cp.p.s.ContentSpec.TrimShortHTML(b.Bytes())
-                               cp.summary = helpers.BytesToHTML(html)
                        }
-
-                       cp.content = helpers.BytesToHTML(cp.workContent)
-
+               } 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)
                }
 
-               if !p.renderable {
-                       err := cp.addSelfTemplate()
-                       return err
-               }
+               cp.content = helpers.BytesToHTML(cp.workContent)
 
                return nil
 
@@ -207,8 +199,7 @@ func newPageContentOutput(p *pageState, po *pageOutput) (*pageContentOutput, err
 
        // 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.renderable || p.shortcodeState.hasShortcodes()
-       needTimeout = needTimeout || cp.renderHooks != nil
+       needTimeout := p.shortcodeState.hasShortcodes() || cp.renderHooks != nil
 
        if needTimeout {
                cp.initMain = parent.BranchWithTimeout(p.s.siteCfg.timeout, func(ctx context.Context) (interface{}, error) {
@@ -428,15 +419,6 @@ func (p *pageContentOutput) setWordCounts(isCJKLanguage bool) {
        }
 }
 
-func (p *pageContentOutput) addSelfTemplate() error {
-       self := p.p.selfLayoutForOutput(p.f)
-       err := p.p.s.Tmpl().(tpl.TemplateManager).AddLateTemplate(self, string(p.workContent))
-       if err != nil {
-               return err
-       }
-       return nil
-}
-
 // A callback to signal that we have inserted a placeholder into the rendered
 // content. This avoids doing extra replacement work.
 func (p *pageContentOutput) enablePlaceholders() {
index b1041707b1448b44ed441929491ec254806ee314..0d3bfff18e83021a17d333d88d24a764779328da 100644 (file)
@@ -408,7 +408,7 @@ func renderShortcode(
 }
 
 func (s *shortcodeHandler) hasShortcodes() bool {
-       return len(s.shortcodes) > 0
+       return s != nil && len(s.shortcodes) > 0
 }
 
 func (s *shortcodeHandler) renderShortcodesForPage(p *pageState, f output.Format) (map[string]string, bool, error) {
index 66b54e3529896563cd38345b43e44518b9f4e396..0b05aac12d671bfdf311aa03b39d9d1083659b15 100644 (file)
@@ -15,7 +15,6 @@ package hugolib
 
 import (
        "fmt"
-       "os"
        "path/filepath"
        "strings"
        "testing"
@@ -24,8 +23,6 @@ import (
 
        "github.com/markbates/inflect"
 
-       "github.com/gohugoio/hugo/helpers"
-
        qt "github.com/frankban/quicktest"
        "github.com/gohugoio/hugo/deps"
        "github.com/gohugoio/hugo/resources/page"
@@ -502,70 +499,6 @@ func doTestSectionNaming(t *testing.T, canonify, uglify, pluralize bool) {
 
 }
 
-func TestSkipRender(t *testing.T) {
-       t.Parallel()
-       sources := [][2]string{
-               {filepath.FromSlash("sect/doc1.html"), "---\nmarkup: markdown\n---\n# title\nsome *content*"},
-               {filepath.FromSlash("sect/doc2.html"), "<!doctype html><html><body>more content</body></html>"},
-               {filepath.FromSlash("sect/doc3.md"), "# doc3\n*some* content"},
-               {filepath.FromSlash("sect/doc4.md"), "---\ntitle: doc4\n---\n# doc4\n*some content*"},
-               {filepath.FromSlash("sect/doc5.html"), "<!doctype html><html>{{ template \"head\" }}<body>body5</body></html>"},
-               {filepath.FromSlash("sect/doc6.html"), "<!doctype html><html>{{ template \"head_abs\" }}<body>body5</body></html>"},
-               {filepath.FromSlash("doc7.html"), "<html><body>doc7 content</body></html>"},
-               {filepath.FromSlash("sect/doc8.html"), "---\nmarkup: md\n---\n# title\nsome *content*"},
-               // Issue #3021
-               {filepath.FromSlash("doc9.html"), "<html><body>doc9: {{< myshortcode >}}</body></html>"},
-       }
-
-       cfg, fs := newTestCfg()
-
-       cfg.Set("verbose", true)
-       cfg.Set("canonifyURLs", true)
-       cfg.Set("uglyURLs", true)
-       cfg.Set("baseURL", "http://auth/bub")
-
-       for _, src := range sources {
-               writeSource(t, fs, filepath.Join("content", src[0]), src[1])
-
-       }
-
-       writeSource(t, fs, filepath.Join("layouts", "_default/single.html"), "{{.Content}}")
-       writeSource(t, fs, filepath.Join("layouts", "head"), "<head><script src=\"script.js\"></script></head>")
-       writeSource(t, fs, filepath.Join("layouts", "head_abs"), "<head><script src=\"/script.js\"></script></head>")
-       writeSource(t, fs, filepath.Join("layouts", "shortcodes", "myshortcode.html"), "SHORT")
-
-       buildSingleSite(t, deps.DepsCfg{Fs: fs, Cfg: cfg}, BuildCfg{})
-
-       tests := []struct {
-               doc      string
-               expected string
-       }{
-               {filepath.FromSlash("public/sect/doc1.html"), "<h1 id=\"title\">title</h1>\n<p>some <em>content</em></p>\n"},
-               {filepath.FromSlash("public/sect/doc2.html"), "<!doctype html><html><body>more content</body></html>"},
-               {filepath.FromSlash("public/sect/doc3.html"), "<h1 id=\"doc3\">doc3</h1>\n<p><em>some</em> content</p>\n"},
-               {filepath.FromSlash("public/sect/doc4.html"), "<h1 id=\"doc4\">doc4</h1>\n<p><em>some content</em></p>\n"},
-               {filepath.FromSlash("public/sect/doc5.html"), "<!doctype html><html><head><script src=\"script.js\"></script></head><body>body5</body></html>"},
-               {filepath.FromSlash("public/sect/doc6.html"), "<!doctype html><html><head><script src=\"http://auth/bub/script.js\"></script></head><body>body5</body></html>"},
-               {filepath.FromSlash("public/doc7.html"), "<html><body>doc7 content</body></html>"},
-               {filepath.FromSlash("public/sect/doc8.html"), "<h1 id=\"title\">title</h1>\n<p>some <em>content</em></p>\n"},
-               {filepath.FromSlash("public/doc9.html"), "<html><body>doc9: SHORT</body></html>"},
-       }
-
-       for _, test := range tests {
-               file, err := fs.Destination.Open(test.doc)
-               if err != nil {
-                       helpers.PrintFs(fs.Destination, "public", os.Stdout)
-                       t.Fatalf("Did not find %s in target.", test.doc)
-               }
-
-               content := helpers.ReaderToString(file)
-
-               if content != test.expected {
-                       t.Errorf("%s content expected:\n%q\ngot:\n%q", test.doc, test.expected, content)
-               }
-       }
-}
-
 func TestAbsURLify(t *testing.T) {
        t.Parallel()
        sources := [][2]string{
index 99e57c75fc1718a4b8a0847706c95bd0a62e551b..9f04aabdd2974588320ff50b05cf4a091179ff8e 100644 (file)
@@ -245,87 +245,6 @@ Page Content
 
 }
 
-func TestTemplateLateTemplates(t *testing.T) {
-       t.Parallel()
-       b := newTestSitesBuilder(t).WithSimpleConfigFile().Running()
-
-       numPages := 500 // To get some parallelism
-       homeTempl := `
-Len RegularPages: {{ len site.RegularPages }}
-{{ range site.RegularPages }}
-Link: {{ .RelPermalink }} Len Content: {{ len .Content }}
-{{ end }}
-`
-       pageTemplate := `<!doctype html>
-<html lang="en">
-<head>
-  <meta charset="utf-8">
-  <title>{{ .RelPermalink }}</title>
-  <meta name="description" content="The HTML5 Herald">
-  <meta name="author" content="SitePoint">
-  <link rel="stylesheet" href="css/styles.css?v=1.0">
-</head>
-<body>
-  <h1>{{ .RelPermalink }}</h1>
-  <p>Shortcode: {{< shortcode >}}</p>
-  <p>Partial: {{ partial "mypartial.html" . }}</p>
-  <script src="js/scripts.js"></script>
-</body>
-</html>
-`
-
-       b.WithTemplatesAdded(
-               "index.html", homeTempl,
-               "partials/mypartial.html", `this my partial`,
-       )
-
-       // Make sure we get some parallelism.
-       for i := 0; i < numPages; i++ {
-               b.WithContent(fmt.Sprintf("page%d.html", i+1), pageTemplate)
-       }
-
-       b.Build(BuildCfg{})
-
-       b.AssertFileContent("public/index.html", fmt.Sprintf(`
-Len RegularPages: %d
-Link: /page3/ Len Content: 0
-Link: /page22/ Len Content: 0
-`, numPages))
-
-       for i := 0; i < numPages; i++ {
-               b.AssertFileContent(fmt.Sprintf("public/page%d/index.html", i+1),
-                       fmt.Sprintf(`<title>/page%d/</title>`, i+1),
-                       `<p>Shortcode: Shortcode: Hello</p>`,
-                       "<p>Partial: this my partial</p>",
-               )
-       }
-
-       b.EditFiles(
-               "layouts/partials/mypartial.html", `this my changed partial`,
-               "layouts/index.html", (homeTempl + "CHANGED"),
-       )
-       for i := 0; i < 5; i++ {
-               b.EditFiles(fmt.Sprintf("content/page%d.html", i+1), pageTemplate+"CHANGED")
-       }
-
-       b.Build(BuildCfg{})
-       b.AssertFileContent("public/index.html", fmt.Sprintf(`
-Len RegularPages: %d
-Link: /page3/ Len Content: 0
-Link: /page2/ Len Content: 0
-CHANGED
-`, numPages))
-       for i := 0; i < 5; i++ {
-               b.AssertFileContent(fmt.Sprintf("public/page%d/index.html", i+1),
-                       fmt.Sprintf(`<title>/page%d/</title>`, i+1),
-                       `<p>Shortcode: Shortcode: Hello</p>`,
-                       "<p>Partial: this my changed partial</p>",
-                       "CHANGED",
-               )
-       }
-
-}
-
 func TestTemplateManyBaseTemplates(t *testing.T) {
        t.Parallel()
        b := newTestSitesBuilder(t).WithSimpleConfigFile()
index 48003ee860e5069076f51b9874957ecbd62e539a..9224fba945841c5204385ef9bf9af0b0f1ca2e0e 100644 (file)
@@ -140,7 +140,6 @@ const (
        tEOF
 
        // page items
-       TypeHTMLStart          // document starting with < as first non-whitespace
        TypeLeadSummaryDivider // <!--more-->,  # more
        TypeFrontMatterYAML
        TypeFrontMatterTOML
index 56dd4224daf3c38c76364fe75d712d7d5173b483..539e6cfaa703e078e9e8c63b6daf5cfb73a00189 100644 (file)
@@ -42,21 +42,14 @@ LOOP:
                        if r == '<' {
                                l.backup()
                                if l.hasPrefix(htmlCommentStart) {
-                                       // This may be commented out front mattter, which should
+                                       // This may be commented out front matter, which should
                                        // still be read.
                                        l.consumeToNextLine()
                                        l.isInHTMLComment = true
                                        l.emit(TypeIgnore)
                                        continue LOOP
                                } else {
-                                       if l.pos > l.start {
-                                               l.emit(tText)
-                                       }
-                                       l.next()
-                                       // This is the start of a plain HTML document with no
-                                       // front matter. I still can contain shortcodes, so we
-                                       // have to keep looking.
-                                       l.emit(TypeHTMLStart)
+                                       return l.errorf("plain HTML documents not supported")
                                }
                        }
                        break LOOP
index 0f20ae5a12c312c8949ad0d245663c2eeb367326..e776cb3ee3840169d22875d6fd9ba4b2a9e79f06 100644 (file)
@@ -38,7 +38,6 @@ var (
        tstFrontMatterJSON     = nti(TypeFrontMatterJSON, tstJSON+"\r\n")
        tstSomeText            = nti(tText, "\nSome text.\n")
        tstSummaryDivider      = nti(TypeLeadSummaryDivider, "<!--more-->\n")
-       tstHtmlStart           = nti(TypeHTMLStart, "<")
        tstNewline             = nti(tText, "\n")
 
        tstORG = `
@@ -55,8 +54,8 @@ var crLfReplacer = strings.NewReplacer("\r", "#", "\n", "$")
 var frontMatterTests = []lexerTest{
        {"empty", "", []Item{tstEOF}},
        {"Byte order mark", "\ufeff\nSome text.\n", []Item{nti(TypeIgnore, "\ufeff"), tstSomeText, tstEOF}},
-       {"HTML Document", `  <html>  `, []Item{nti(tText, "  "), tstHtmlStart, nti(tText, "html>  "), tstEOF}},
-       {"HTML Document with shortcode", `<html>{{< sc1 >}}</html>`, []Item{tstHtmlStart, nti(tText, "html>"), tstLeftNoMD, tstSC1, tstRightNoMD, nti(tText, "</html>"), tstEOF}},
+       {"HTML Document", `  <html>  `, []Item{nti(tError, "plain HTML documents not supported")}},
+       {"HTML Document with shortcode", `<html>{{< sc1 >}}</html>`, []Item{nti(tError, "plain HTML documents not supported")}},
        {"No front matter", "\nSome text.\n", []Item{tstSomeText, tstEOF}},
        {"YAML front matter", "---\nfoo: \"bar\"\n---\n\nSome text.\n", []Item{tstFrontMatterYAML, tstSomeText, tstEOF}},
        {"YAML empty front matter", "---\n---\n\nSome text.\n", []Item{nti(TypeFrontMatterYAML, ""), tstSomeText, tstEOF}},
index b9b0749b6f1a2f1fe0ad95e6fb8f5a48811e56f2..315004b6a711cf3b526a2ef6ac2c2076e1a9f7c4 100644 (file)
@@ -29,7 +29,6 @@ type TemplateManager interface {
        TemplateHandler
        TemplateFuncGetter
        AddTemplate(name, tpl string) error
-       AddLateTemplate(name, tpl string) error
        MarkReady() error
 }
 
index b6313e1e5a9d88a5d19fd32a607b19ccc4dbdb4e..c01b621369a12c127fa7f1adf90c3e8cd60044b4 100644 (file)
@@ -251,21 +251,8 @@ func (t *templateExec) MarkReady() error {
                }
        })
 
-       if err != nil {
-               return err
-       }
-
-       if t.Deps.BuildFlags.HasLateTemplate.Load() {
-               // This costs memory, so try to avoid it if we don't have to.
-               // The late templates are used to handle HTML in files in /content
-               // without front matter.
-               t.readyLateInit.Do(func() {
-                       t.late = t.main.Clone(true)
-                       t.late.createPrototypes()
-               })
-       }
+       return err
 
-       return nil
 }
 
 type templateHandler struct {
@@ -273,10 +260,7 @@ type templateHandler struct {
        needsBaseof map[string]templateInfo
        baseof      map[string]templateInfo
 
-       late *templateNamespace // Templates added after main has started executing.
-
-       readyInit     sync.Once
-       readyLateInit sync.Once
+       readyInit sync.Once
 
        // This is the filesystem to load the templates from. All the templates are
        // stored in the root of this filesystem.
@@ -309,14 +293,6 @@ type templateHandler struct {
        templateInfo map[string]tpl.Info
 }
 
-// AddLateTemplate is used to add a template after the
-// regular templates have started its execution.
-// These are currently "pure HTML content files".
-func (t *templateHandler) AddLateTemplate(name, tpl string) error {
-       _, err := t.late.parse(t.newTemplateInfo(name, tpl))
-       return err
-}
-
 // AddTemplate parses and adds a template to the collection.
 // Templates with name prefixed with "_text" will be handled as plain
 // text templates.
@@ -334,10 +310,6 @@ func (t *templateHandler) Lookup(name string) (tpl.Template, bool) {
                return templ, true
        }
 
-       if t.late != nil {
-               return t.late.Lookup(name)
-       }
-
        return nil, false
 }