repo
stringlengths
6
47
file_url
stringlengths
77
269
file_path
stringlengths
5
186
content
stringlengths
0
32.8k
language
stringclasses
1 value
license
stringclasses
7 values
commit_sha
stringlengths
40
40
retrieved_at
stringdate
2026-01-07 08:35:43
2026-01-07 08:55:24
truncated
bool
2 classes
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/htime/htime_integration_test.go
common/htime/htime_integration_test.go
// Copyright 2024 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 htime_test import ( "testing" "github.com/gohugoio/hugo/hugolib" ) // Issue #11267 func TestApplyWithContext(t *testing.T) { t.Parallel() files := ` -- hugo.toml -- defaultContentLanguage = 'it' -- layouts/home.html -- {{ $dates := slice "2022-01-03" "2022-02-01" "2022-03-02" "2022-04-07" "2022-05-06" "2022-06-04" "2022-07-03" "2022-08-01" "2022-09-06" "2022-10-05" "2022-11-03" "2022-12-02" }} {{ range $dates }} {{ . | time.Format "month: _January_ weekday: _Monday_" }} {{ . | time.Format "month: _Jan_ weekday: _Mon_" }} {{ end }} ` b := hugolib.Test(t, files) b.AssertFileContent("public/index.html", ` month: _gennaio_ weekday: _lunedì_ month: _gen_ weekday: _lun_ month: _febbraio_ weekday: _martedì_ month: _feb_ weekday: _mar_ month: _marzo_ weekday: _mercoledì_ month: _mar_ weekday: _mer_ month: _aprile_ weekday: _giovedì_ month: _apr_ weekday: _gio_ month: _maggio_ weekday: _venerdì_ month: _mag_ weekday: _ven_ month: _giugno_ weekday: _sabato_ month: _giu_ weekday: _sab_ month: _luglio_ weekday: _domenica_ month: _lug_ weekday: _dom_ month: _agosto_ weekday: _lunedì_ month: _ago_ weekday: _lun_ month: _settembre_ weekday: _martedì_ month: _set_ weekday: _mar_ month: _ottobre_ weekday: _mercoledì_ month: _ott_ weekday: _mer_ month: _novembre_ weekday: _giovedì_ month: _nov_ weekday: _gio_ month: _dicembre_ weekday: _venerdì_ month: _dic_ weekday: _ven_ `) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/tasks/tasks.go
common/tasks/tasks.go
// Copyright 2024 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 tasks import ( "sync" "time" ) // RunEvery runs a function at intervals defined by the function itself. // Functions can be added and removed while running. type RunEvery struct { // Any error returned from the function will be passed to this function. HandleError func(string, error) // If set, the function will be run immediately. RunImmediately bool // The named functions to run. funcs map[string]*Func mu sync.Mutex started bool closed bool quit chan struct{} } type Func struct { // The shortest interval between each run. IntervalLow time.Duration // The longest interval between each run. IntervalHigh time.Duration // The function to run. F func(interval time.Duration) (time.Duration, error) interval time.Duration last time.Time } func (r *RunEvery) Start() error { if r.started { return nil } r.started = true r.quit = make(chan struct{}) go func() { if r.RunImmediately { r.run() } ticker := time.NewTicker(500 * time.Millisecond) defer ticker.Stop() for { select { case <-r.quit: return case <-ticker.C: r.run() } } }() return nil } // Close stops the RunEvery from running. func (r *RunEvery) Close() error { if r.closed { return nil } r.closed = true if r.quit != nil { close(r.quit) } return nil } // Add adds a function to the RunEvery. func (r *RunEvery) Add(name string, f Func) { r.mu.Lock() defer r.mu.Unlock() if r.funcs == nil { r.funcs = make(map[string]*Func) } if f.IntervalLow == 0 { f.IntervalLow = 500 * time.Millisecond } if f.IntervalHigh <= f.IntervalLow { f.IntervalHigh = 20 * time.Second } start := max(f.IntervalHigh/3, f.IntervalLow) f.interval = start f.last = time.Now() r.funcs[name] = &f } // Remove removes a function from the RunEvery. func (r *RunEvery) Remove(name string) { r.mu.Lock() defer r.mu.Unlock() delete(r.funcs, name) } // Has returns whether the RunEvery has a function with the given name. func (r *RunEvery) Has(name string) bool { r.mu.Lock() defer r.mu.Unlock() _, found := r.funcs[name] return found } func (r *RunEvery) run() { r.mu.Lock() defer r.mu.Unlock() for name, f := range r.funcs { if time.Now().Before(f.last.Add(f.interval)) { continue } f.last = time.Now() interval, err := f.F(f.interval) if err != nil && r.HandleError != nil { r.HandleError(name, err) } if interval < f.IntervalLow { interval = f.IntervalLow } if interval > f.IntervalHigh { interval = f.IntervalHigh } f.interval = interval } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hugio/hasBytesWriter.go
common/hugio/hasBytesWriter.go
// Copyright 2024 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 hugio import ( "bytes" ) // HasBytesWriter is a writer will match against a slice of patterns. type HasBytesWriter struct { Patterns []*HasBytesPattern i int done bool buff []byte } type HasBytesPattern struct { Match bool Pattern []byte } func (h *HasBytesWriter) patternLen() int { l := 0 for _, p := range h.Patterns { l += len(p.Pattern) } return l } func (h *HasBytesWriter) Write(p []byte) (n int, err error) { if h.done { return len(p), nil } if len(h.buff) == 0 { h.buff = make([]byte, h.patternLen()*2) } for i := range p { h.buff[h.i] = p[i] h.i++ if h.i == len(h.buff) { // Shift left. copy(h.buff, h.buff[len(h.buff)/2:]) h.i = len(h.buff) / 2 } for _, pp := range h.Patterns { if bytes.Contains(h.buff, pp.Pattern) { pp.Match = true done := true for _, ppp := range h.Patterns { if !ppp.Match { done = false break } } if done { h.done = true } return len(p), nil } } } return len(p), nil }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hugio/readers.go
common/hugio/readers.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 hugio import ( "bytes" "io" "strings" ) // ReadSeeker wraps io.Reader and io.Seeker. type ReadSeeker interface { io.Reader io.Seeker } // ReadSeekCloser is implemented by afero.File. We use this as the common type for // content in Resource objects, even for strings. type ReadSeekCloser interface { ReadSeeker io.Closer } // Sizer provides the size of, typically, a io.Reader. // As implemented by e.g. os.File and io.SectionReader. type Sizer interface { Size() int64 } type SizeReader interface { io.Reader Sizer } // ToSizeReader converts the given io.Reader to a SizeReader. // Note that if r is not a SizeReader, the entire content will be read into memory func ToSizeReader(r io.Reader) (SizeReader, error) { if sr, ok := r.(SizeReader); ok { return sr, nil } b, err := io.ReadAll(r) if err != nil { return nil, err } return bytes.NewReader(b), nil } // CloserFunc is an adapter to allow the use of ordinary functions as io.Closers. type CloserFunc func() error func (f CloserFunc) Close() error { return f() } // ReadSeekCloserProvider provides a ReadSeekCloser. type ReadSeekCloserProvider interface { ReadSeekCloser() (ReadSeekCloser, error) } // readSeekerNopCloser implements ReadSeekCloser by doing nothing in Close. type readSeekerNopCloser struct { ReadSeeker } // Close does nothing. func (r readSeekerNopCloser) Close() error { return nil } // NewReadSeekerNoOpCloser creates a new ReadSeekerNoOpCloser with the given ReadSeeker. func NewReadSeekerNoOpCloser(r ReadSeeker) ReadSeekCloser { return readSeekerNopCloser{r} } // NewReadSeekerNoOpCloserFromString uses strings.NewReader to create a new ReadSeekerNoOpCloser // from the given string. func NewReadSeekerNoOpCloserFromString(content string) ReadSeekCloser { return stringReadSeeker{s: content, readSeekerNopCloser: readSeekerNopCloser{strings.NewReader(content)}} } var _ StringReader = (*stringReadSeeker)(nil) type stringReadSeeker struct { s string readSeekerNopCloser } func (s *stringReadSeeker) ReadString() string { return s.s } // StringReader provides a way to read a string. type StringReader interface { ReadString() string } // NewReadSeekerNoOpCloserFromBytes uses bytes.NewReader to create a new ReadSeekerNoOpCloser // from the given bytes slice. func NewReadSeekerNoOpCloserFromBytes(content []byte) readSeekerNopCloser { return readSeekerNopCloser{bytes.NewReader(content)} } // NewOpenReadSeekCloser creates a new ReadSeekCloser from the given ReadSeeker. // The ReadSeeker will be seeked to the beginning before returned. func NewOpenReadSeekCloser(r ReadSeekCloser) OpenReadSeekCloser { return func() (ReadSeekCloser, error) { r.Seek(0, io.SeekStart) return r, nil } } // OpenReadSeekCloser allows setting some other way (than reading from a filesystem) // to open or create a ReadSeekCloser. type OpenReadSeekCloser func() (ReadSeekCloser, error) // ReadString reads from the given reader and returns the content as a string. func ReadString(r io.Reader) (string, error) { if sr, ok := r.(StringReader); ok { return sr.ReadString(), nil } b, err := io.ReadAll(r) if err != nil { return "", err } return string(b), nil }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hugio/hasBytesWriter_test.go
common/hugio/hasBytesWriter_test.go
// Copyright 2024 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 hugio import ( "bytes" "fmt" "io" "math/rand" "strings" "testing" "time" qt "github.com/frankban/quicktest" ) func TestHasBytesWriter(t *testing.T) { r := rand.New(rand.NewSource(time.Now().UnixNano())) c := qt.New((t)) neww := func() (*HasBytesWriter, io.Writer) { var b bytes.Buffer h := &HasBytesWriter{ Patterns: []*HasBytesPattern{ {Pattern: []byte("__foo")}, }, } return h, io.MultiWriter(&b, h) } rndStr := func() string { return strings.Repeat("ab cfo", r.Intn(33)) } for range 22 { h, w := neww() fmt.Fprint(w, rndStr()+"abc __foobar"+rndStr()) c.Assert(h.Patterns[0].Match, qt.Equals, true) h, w = neww() fmt.Fprint(w, rndStr()+"abc __f") fmt.Fprint(w, "oo bar"+rndStr()) c.Assert(h.Patterns[0].Match, qt.Equals, true) h, w = neww() fmt.Fprint(w, rndStr()+"abc __moo bar") c.Assert(h.Patterns[0].Match, qt.Equals, false) } h, w := neww() fmt.Fprintf(w, "__foo") c.Assert(h.Patterns[0].Match, qt.Equals, true) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hugio/copy.go
common/hugio/copy.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 hugio import ( "fmt" "io" iofs "io/fs" "path/filepath" "github.com/spf13/afero" ) // CopyFile copies a file. func CopyFile(fs afero.Fs, from, to string) error { sf, err := fs.Open(from) if err != nil { return err } defer sf.Close() df, err := fs.Create(to) if err != nil { return err } defer df.Close() _, err = io.Copy(df, sf) if err != nil { return err } si, err := fs.Stat(from) if err != nil { err = fs.Chmod(to, si.Mode()) if err != nil { return err } } return nil } // CopyDir copies a directory. func CopyDir(fs afero.Fs, from, to string, shouldCopy func(filename string) bool) error { fi, err := fs.Stat(from) if err != nil { return err } if !fi.IsDir() { return fmt.Errorf("%q is not a directory", from) } err = fs.MkdirAll(to, 0o777) // before umask if err != nil { return err } d, err := fs.Open(from) if err != nil { return err } entries, _ := d.(iofs.ReadDirFile).ReadDir(-1) for _, entry := range entries { fromFilename := filepath.Join(from, entry.Name()) toFilename := filepath.Join(to, entry.Name()) if entry.IsDir() { if shouldCopy != nil && !shouldCopy(fromFilename) { continue } if err := CopyDir(fs, fromFilename, toFilename, shouldCopy); err != nil { return err } } else { if err := CopyFile(fs, fromFilename, toFilename); err != nil { return err } } } return nil }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hugio/writers.go
common/hugio/writers.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 hugio import ( "io" ) // As implemented by strings.Builder. type FlexiWriter interface { io.Writer io.ByteWriter WriteString(s string) (int, error) WriteRune(r rune) (int, error) } type multiWriteCloser struct { io.Writer closers []io.WriteCloser } func (m multiWriteCloser) Close() error { var err error for _, c := range m.closers { if closeErr := c.Close(); closeErr != nil { err = closeErr } } return err } // NewMultiWriteCloser creates a new io.WriteCloser that duplicates its writes to all the // provided writers. func NewMultiWriteCloser(writeClosers ...io.WriteCloser) io.WriteCloser { writers := make([]io.Writer, len(writeClosers)) for i, w := range writeClosers { writers[i] = w } return multiWriteCloser{Writer: io.MultiWriter(writers...), closers: writeClosers} } // ToWriteCloser creates an io.WriteCloser from the given io.Writer. // If it's not already, one will be created with a Close method that does nothing. func ToWriteCloser(w io.Writer) io.WriteCloser { if rw, ok := w.(io.WriteCloser); ok { return rw } return struct { io.Writer io.Closer }{ w, io.NopCloser(nil), } } // ToReadCloser creates an io.ReadCloser from the given io.Reader. // If it's not already, one will be created with a Close method that does nothing. func ToReadCloser(r io.Reader) io.ReadCloser { if rc, ok := r.(io.ReadCloser); ok { return rc } return struct { io.Reader io.Closer }{ r, io.NopCloser(nil), } } type ReadWriteCloser interface { io.Reader io.Writer io.Closer } // PipeReadWriteCloser is a convenience type to create a pipe with a ReadCloser and a WriteCloser. type PipeReadWriteCloser struct { *io.PipeReader *io.PipeWriter } // NewPipeReadWriteCloser creates a new PipeReadWriteCloser. func NewPipeReadWriteCloser() PipeReadWriteCloser { pr, pw := io.Pipe() return PipeReadWriteCloser{pr, pw} } func (c PipeReadWriteCloser) Close() (err error) { if err = c.PipeReader.Close(); err != nil { return } err = c.PipeWriter.Close() return } func (c PipeReadWriteCloser) WriteString(s string) (int, error) { return c.PipeWriter.Write([]byte(s)) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hreflect/convert_test.go
common/hreflect/convert_test.go
// Copyright 2025 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 hreflect import ( "math" "reflect" "testing" qt "github.com/frankban/quicktest" "github.com/gohugoio/hugo/htesting/hqt" ) func TestToFuncs(t *testing.T) { c := qt.New(t) c.Assert(ToInt64(reflect.ValueOf(int(42))), qt.Equals, int64(42)) c.Assert(ToFloat64(reflect.ValueOf(float32(3.14))), hqt.IsSameFloat64, float64(3.14)) c.Assert(ToString(reflect.ValueOf("hello")), qt.Equals, "hello") } func TestConvertIfPossible(t *testing.T) { c := qt.New(t) for _, test := range []struct { name string value any typ any expected any ok bool }{ // From uint to int. { name: "uint64(math.MaxUint64) to int16", value: uint64(math.MaxUint64), typ: int16(0), ok: false, // overflow }, { name: "uint64(math.MaxUint64) to int64", value: uint64(math.MaxUint64), typ: int64(0), ok: false, // overflow }, { name: "uint64(math.MaxInt16) to int16", value: uint64(math.MaxInt16), typ: int64(0), ok: true, expected: int64(math.MaxInt16), }, // From int to int. { name: "int64(math.MaxInt64) to int16", value: int64(math.MaxInt64), typ: int16(0), ok: false, // overflow }, { name: "int64(math.MaxInt16) to int", value: int64(math.MaxInt16), typ: int(0), ok: true, expected: int(math.MaxInt16), }, { name: "int64(math.MaxInt16) to int", value: int64(math.MaxInt16), typ: int(0), ok: true, expected: int(math.MaxInt16), }, // From float64 to int. { name: "float64(1.5) to int", value: float64(1.5), typ: int(0), ok: false, // loss of precision }, { name: "float64(1.0) to int", value: float64(1.0), typ: int(0), ok: true, expected: int(1), }, { name: "float64(math.MaxInt16+1) to int16", value: float64(math.MaxInt16 + 1), typ: int16(0), ok: false, // overflow }, { name: "float64(math.MaxFloat64) to int64", value: float64(math.MaxFloat64), typ: int64(0), ok: false, // overflow }, { name: "float64(32767) to int16", value: float64(32767), typ: int16(0), ok: true, expected: int16(32767), }, // From float32 to int. { name: "float32(1.5) to int", value: float32(1.5), typ: int(0), ok: false, // loss of precision }, { name: "float32(1.0) to int", value: float32(1.0), typ: int(0), ok: true, expected: int(1), }, { name: "float32(math.MaxFloat32) to int16", value: float32(math.MaxFloat32), typ: int16(0), ok: false, // overflow }, { name: "float32(math.MaxFloat32) to int64", value: float32(math.MaxFloat32), typ: int64(0), ok: false, // overflow }, { name: "float32(math.MaxInt16) to int16", value: float32(math.MaxInt16), typ: int16(0), ok: true, expected: int16(32767), }, { name: "float32(math.MaxInt16+1) to int16", value: float32(math.MaxInt16 + 1), typ: int16(0), ok: false, // overflow }, // Int to float. { name: "int16(32767) to float32", value: int16(32767), typ: float32(0), ok: true, expected: float32(32767), }, { name: "int64(32767) to float32", value: int64(32767), typ: float32(0), ok: true, expected: float32(32767), }, { name: "int64(math.MaxInt64) to float32", value: int64(math.MaxInt64), typ: float32(0), ok: true, expected: float32(math.MaxInt64), }, { name: "int64(math.MaxInt64) to float64", value: int64(math.MaxInt64), typ: float64(0), ok: true, expected: float64(math.MaxInt64), }, // Int to uint. { name: "int16(32767) to uint16", value: int16(32767), typ: uint16(0), ok: true, expected: uint16(32767), }, { name: "int16(32767) to uint8", value: int16(32767), typ: uint8(0), ok: false, }, { name: "float64(3.14) to uint64", value: float64(3.14), typ: uint64(0), ok: false, }, { name: "float64(3.0) to uint64", value: float64(3.0), typ: uint64(0), ok: true, expected: uint64(3), }, // From uint to float. { name: "uint64(math.MaxInt16) to float64", value: uint64(math.MaxInt16), typ: float64(0), ok: true, expected: float64(math.MaxInt16), }, // Float to float. { name: "float64(3.14) to float32", value: float64(3.14), typ: float32(0), ok: true, expected: float32(3.14), }, { name: "float32(3.14) to float64", value: float32(3.14), typ: float64(0), ok: true, expected: float64(3.14), }, { name: "float64(3.14) to float64", value: float64(3.14), typ: float64(0), ok: true, expected: float64(3.14), }, } { v, ok := ConvertIfPossible(reflect.ValueOf(test.value), reflect.TypeOf(test.typ)) c.Assert(ok, qt.Equals, test.ok, qt.Commentf("test case: %s", test.name)) if test.ok { c.Assert(v.Interface(), hqt.IsSameNumber, test.expected, qt.Commentf("test case: %s", test.name)) } } } func TestConvertIfPossibleMisc(t *testing.T) { c := qt.New(t) type s string var ( i = int32(42) i64 = int64(i) iv any = i ip = &i inil any = (*int32)(nil) shello = s("hello") ) convertOK := func(v any, typ any) any { rv, ok := ConvertIfPossible(reflect.ValueOf(v), reflect.TypeOf(typ)) c.Assert(ok, qt.IsTrue) return rv.Interface() } c.Assert(convertOK(shello, ""), qt.Equals, "hello") c.Assert(convertOK(ip, int64(0)), qt.Equals, i64) c.Assert(convertOK(iv, int64(0)), qt.Equals, i64) c.Assert(convertOK(inil, int64(0)), qt.Equals, int64(0)) } func BenchmarkToInt64(b *testing.B) { v := reflect.ValueOf(int(42)) for b.Loop() { ToInt64(v) } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hreflect/convert.go
common/hreflect/convert.go
// Copyright 2025 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 hreflect import ( "fmt" "math" "reflect" ) var ( typeInt64 = reflect.TypeFor[int64]() typeFloat64 = reflect.TypeFor[float64]() typeString = reflect.TypeFor[string]() ) // ToInt64 converts v to int64 if possible, returning an error if not. func ToInt64E(v reflect.Value) (int64, error) { if v, ok := ConvertIfPossible(v, typeInt64); ok { return v.Int(), nil } return 0, errConvert(v, "int64") } // ToInt64 converts v to int64 if possible. It panics if the conversion is not possible. func ToInt64(v reflect.Value) int64 { vv, err := ToInt64E(v) if err != nil { panic(err) } return vv } // ToFloat64E converts v to float64 if possible, returning an error if not. func ToFloat64E(v reflect.Value) (float64, error) { if v, ok := ConvertIfPossible(v, typeFloat64); ok { return v.Float(), nil } return 0, errConvert(v, "float64") } // ToFloat64 converts v to float64 if possible, panicking if not. func ToFloat64(v reflect.Value) float64 { vv, err := ToFloat64E(v) if err != nil { panic(err) } return vv } // ToStringE converts v to string if possible, returning an error if not. func ToStringE(v reflect.Value) (string, error) { vv, err := ToStringValueE(v) if err != nil { return "", err } return vv.String(), nil } func ToStringValueE(v reflect.Value) (reflect.Value, error) { if v, ok := ConvertIfPossible(v, typeString); ok { return v, nil } return reflect.Value{}, errConvert(v, "string") } // ToString converts v to string if possible, panicking if not. func ToString(v reflect.Value) string { vv, err := ToStringE(v) if err != nil { panic(err) } return vv } func errConvert(v reflect.Value, s string) error { return fmt.Errorf("unable to convert value of type %q to %q", v.Type().String(), s) } // ConvertIfPossible tries to convert val to typ if possible. // This is currently only implemented for int kinds, // added to handle the move to a new YAML library which produces uint64 for unsigned integers. // We can expand on this later if needed. // This conversion is lossless. // See Issue 14079. func ConvertIfPossible(val reflect.Value, typ reflect.Type) (reflect.Value, bool) { switch val.Kind() { case reflect.Ptr, reflect.Interface: if val.IsNil() { // Return typ's zero value. return reflect.Zero(typ), true } val = val.Elem() } if val.Type().AssignableTo(typ) { // No conversion needed. return val, true } if IsInt(typ.Kind()) { return convertToIntIfPossible(val, typ) } if IsFloat(typ.Kind()) { return convertToFloatIfPossible(val, typ) } if IsUint(typ.Kind()) { return convertToUintIfPossible(val, typ) } if IsString(typ.Kind()) && IsString(val.Kind()) { return val.Convert(typ), true } return reflect.Value{}, false } func convertToUintIfPossible(val reflect.Value, typ reflect.Type) (reflect.Value, bool) { if IsInt(val.Kind()) { i := val.Int() if i < 0 { return reflect.Value{}, false } u := uint64(i) if typ.OverflowUint(u) { return reflect.Value{}, false } return reflect.ValueOf(u).Convert(typ), true } if IsUint(val.Kind()) { if typ.OverflowUint(val.Uint()) { return reflect.Value{}, false } return val.Convert(typ), true } if IsFloat(val.Kind()) { f := val.Float() if f < 0 || f > float64(math.MaxUint64) { return reflect.Value{}, false } if f != math.Trunc(f) { return reflect.Value{}, false } u := uint64(f) if typ.OverflowUint(u) { return reflect.Value{}, false } return reflect.ValueOf(u).Convert(typ), true } return reflect.Value{}, false } func convertToFloatIfPossible(val reflect.Value, typ reflect.Type) (reflect.Value, bool) { if IsInt(val.Kind()) { i := val.Int() f := float64(i) if typ.OverflowFloat(f) { return reflect.Value{}, false } return reflect.ValueOf(f).Convert(typ), true } if IsUint(val.Kind()) { u := val.Uint() f := float64(u) if typ.OverflowFloat(f) { return reflect.Value{}, false } return reflect.ValueOf(f).Convert(typ), true } if IsFloat(val.Kind()) { if typ.OverflowFloat(val.Float()) { return reflect.Value{}, false } return val.Convert(typ), true } return reflect.Value{}, false } func convertToIntIfPossible(val reflect.Value, typ reflect.Type) (reflect.Value, bool) { if IsInt(val.Kind()) { if typ.OverflowInt(val.Int()) { return reflect.Value{}, false } return val.Convert(typ), true } if IsUint(val.Kind()) { if val.Uint() > uint64(math.MaxInt64) { return reflect.Value{}, false } if typ.OverflowInt(int64(val.Uint())) { return reflect.Value{}, false } return val.Convert(typ), true } if IsFloat(val.Kind()) { f := val.Float() if f < float64(math.MinInt64) || f > float64(math.MaxInt64) { return reflect.Value{}, false } if f != math.Trunc(f) { return reflect.Value{}, false } if typ.OverflowInt(int64(f)) { return reflect.Value{}, false } return reflect.ValueOf(int64(f)).Convert(typ), true } return reflect.Value{}, false }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hreflect/helpers_test.go
common/hreflect/helpers_test.go
// Copyright 2025 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 hreflect import ( "context" "reflect" "testing" "time" qt "github.com/frankban/quicktest" "github.com/gohugoio/hugo/htesting/hqt" ) type zeroStruct struct { zero bool } func (z zeroStruct) IsZero() bool { return z.zero } func TestIsTruthful(t *testing.T) { c := qt.New(t) var nilpointerZero *zeroStruct c.Assert(IsTruthful(true), qt.Equals, true) c.Assert(IsTruthful(false), qt.Equals, false) c.Assert(IsTruthful(time.Now()), qt.Equals, true) c.Assert(IsTruthful(time.Time{}), qt.Equals, false) c.Assert(IsTruthful(&zeroStruct{zero: false}), qt.Equals, true) c.Assert(IsTruthful(&zeroStruct{zero: true}), qt.Equals, false) c.Assert(IsTruthful(zeroStruct{zero: false}), qt.Equals, true) c.Assert(IsTruthful(zeroStruct{zero: true}), qt.Equals, false) c.Assert(IsTruthful(nil), qt.Equals, false) c.Assert(IsTruthful(nilpointerZero), qt.Equals, false) } func TestGetMethodByName(t *testing.T) { c := qt.New(t) v := reflect.ValueOf(&testStruct{}) tp := v.Type() c.Assert(GetMethodIndexByName(tp, "Method1"), qt.Equals, 0) c.Assert(GetMethodIndexByName(tp, "Method3"), qt.Equals, 2) c.Assert(GetMethodIndexByName(tp, "Foo"), qt.Equals, -1) } func TestIsContextType(t *testing.T) { c := qt.New(t) type k string ctx := context.Background() valueCtx := context.WithValue(ctx, k("key"), 32) c.Assert(IsContextType(reflect.TypeOf(ctx)), qt.IsTrue) c.Assert(IsContextType(reflect.TypeOf(valueCtx)), qt.IsTrue) } func TestToSliceAny(t *testing.T) { c := qt.New(t) checkOK := func(in any, expected []any) { out, ok := ToSliceAny(in) c.Assert(ok, qt.Equals, true) c.Assert(out, qt.DeepEquals, expected) } checkOK([]any{1, 2, 3}, []any{1, 2, 3}) checkOK([]int{1, 2, 3}, []any{1, 2, 3}) } type testIndirectStruct struct { S string } func (t *testIndirectStruct) GetS() string { return t.S } func (t testIndirectStruct) Foo() string { return "bar" } type testIndirectStructNoMethods struct { S string } func TestIsNil(t *testing.T) { c := qt.New(t) var ( nilPtr *testIndirectStruct nilIface any = nil nonNilIface any = &testIndirectStruct{S: "hello"} ) c.Assert(IsNil(reflect.ValueOf(nilPtr)), qt.Equals, true) c.Assert(IsNil(reflect.ValueOf(nilIface)), qt.Equals, true) c.Assert(IsNil(reflect.ValueOf(nonNilIface)), qt.Equals, false) } func TestIndirectInterface(t *testing.T) { c := qt.New(t) var ( structWithMethods = testIndirectStruct{S: "hello"} structWithMethodsPointer = &testIndirectStruct{S: "hello"} structWithMethodsPointerAny any = structWithMethodsPointer structPointerToPointer = &structWithMethodsPointer structNoMethodsPtr = &testIndirectStructNoMethods{S: "no methods"} structNoMethods = testIndirectStructNoMethods{S: "no methods"} intValue = 32 intPtr = &intValue nilPtr *testIndirectStruct nilIface any = nil ) ind := func(v any) any { c.Helper() vv, isNil := Indirect(reflect.ValueOf(v)) c.Assert(isNil, qt.IsFalse) return vv.Interface() } c.Assert(ind(intValue), hqt.IsSameType, 32) c.Assert(ind(intPtr), hqt.IsSameType, 32) c.Assert(ind(structNoMethodsPtr), hqt.IsSameType, structNoMethodsPtr) c.Assert(ind(structWithMethods), hqt.IsSameType, structWithMethods) c.Assert(ind(structNoMethods), hqt.IsSameType, structNoMethods) c.Assert(ind(structPointerToPointer), hqt.IsSameType, &testIndirectStruct{}) c.Assert(ind(structWithMethodsPointer), hqt.IsSameType, &testIndirectStruct{}) c.Assert(ind(structWithMethodsPointerAny), hqt.IsSameType, structWithMethodsPointer) vv, isNil := Indirect(reflect.ValueOf(nilPtr)) c.Assert(isNil, qt.IsTrue) c.Assert(vv, qt.Equals, reflect.ValueOf(nilPtr)) vv, isNil = Indirect(reflect.ValueOf(nilIface)) c.Assert(isNil, qt.IsFalse) c.Assert(vv, qt.Equals, reflect.ValueOf(nilIface)) } func BenchmarkIsContextType(b *testing.B) { const size = 1000 type k string b.Run("value", func(b *testing.B) { ctx := context.Background() ctxs := make([]reflect.Type, size) for i := range size { ctxs[i] = reflect.TypeOf(context.WithValue(ctx, k("key"), i)) } for i := 0; b.Loop(); i++ { idx := i % size if !IsContextType(ctxs[idx]) { b.Fatal("not context") } } }) b.Run("background", func(b *testing.B) { var ctxt reflect.Type = reflect.TypeOf(context.Background()) for b.Loop() { if !IsContextType(ctxt) { b.Fatal("not context") } } }) } func BenchmarkIsTruthFulValue(b *testing.B) { var ( stringHugo = reflect.ValueOf("Hugo") stringEmpty = reflect.ValueOf("") zero = reflect.ValueOf(time.Time{}) timeNow = reflect.ValueOf(time.Now()) boolTrue = reflect.ValueOf(true) boolFalse = reflect.ValueOf(false) nilPointer = reflect.ValueOf((*zeroStruct)(nil)) ) for b.Loop() { IsTruthfulValue(stringHugo) IsTruthfulValue(stringEmpty) IsTruthfulValue(zero) IsTruthfulValue(timeNow) IsTruthfulValue(boolTrue) IsTruthfulValue(boolFalse) IsTruthfulValue(nilPointer) } } type testStruct struct{} func (t *testStruct) Method1() string { return "Hugo" } func (t *testStruct) Method2() string { return "Hugo" } func (t *testStruct) Method3() string { return "Hugo" } func (t *testStruct) Method4() string { return "Hugo" } func (t *testStruct) Method5() string { return "Hugo" } func BenchmarkGetMethodByNameForType(b *testing.B) { tp := reflect.TypeFor[*testStruct]() methods := []string{"Method1", "Method2", "Method3", "Method4", "Method5"} for b.Loop() { for _, method := range methods { _ = GetMethodByNameForType(tp, method) } } } func BenchmarkGetMethodByName(b *testing.B) { v := reflect.ValueOf(&testStruct{}) methods := []string{"Method1", "Method2", "Method3", "Method4", "Method5"} for b.Loop() { for _, method := range methods { _ = GetMethodByName(v, method) } } } func BenchmarkGetMethodByNamePara(b *testing.B) { v := reflect.ValueOf(&testStruct{}) methods := []string{"Method1", "Method2", "Method3", "Method4", "Method5"} b.ResetTimer() b.RunParallel(func(pb *testing.PB) { for pb.Next() { for _, method := range methods { _ = GetMethodByName(v, method) } } }) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hreflect/helpers.go
common/hreflect/helpers.go
// Copyright 2025 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 hreflect contains reflect helpers. package hreflect import ( "context" "reflect" "sync" "time" "github.com/gohugoio/hugo/common/htime" "github.com/gohugoio/hugo/common/maps" "github.com/gohugoio/hugo/common/types" ) // IsInterfaceOrPointer returns whether the given kind is an interface or a pointer. func IsInterfaceOrPointer(kind reflect.Kind) bool { return kind == reflect.Interface || kind == reflect.Ptr } // TODO(bep) replace the private versions in /tpl with these. // IsNumber returns whether the given kind is a number. func IsNumber(kind reflect.Kind) bool { return IsInt(kind) || IsUint(kind) || IsFloat(kind) } // IsInt returns whether the given kind is an int. func IsInt(kind reflect.Kind) bool { switch kind { case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64: return true default: return false } } // IsUint returns whether the given kind is an uint. func IsUint(kind reflect.Kind) bool { switch kind { case reflect.Uint, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64: return true default: return false } } // IsFloat returns whether the given kind is a float. func IsFloat(kind reflect.Kind) bool { switch kind { case reflect.Float32, reflect.Float64: return true default: return false } } // IsString returns whether the given kind is a string. func IsString(kind reflect.Kind) bool { return kind == reflect.String } // IsTruthful returns whether in represents a truthful value. // See IsTruthfulValue func IsTruthful(in any) bool { switch v := in.(type) { case reflect.Value: return IsTruthfulValue(v) default: return IsTruthfulValue(reflect.ValueOf(in)) } } // IsMap reports whether v is a map. func IsMap(v any) bool { return reflect.ValueOf(v).Kind() == reflect.Map } // IsSlice reports whether v is a slice. func IsSlice(v any) bool { return reflect.ValueOf(v).Kind() == reflect.Slice } var zeroType = reflect.TypeOf((*types.Zeroer)(nil)).Elem() var isZeroCache sync.Map func implementsIsZero(tp reflect.Type) bool { v, ok := isZeroCache.Load(tp) if ok { return v.(bool) } implements := tp.Implements(zeroType) isZeroCache.Store(tp, implements) return implements } // IsTruthfulValue returns whether the given value has a meaningful truth value. // This is based on template.IsTrue in Go's stdlib, but also considers // IsZero and any interface value will be unwrapped before it's considered // for truthfulness. // // Based on: // https://github.com/golang/go/blob/178a2c42254166cffed1b25fb1d3c7a5727cada6/src/text/template/exec.go#L306 func IsTruthfulValue(val reflect.Value) (truth bool) { val, isNil := Indirect(val) if !val.IsValid() { // Something like: var x any, never set. It's a form of nil. return } if val.Kind() == reflect.Pointer && isNil { return } if implementsIsZero(val.Type()) { return !val.Interface().(types.Zeroer).IsZero() } switch val.Kind() { case reflect.Array, reflect.Map, reflect.Slice, reflect.String: truth = val.Len() > 0 case reflect.Bool: truth = val.Bool() case reflect.Complex64, reflect.Complex128: truth = val.Complex() != 0 case reflect.Chan, reflect.Func, reflect.Ptr, reflect.Interface: truth = !val.IsNil() case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64: truth = val.Int() != 0 case reflect.Float32, reflect.Float64: truth = val.Float() != 0 case reflect.Uint, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64, reflect.Uintptr: truth = val.Uint() != 0 case reflect.Struct: truth = true // Struct values are always true. default: return } return } type methodKey struct { typ reflect.Type name string } var ( methodIndexCache sync.Map methodCache sync.Map ) // GetMethodByNameForType returns the method with the given name for the given type, // or a zero Method if no such method exists. // It panics if tp is an interface type. // It caches the lookup. func GetMethodByNameForType(tp reflect.Type, name string) reflect.Method { if tp.Kind() == reflect.Interface { // Func field is nil for interface types. panic("not supported for interface types") } k := methodKey{tp, name} v, found := methodCache.Load(k) if found { return v.(reflect.Method) } m, _ := tp.MethodByName(name) methodCache.Store(k, m) return m } // GetMethodByName is the same as reflect.Value.MethodByName, but it caches the lookup. func GetMethodByName(v reflect.Value, name string) reflect.Value { index := GetMethodIndexByName(v.Type(), name) if index == -1 { return reflect.Value{} } return v.Method(index) } // GetMethodIndexByName returns the index of the method with the given name, or // -1 if no such method exists. func GetMethodIndexByName(tp reflect.Type, name string) int { k := methodKey{tp, name} v, found := methodIndexCache.Load(k) if found { return v.(int) } m, ok := tp.MethodByName(name) index := m.Index if !ok { index = -1 } methodIndexCache.Store(k, index) if !ok { return -1 } return m.Index } var ( timeType = reflect.TypeOf((*time.Time)(nil)).Elem() asTimeProviderType = reflect.TypeOf((*htime.AsTimeProvider)(nil)).Elem() ) // IsTime returns whether tp is a time.Time type or if it can be converted into one // in ToTime. func IsTime(tp reflect.Type) bool { if tp == timeType { return true } if tp.Implements(asTimeProviderType) { return true } return false } // IsValid returns whether v is not nil and a valid value. func IsValid(v reflect.Value) bool { if !v.IsValid() { return false } switch v.Kind() { case reflect.Chan, reflect.Func, reflect.Interface, reflect.Map, reflect.Ptr, reflect.Slice: return !v.IsNil() } return true } // AsTime returns v as a time.Time if possible. // The given location is only used if the value implements AsTimeProvider (e.g. go-toml local). // A zero Time and false is returned if this isn't possible. // Note that this function does not accept string dates. func AsTime(v reflect.Value, loc *time.Location) (time.Time, bool) { if v.Kind() == reflect.Interface { return AsTime(v.Elem(), loc) } if v.Type() == timeType { return v.Interface().(time.Time), true } if v.Type().Implements(asTimeProviderType) { return v.Interface().(htime.AsTimeProvider).AsTime(loc), true } return time.Time{}, false } // ToSliceAny converts the given value to a slice of any if possible. func ToSliceAny(v any) ([]any, bool) { if v == nil { return nil, false } switch vv := v.(type) { case []any: return vv, true default: vvv := reflect.ValueOf(v) if vvv.Kind() == reflect.Slice { out := make([]any, vvv.Len()) for i := range vvv.Len() { out[i] = vvv.Index(i).Interface() } return out, true } } return nil, false } // CallMethodByName calls the method with the given name on v. func CallMethodByName(cxt context.Context, name string, v reflect.Value) []reflect.Value { fn := v.MethodByName(name) var args []reflect.Value tp := fn.Type() if tp.NumIn() > 0 { if tp.NumIn() > 1 { panic("not supported") } first := tp.In(0) if IsContextType(first) { args = append(args, reflect.ValueOf(cxt)) } } return fn.Call(args) } // Indirect unwraps interfaces and pointers until it finds a non-interface/pointer value. // If a nil is encountered, the second return value is true. // If a pointer to a struct is encountered, it is not unwrapped. func Indirect(v reflect.Value) (vv reflect.Value, isNil bool) { for ; IsInterfaceOrPointer(v.Kind()); v = v.Elem() { if IsNil(v) { return v, true } if v.Kind() != reflect.Interface { // A pointer. if v.NumMethod() > 0 { break } if v.Elem().Kind() == reflect.Struct { // Avoid unwrapping pointers to structs. break } } } return v, false } // IndirectElem is like Indirect, but if the final value is a pointer, it unwraps it. func IndirectElem(v reflect.Value) (vv reflect.Value, isNil bool) { vv, isNil = Indirect(v) if isNil { return vv, isNil } if vv.Kind() == reflect.Pointer { vv = vv.Elem() } return vv, isNil } // IsNil reports whether v is nil. // Based on reflect.Value.IsNil, but also considers invalid values as nil. func IsNil(v reflect.Value) bool { if !v.IsValid() { return true } switch v.Kind() { case reflect.Chan, reflect.Func, reflect.Interface, reflect.Map, reflect.Ptr, reflect.Slice: return v.IsNil() } return false } var contextInterface = reflect.TypeOf((*context.Context)(nil)).Elem() var isContextCache = maps.NewCache[reflect.Type, bool]() type k string var contextTypeValue = reflect.TypeOf(context.WithValue(context.Background(), k("key"), 32)) // IsContextType returns whether tp is a context.Context type. func IsContextType(tp reflect.Type) bool { if tp == contextTypeValue { return true } if tp == contextInterface { return true } isContext, _ := isContextCache.GetOrCreate(tp, func() (bool, error) { return tp.Implements(contextInterface), nil }) return isContext }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/version/version_test.go
common/version/version_test.go
// Copyright 2025 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 version import ( "testing" qt "github.com/frankban/quicktest" ) func TestHugoVersion(t *testing.T) { c := qt.New(t) c.Assert(version(0, 15, 0, "-DEV"), qt.Equals, "0.15-DEV") c.Assert(version(0, 15, 2, "-DEV"), qt.Equals, "0.15.2-DEV") v := Version{Minor: 21, Suffix: "-DEV"} c.Assert(v.ReleaseVersion().String(), qt.Equals, "0.21") c.Assert(v.String(), qt.Equals, "0.21-DEV") c.Assert(v.Next().String(), qt.Equals, "0.22") nextVersionString := v.Next().Version() c.Assert(nextVersionString.String(), qt.Equals, "0.22") c.Assert(nextVersionString.Eq("0.22"), qt.Equals, true) c.Assert(nextVersionString.Eq("0.21"), qt.Equals, false) c.Assert(nextVersionString.Eq(nextVersionString), qt.Equals, true) c.Assert(v.NextPatchLevel(3).String(), qt.Equals, "0.20.3") // We started to use full semver versions even for main // releases in v0.54.0 v = Version{Minor: 53, PatchLevel: 0} c.Assert(v.String(), qt.Equals, "0.53") c.Assert(v.Next().String(), qt.Equals, "0.54.0") c.Assert(v.Next().Next().String(), qt.Equals, "0.55.0") v = Version{Minor: 54, PatchLevel: 0, Suffix: "-DEV"} c.Assert(v.String(), qt.Equals, "0.54.0-DEV") } func TestCompareVersions(t *testing.T) { c := qt.New(t) c.Assert(CompareVersions(MustParseVersion("0.20.0"), 0.20), qt.Equals, 0) c.Assert(CompareVersions(MustParseVersion("0.20.0"), float32(0.20)), qt.Equals, 0) c.Assert(CompareVersions(MustParseVersion("0.20.0"), float64(0.20)), qt.Equals, 0) c.Assert(CompareVersions(MustParseVersion("0.19.1"), 0.20), qt.Equals, 1) c.Assert(CompareVersions(MustParseVersion("0.19.3"), "0.20.2"), qt.Equals, 1) c.Assert(CompareVersions(MustParseVersion("0.1"), 3), qt.Equals, 1) c.Assert(CompareVersions(MustParseVersion("0.1"), int32(3)), qt.Equals, 1) c.Assert(CompareVersions(MustParseVersion("0.1"), int64(3)), qt.Equals, 1) c.Assert(CompareVersions(MustParseVersion("0.20"), "0.20"), qt.Equals, 0) c.Assert(CompareVersions(MustParseVersion("0.20.1"), "0.20.1"), qt.Equals, 0) c.Assert(CompareVersions(MustParseVersion("0.20.1"), "0.20"), qt.Equals, -1) c.Assert(CompareVersions(MustParseVersion("0.20.0"), "0.20.1"), qt.Equals, 1) c.Assert(CompareVersions(MustParseVersion("0.20.1"), "0.20.2"), qt.Equals, 1) c.Assert(CompareVersions(MustParseVersion("0.21.1"), "0.22.1"), qt.Equals, 1) c.Assert(CompareVersions(MustParseVersion("0.22.0"), "0.22-DEV"), qt.Equals, -1) c.Assert(CompareVersions(MustParseVersion("0.22.0"), "0.22.1-DEV"), qt.Equals, 1) c.Assert(CompareVersions(MustParseVersion("0.22.0-DEV"), "0.22"), qt.Equals, 1) c.Assert(CompareVersions(MustParseVersion("0.22.1-DEV"), "0.22"), qt.Equals, -1) c.Assert(CompareVersions(MustParseVersion("0.22.1-DEV"), "0.22.1-DEV"), qt.Equals, 0) } func TestParseHugoVersion(t *testing.T) { c := qt.New(t) c.Assert(MustParseVersion("v2.3.2").String(), qt.Equals, "2.3.2") c.Assert(MustParseVersion("0.25").String(), qt.Equals, "0.25") c.Assert(MustParseVersion("0.25.2").String(), qt.Equals, "0.25.2") c.Assert(MustParseVersion("0.25-test").String(), qt.Equals, "0.25-test") c.Assert(MustParseVersion("0.25-DEV").String(), qt.Equals, "0.25-DEV") } func TestGoMinorVersion(t *testing.T) { c := qt.New(t) c.Assert(goMinorVersion("go1.12.5"), qt.Equals, 12) c.Assert(goMinorVersion("go1.14rc1"), qt.Equals, 14) c.Assert(GoMinorVersion() >= 11, qt.Equals, true) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/version/version.go
common/version/version.go
// Copyright 2025 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 version import ( "fmt" "io" "math" "runtime" "strconv" "strings" "github.com/gohugoio/hugo/compare" "github.com/spf13/cast" ) // Version represents the Hugo build version. type Version struct { Major int Minor int // Increment this for bug releases PatchLevel int // HugoVersionSuffix is the suffix used in the Hugo version string. // It will be blank for release versions. Suffix string } var ( _ compare.Eqer = (*VersionString)(nil) _ compare.Comparer = (*VersionString)(nil) ) // IsAlphaBetaOrRC returns whether this version is an alpha, beta, or release candidate. func (v Version) IsAlphaBetaOrRC() bool { s := strings.ToLower(v.Suffix) // e.g. "alpha.1", "beta.2", "rc.3" return strings.Contains(s, "alpha.") || strings.Contains(s, "beta.") || strings.Contains(s, "rc.") } func (v Version) String() string { return version(v.Major, v.Minor, v.PatchLevel, v.Suffix) } // Version returns the Hugo version. func (v Version) Version() VersionString { return VersionString(v.String()) } // Compare implements the compare.Comparer interface. func (h Version) Compare(other any) int { return CompareVersions(h, other) } // VersionString represents a Hugo version string. type VersionString string func (h VersionString) String() string { return string(h) } // Compare implements the compare.Comparer interface. func (h VersionString) Compare(other any) int { return CompareVersions(h.Version(), other) } func (h VersionString) Version() Version { return MustParseVersion(h.String()) } // Eq implements the compare.Eqer interface. func (h VersionString) Eq(other any) bool { s, err := cast.ToStringE(other) if err != nil { return false } return s == h.String() } // ParseVersion parses a version string. func ParseVersion(s string) (Version, error) { s = strings.TrimPrefix(strings.TrimSpace(s), "v") var vv Version hyphen := strings.Index(s, "-") if hyphen > 0 { suffix := s[hyphen:] if len(suffix) > 1 { if suffix[0] == '-' { suffix = suffix[1:] } if len(suffix) > 0 { vv.Suffix = suffix s = s[:hyphen] } } vv.Suffix = suffix } vv.Major, vv.Minor, vv.PatchLevel = parseVersion(s) return vv, nil } // MustParseVersion parses a version string // and panics if any error occurs. func MustParseVersion(s string) Version { vv, err := ParseVersion(s) if err != nil { panic(err) } return vv } // ReleaseVersion represents the release version. func (v Version) ReleaseVersion() Version { v.Suffix = "" return v } // Next returns the next Hugo release version. func (v Version) Next() Version { return Version{Major: v.Major, Minor: v.Minor + 1} } // Prev returns the previous Hugo release version. func (v Version) Prev() Version { return Version{Major: v.Major, Minor: v.Minor - 1} } // NextPatchLevel returns the next patch/bugfix Hugo version. // This will be a patch increment on the previous Hugo version. func (v Version) NextPatchLevel(level int) Version { prev := v.Prev() prev.PatchLevel = level return prev } func version(major, minor, patch int, suffix string) string { if suffix != "" { if suffix[0] != '-' { suffix = "-" + suffix } } if patch > 0 || minor > 53 { return fmt.Sprintf("%d.%d.%d%s", major, minor, patch, suffix) } return fmt.Sprintf("%d.%d%s", major, minor, suffix) } // CompareVersion compares v1 with v2. // It returns -1 if the v2 is less than, 0 if equal and 1 if greater than // v1. func CompareVersions(v1 Version, v2 any) int { var c int switch d := v2.(type) { case float64: c = compareFloatWithVersion(d, v1) case float32: c = compareFloatWithVersion(float64(d), v1) case int: c = compareFloatWithVersion(float64(d), v1) case int32: c = compareFloatWithVersion(float64(d), v1) case int64: c = compareFloatWithVersion(float64(d), v1) case Version: if d.Major == v1.Major && d.Minor == v1.Minor && d.PatchLevel == v1.PatchLevel { return strings.Compare(v1.Suffix, d.Suffix) } if d.Major > v1.Major { return 1 } else if d.Major < v1.Major { return -1 } if d.Minor > v1.Minor { return 1 } else if d.Minor < v1.Minor { return -1 } if d.PatchLevel > v1.PatchLevel { return 1 } else if d.PatchLevel < v1.PatchLevel { return -1 } default: s, err := cast.ToStringE(v2) if err != nil { return -1 } v, err := ParseVersion(s) if err != nil { return -1 } return v1.Compare(v) } return c } func parseVersion(s string) (int, int, int) { var major, minor, patch int parts := strings.Split(s, ".") if len(parts) > 0 { major, _ = strconv.Atoi(parts[0]) } if len(parts) > 1 { minor, _ = strconv.Atoi(parts[1]) } if len(parts) > 2 { patch, _ = strconv.Atoi(parts[2]) } return major, minor, patch } // compareFloatWithVersion compares v1 with v2. // It returns -1 if v1 is less than v2, 0 if v1 is equal to v2 and 1 if v1 is greater than v2. func compareFloatWithVersion(v1 float64, v2 Version) int { mf, minf := math.Modf(v1) v1maj := int(mf) v1min := int(minf * 100) if v2.Major == v1maj && v2.Minor == v1min { return 0 } if v1maj > v2.Major { return 1 } if v1maj < v2.Major { return -1 } if v1min > v2.Minor { return 1 } return -1 } func GoMinorVersion() int { return goMinorVersion(runtime.Version()) } func goMinorVersion(version string) int { if strings.HasPrefix(version, "devel") { return 9999 // magic } var major, minor int var trailing string n, err := fmt.Sscanf(version, "go%d.%d%s", &major, &minor, &trailing) if n == 2 && err == io.EOF { // Means there were no trailing characters (i.e., not an alpha/beta) err = nil } if err != nil { return 0 } return minor }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/himage/image.go
common/himage/image.go
// Copyright 2025 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 himage provides some high level image types and interfaces. package himage import "image" // AnimatedImage represents an animated image. // This is currently supported for GIF and WebP images. type AnimatedImage interface { image.Image // The first frame. GetRaw() any // *gif.GIF or *WEBP. GetLoopCount() int // Number of times to loop the animation. 0 means infinite. ImageFrames } // ImageFrames provides access to the frames of an animated image. type ImageFrames interface { GetFrames() []image.Image // Frame durations in milliseconds. // Note that Gif frame durations are in 100ths of a second, // so they need to be multiplied by 10 to get milliseconds and vice versa. GetFrameDurations() []int SetFrames(frames []image.Image) SetWidthHeight(width, height int) } // ImageConfigProvider provides access to the image.Config of an image. type ImageConfigProvider interface { GetImageConfig() image.Config } // FrameDurationsToGifDelays converts frame durations in milliseconds to // GIF delays in 100ths of a second. func FrameDurationsToGifDelays(frameDurations []int) []int { delays := make([]int, len(frameDurations)) for i, fd := range frameDurations { delays[i] = fd / 10 if delays[i] == 0 && fd > 0 { delays[i] = 1 } } return delays } // GifDelaysToFrameDurations converts GIF delays in 100ths of a second to // frame durations in milliseconds. func GifDelaysToFrameDurations(delays []int) []int { frameDurations := make([]int, len(delays)) for i, d := range delays { frameDurations[i] = d * 10 } return frameDurations }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/math/math_test.go
common/math/math_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 math import ( "testing" qt "github.com/frankban/quicktest" ) func TestDoArithmetic(t *testing.T) { t.Parallel() c := qt.New(t) for _, test := range []struct { a any b any op rune expect any }{ {3, 2, '+', int64(5)}, {0, 0, '+', int64(0)}, {3, 2, '-', int64(1)}, {3, 2, '*', int64(6)}, {3, 2, '/', int64(1)}, {3.0, 2, '+', float64(5)}, {0.0, 0, '+', float64(0.0)}, {3.0, 2, '-', float64(1)}, {3.0, 2, '*', float64(6)}, {3.0, 2, '/', float64(1.5)}, {3, 2.0, '+', float64(5)}, {3, 2.0, '-', float64(1)}, {3, 2.0, '*', float64(6)}, {3, 2.0, '/', float64(1.5)}, {3.0, 2.0, '+', float64(5)}, {0.0, 0.0, '+', float64(0.0)}, {3.0, 2.0, '-', float64(1)}, {3.0, 2.0, '*', float64(6)}, {3.0, 2.0, '/', float64(1.5)}, {uint(3), uint(2), '+', uint64(5)}, {uint(0), uint(0), '+', uint64(0)}, {uint(3), uint(2), '-', uint64(1)}, {uint(3), uint(2), '*', uint64(6)}, {uint(3), uint(2), '/', uint64(1)}, {uint(3), 2, '+', uint64(5)}, {uint(0), 0, '+', uint64(0)}, {uint(3), 2, '-', uint64(1)}, {uint(3), 2, '*', uint64(6)}, {uint(3), 2, '/', uint64(1)}, {3, uint(2), '+', uint64(5)}, {0, uint(0), '+', uint64(0)}, {3, uint(2), '-', uint64(1)}, {3, uint(2), '*', uint64(6)}, {3, uint(2), '/', uint64(1)}, {uint(3), -2, '+', int64(1)}, {uint(3), -2, '-', int64(5)}, {uint(3), -2, '*', int64(-6)}, {uint(3), -2, '/', int64(-1)}, {-3, uint(2), '+', int64(-1)}, {-3, uint(2), '-', int64(-5)}, {-3, uint(2), '*', int64(-6)}, {-3, uint(2), '/', int64(-1)}, {uint(3), 2.0, '+', float64(5)}, {uint(0), 0.0, '+', float64(0)}, {uint(3), 2.0, '-', float64(1)}, {uint(3), 2.0, '*', float64(6)}, {uint(3), 2.0, '/', float64(1.5)}, {3.0, uint(2), '+', float64(5)}, {0.0, uint(0), '+', float64(0)}, {3.0, uint(2), '-', float64(1)}, {3.0, uint(2), '*', float64(6)}, {3.0, uint(2), '/', float64(1.5)}, {"foo", "bar", '+', "foobar"}, {3, 0, '/', false}, {3.0, 0, '/', false}, {3, 0.0, '/', false}, {uint(3), uint(0), '/', false}, {3, uint(0), '/', false}, {-3, uint(0), '/', false}, {uint(3), 0, '/', false}, {3.0, uint(0), '/', false}, {uint(3), 0.0, '/', false}, {3, "foo", '+', false}, {3.0, "foo", '+', false}, {uint(3), "foo", '+', false}, {"foo", 3, '+', false}, {"foo", "bar", '-', false}, {3, 2, '%', false}, } { result, err := DoArithmetic(test.a, test.b, test.op) if b, ok := test.expect.(bool); ok && !b { c.Assert(err, qt.Not(qt.IsNil)) continue } c.Assert(err, qt.IsNil) c.Assert(test.expect, qt.Equals, result) } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/math/math.go
common/math/math.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 math import ( "errors" "reflect" ) // DoArithmetic performs arithmetic operations (+,-,*,/) using reflection to // determine the type of the two terms. func DoArithmetic(a, b any, op rune) (any, error) { av := reflect.ValueOf(a) bv := reflect.ValueOf(b) var ai, bi int64 var af, bf float64 var au, bu uint64 var isInt, isFloat, isUint bool switch av.Kind() { case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64: ai = av.Int() switch bv.Kind() { case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64: isInt = true bi = bv.Int() case reflect.Float32, reflect.Float64: isFloat = true af = float64(ai) // may overflow bf = bv.Float() case reflect.Uint, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64: bu = bv.Uint() if ai >= 0 { isUint = true au = uint64(ai) } else { isInt = true bi = int64(bu) // may overflow } default: return nil, errors.New("can't apply the operator to the values") } case reflect.Float32, reflect.Float64: isFloat = true af = av.Float() switch bv.Kind() { case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64: bf = float64(bv.Int()) // may overflow case reflect.Float32, reflect.Float64: bf = bv.Float() case reflect.Uint, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64: bf = float64(bv.Uint()) // may overflow default: return nil, errors.New("can't apply the operator to the values") } case reflect.Uint, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64: au = av.Uint() switch bv.Kind() { case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64: bi = bv.Int() if bi >= 0 { isUint = true bu = uint64(bi) } else { isInt = true ai = int64(au) // may overflow } case reflect.Float32, reflect.Float64: isFloat = true af = float64(au) // may overflow bf = bv.Float() case reflect.Uint, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64: isUint = true bu = bv.Uint() default: return nil, errors.New("can't apply the operator to the values") } case reflect.String: as := av.String() if bv.Kind() == reflect.String && op == '+' { bs := bv.String() return as + bs, nil } return nil, errors.New("can't apply the operator to the values") default: return nil, errors.New("can't apply the operator to the values") } switch op { case '+': if isInt { return ai + bi, nil } else if isFloat { return af + bf, nil } return au + bu, nil case '-': if isInt { return ai - bi, nil } else if isFloat { return af - bf, nil } return au - bu, nil case '*': if isInt { return ai * bi, nil } else if isFloat { return af * bf, nil } return au * bu, nil case '/': if isInt && bi != 0 { return ai / bi, nil } else if isFloat && bf != 0 { return af / bf, nil } else if isUint && bu != 0 { return au / bu, nil } return nil, errors.New("can't divide the value by 0") default: return nil, errors.New("there is no such an operation") } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/herrors/errors_test.go
common/herrors/errors_test.go
// Copyright 2024 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 herrors import ( "errors" "fmt" "testing" qt "github.com/frankban/quicktest" "github.com/spf13/afero" ) func TestIsNotExist(t *testing.T) { c := qt.New(t) c.Assert(IsNotExist(afero.ErrFileNotFound), qt.Equals, true) c.Assert(IsNotExist(afero.ErrFileExists), qt.Equals, false) c.Assert(IsNotExist(afero.ErrDestinationExists), qt.Equals, false) c.Assert(IsNotExist(nil), qt.Equals, false) c.Assert(IsNotExist(fmt.Errorf("foo")), qt.Equals, false) // os.IsNotExist returns false for wrapped errors. c.Assert(IsNotExist(fmt.Errorf("foo: %w", afero.ErrFileNotFound)), qt.Equals, true) } func TestIsFeatureNotAvailableError(t *testing.T) { c := qt.New(t) c.Assert(IsFeatureNotAvailableError(ErrFeatureNotAvailable), qt.Equals, true) c.Assert(IsFeatureNotAvailableError(&FeatureNotAvailableError{}), qt.Equals, true) c.Assert(IsFeatureNotAvailableError(errors.New("asdf")), qt.Equals, false) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/herrors/error_locator.go
common/herrors/error_locator.go
// Copyright 2024 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 herrors contains common Hugo errors and error related utilities. package herrors import ( "io" "path/filepath" "strings" "github.com/gohugoio/hugo/common/text" ) // LineMatcher contains the elements used to match an error to a line type LineMatcher struct { Position text.Position Error error LineNumber int Offset int Line string } // LineMatcherFn is used to match a line with an error. // It returns the column number or 0 if the line was found, but column could not be determined. Returns -1 if no line match. type LineMatcherFn func(m LineMatcher) int // SimpleLineMatcher simply matches by line number. var SimpleLineMatcher = func(m LineMatcher) int { if m.Position.LineNumber == m.LineNumber { // We found the line, but don't know the column. return 0 } return -1 } // NopLineMatcher is a matcher that always returns 1. // This will effectively give line 1, column 1. var NopLineMatcher = func(m LineMatcher) int { return 1 } // OffsetMatcher is a line matcher that matches by offset. var OffsetMatcher = func(m LineMatcher) int { if m.Offset+len(m.Line) >= m.Position.Offset { // We found the line, but return 0 to signal that we want to determine // the column from the error. return 0 } return -1 } // ContainsMatcher is a line matcher that matches by line content. func ContainsMatcher(text string) func(m LineMatcher) int { return func(m LineMatcher) int { if idx := strings.Index(m.Line, text); idx != -1 { return idx + 1 } return -1 } } // ErrorContext contains contextual information about an error. This will // typically be the lines surrounding some problem in a file. type ErrorContext struct { // If a match will contain the matched line and up to 2 lines before and after. // Will be empty if no match. Lines []string // The position of the error in the Lines above. 0 based. LinesPos int // The position of the content in the file. Note that this may be different from the error's position set // in FileError. Position text.Position // The lexer to use for syntax highlighting. // https://gohugo.io/content-management/syntax-highlighting/#list-of-chroma-highlighting-languages ChromaLexer string } func chromaLexerFromType(fileType string) string { switch fileType { case "html", "htm": return "go-html-template" } return fileType } func extNoDelimiter(filename string) string { return strings.TrimPrefix(filepath.Ext(filename), ".") } func chromaLexerFromFilename(filename string) string { if strings.Contains(filename, "layouts") { return "go-html-template" } ext := extNoDelimiter(filename) return chromaLexerFromType(ext) } func locateErrorInString(src string, matcher LineMatcherFn) *ErrorContext { return locateError(strings.NewReader(src), &fileError{}, matcher) } func locateError(r io.Reader, le FileError, matches LineMatcherFn) *ErrorContext { if le == nil { panic("must provide an error") } ectx := &ErrorContext{LinesPos: -1, Position: text.Position{Offset: -1}} b, err := io.ReadAll(r) if err != nil { return ectx } lines := strings.Split(string(b), "\n") lineNo := 0 posBytes := 0 for li, line := range lines { lineNo = li + 1 m := LineMatcher{ Position: le.Position(), Error: le, LineNumber: lineNo, Offset: posBytes, Line: line, } v := matches(m) if ectx.LinesPos == -1 && v != -1 { ectx.Position.LineNumber = lineNo ectx.Position.ColumnNumber = v break } posBytes += len(line) } if ectx.Position.LineNumber > 0 { low := max(ectx.Position.LineNumber-3, 0) if ectx.Position.LineNumber > 2 { ectx.LinesPos = 2 } else { ectx.LinesPos = ectx.Position.LineNumber - 1 } high := min(ectx.Position.LineNumber+2, len(lines)) ectx.Lines = lines[low:high] } return ectx }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/herrors/line_number_extractors.go
common/herrors/line_number_extractors.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 herrors import ( "regexp" "strconv" ) var lineNumberExtractors = []lineNumberExtractor{ // YAML parse errors. newLineNumberErrHandlerFromRegexp(`\[(\d+):(\d+)\]`), // Template/shortcode parse errors newLineNumberErrHandlerFromRegexp(`:(\d+):(\d*):`), newLineNumberErrHandlerFromRegexp(`:(\d+):`), // i18n bundle errors newLineNumberErrHandlerFromRegexp(`\((\d+),\s(\d*)`), } func commonLineNumberExtractor(e error) (int, int) { for _, handler := range lineNumberExtractors { lno, col := handler(e) if lno > 0 { return lno, col } } return 0, 0 } type lineNumberExtractor func(e error) (int, int) func newLineNumberErrHandlerFromRegexp(expression string) lineNumberExtractor { re := regexp.MustCompile(expression) return extractLineNo(re) } func extractLineNo(re *regexp.Regexp) lineNumberExtractor { return func(e error) (int, int) { if e == nil { panic("no error") } col := 1 s := e.Error() m := re.FindStringSubmatch(s) if len(m) >= 2 { lno, _ := strconv.Atoi(m[1]) if len(m) > 2 { col, _ = strconv.Atoi(m[2]) } if col <= 0 { col = 1 } return lno, col } return 0, col } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/herrors/file_error.go
common/herrors/file_error.go
// Copyright 2024 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 lfmtaw 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 herrors import ( "encoding/json" "errors" "fmt" "io" "path/filepath" "github.com/bep/godartsass/v2" "github.com/bep/golibsass/libsass/libsasserrors" "github.com/gohugoio/hugo/common/paths" "github.com/gohugoio/hugo/common/text" "github.com/pelletier/go-toml/v2" "github.com/spf13/afero" "github.com/tdewolff/parse/v2" ) // FileError represents an error when handling a file: Parsing a config file, // execute a template etc. type FileError interface { error // ErrorContext holds some context information about the error. ErrorContext() *ErrorContext text.Positioner // UpdatePosition updates the position of the error. UpdatePosition(pos text.Position) FileError // UpdateContent updates the error with a new ErrorContext from the content of the file. UpdateContent(r io.Reader, linematcher LineMatcherFn) FileError // SetFilename sets the filename of the error. SetFilename(filename string) FileError } // Unwrapper can unwrap errors created with fmt.Errorf. type Unwrapper interface { Unwrap() error } var ( _ FileError = (*fileError)(nil) _ Unwrapper = (*fileError)(nil) ) func (fe *fileError) SetFilename(filename string) FileError { fe.position.Filename = filename return fe } func (fe *fileError) UpdatePosition(pos text.Position) FileError { oldFilename := fe.Position().Filename if pos.Filename != "" && fe.fileType == "" { _, fe.fileType = paths.FileAndExtNoDelimiter(filepath.Clean(pos.Filename)) } if pos.Filename == "" { pos.Filename = oldFilename } fe.position = pos return fe } func (fe *fileError) UpdateContent(r io.Reader, linematcher LineMatcherFn) FileError { if linematcher == nil { linematcher = SimpleLineMatcher } var ( posle = fe.position ectx *ErrorContext ) if posle.LineNumber <= 1 && posle.Offset > 0 { // Try to locate the line number from the content if offset is set. ectx = locateError(r, fe, func(m LineMatcher) int { if posle.Offset >= m.Offset && posle.Offset < m.Offset+len(m.Line) { lno := posle.LineNumber - m.Position.LineNumber + m.LineNumber m.Position = text.Position{LineNumber: lno} return linematcher(m) } return -1 }) } else { ectx = locateError(r, fe, linematcher) } if ectx.ChromaLexer == "" { if fe.fileType != "" { ectx.ChromaLexer = chromaLexerFromType(fe.fileType) } else { ectx.ChromaLexer = chromaLexerFromFilename(fe.Position().Filename) } } fe.errorContext = ectx if ectx.Position.LineNumber > 0 && ectx.Position.LineNumber > fe.position.LineNumber { fe.position.LineNumber = ectx.Position.LineNumber } if ectx.Position.ColumnNumber > 0 && ectx.Position.ColumnNumber > fe.position.ColumnNumber { fe.position.ColumnNumber = ectx.Position.ColumnNumber } return fe } type fileError struct { position text.Position errorContext *ErrorContext fileType string cause error } func (e *fileError) ErrorContext() *ErrorContext { return e.errorContext } // Position returns the text position of this error. func (e fileError) Position() text.Position { return e.position } func (e *fileError) Error() string { return fmt.Sprintf("%s: %s", e.position, e.causeString()) } func (e *fileError) causeString() string { if e.cause == nil { return "" } switch v := e.cause.(type) { // Avoid repeating the file info in the error message. case godartsass.SassError: return v.Message case libsasserrors.Error: return v.Message default: return v.Error() } } func (e *fileError) Unwrap() error { return e.cause } // NewFileError creates a new FileError that wraps err. // It will try to extract the filename and line number from err. func NewFileError(err error) FileError { // Filetype is used to determine the Chroma lexer to use. fileType, pos := extractFileTypePos(err) return &fileError{cause: err, fileType: fileType, position: pos} } // NewFileErrorFromName creates a new FileError that wraps err. // The value for name should identify the file, the best // being the full filename to the file on disk. func NewFileErrorFromName(err error, name string) FileError { // Filetype is used to determine the Chroma lexer to use. fileType, pos := extractFileTypePos(err) pos.Filename = name if fileType == "" { _, fileType = paths.FileAndExtNoDelimiter(filepath.Clean(name)) } return &fileError{cause: err, fileType: fileType, position: pos} } // NewFileErrorFromPos will use the filename and line number from pos to create a new FileError, wrapping err. func NewFileErrorFromPos(err error, pos text.Position) FileError { // Filetype is used to determine the Chroma lexer to use. fileType, _ := extractFileTypePos(err) if fileType == "" { _, fileType = paths.FileAndExtNoDelimiter(filepath.Clean(pos.Filename)) } return &fileError{cause: err, fileType: fileType, position: pos} } func NewFileErrorFromFileInErr(err error, fs afero.Fs, linematcher LineMatcherFn) FileError { fe := NewFileError(err) pos := fe.Position() if pos.Filename == "" { return fe } f, realFilename, err2 := openFile(pos.Filename, fs) if err2 != nil { return fe } pos.Filename = realFilename defer f.Close() return fe.UpdateContent(f, linematcher) } func NewFileErrorFromFileInPos(err error, pos text.Position, fs afero.Fs, linematcher LineMatcherFn) FileError { if err == nil { panic("err is nil") } f, realFilename, err2 := openFile(pos.Filename, fs) if err2 != nil { return NewFileErrorFromPos(err, pos) } pos.Filename = realFilename defer f.Close() return NewFileErrorFromPos(err, pos).UpdateContent(f, linematcher) } // NewFileErrorFromFile is a convenience method to create a new FileError from a file. func NewFileErrorFromFile(err error, filename string, fs afero.Fs, linematcher LineMatcherFn) FileError { if err == nil { panic("err is nil") } f, realFilename, err2 := openFile(filename, fs) if err2 != nil { return NewFileErrorFromName(err, realFilename) } defer f.Close() fe := NewFileErrorFromName(err, realFilename) fe = fe.UpdateContent(f, linematcher) return fe } func openFile(filename string, fs afero.Fs) (afero.File, string, error) { realFilename := filename // We want the most specific filename possible in the error message. fi, err2 := fs.Stat(filename) if err2 == nil { if s, ok := fi.(interface { Filename() string }); ok { realFilename = s.Filename() } } f, err2 := fs.Open(filename) if err2 != nil { return nil, realFilename, err2 } return f, realFilename, nil } // Cause returns the underlying error, that is, // it unwraps errors until it finds one that does not implement // the Unwrap method. // For a shallow variant, see Unwrap. func Cause(err error) error { type unwrapper interface { Unwrap() error } for err != nil { cause, ok := err.(unwrapper) if !ok { break } err = cause.Unwrap() } return err } // Unwrap returns the underlying error or itself if it does not implement Unwrap. func Unwrap(err error) error { if u := errors.Unwrap(err); u != nil { return u } return err } // UnwrapFileErrors returns all FileError contained in err. func UnwrapFileErrors(err error) []FileError { if err == nil { return nil } errs := Errors(err) var fileErrors []FileError for _, e := range errs { if v, ok := e.(FileError); ok { fileErrors = append(fileErrors, v) } fileErrors = append(fileErrors, UnwrapFileErrors(errors.Unwrap(e))...) } return fileErrors } // UnwrapFileErrorsWithErrorContext tries to unwrap all FileError in err that has an ErrorContext. func UnwrapFileErrorsWithErrorContext(err error) []FileError { errs := UnwrapFileErrors(err) var n int for _, e := range errs { if e.ErrorContext() != nil { errs[n] = e n++ } } return errs[:n] } // Errors returns the list of errors contained in err. func Errors(err error) []error { if err == nil { return nil } type unwrapper interface { Unwrap() []error } if u, ok := err.(unwrapper); ok { return u.Unwrap() } return []error{err} } func extractFileTypePos(err error) (string, text.Position) { err = Unwrap(err) var fileType string // LibSass, DartSass if pos := extractPosition(err); pos.LineNumber > 0 || pos.Offset > 0 { _, fileType = paths.FileAndExtNoDelimiter(pos.Filename) return fileType, pos } // Default to line 1 col 1 if we don't find any better. pos := text.Position{ Offset: -1, LineNumber: 1, ColumnNumber: 1, } // JSON errors. offset, typ := extractOffsetAndType(err) if fileType == "" { fileType = typ } if offset >= 0 { pos.Offset = offset } // The error type from the minifier contains line number and column number. if line, col := extractLineNumberAndColumnNumber(err); line >= 0 { pos.LineNumber = line pos.ColumnNumber = col return fileType, pos } // Look in the error message for the line number. if lno, col := commonLineNumberExtractor(err); lno > 0 { pos.ColumnNumber = col pos.LineNumber = lno } if fileType == "" && pos.Filename != "" { _, fileType = paths.FileAndExtNoDelimiter(pos.Filename) } return fileType, pos } // UnwrapFileError tries to unwrap a FileError from err. // It returns nil if this is not possible. func UnwrapFileError(err error) FileError { for err != nil { switch v := err.(type) { case FileError: return v default: err = errors.Unwrap(err) } } return nil } func extractOffsetAndType(e error) (int, string) { switch v := e.(type) { case *json.UnmarshalTypeError: return int(v.Offset), "json" case *json.SyntaxError: return int(v.Offset), "json" default: return -1, "" } } func extractLineNumberAndColumnNumber(e error) (int, int) { switch v := e.(type) { case *parse.Error: return v.Line, v.Column case *toml.DecodeError: return v.Position() } return -1, -1 } func extractPosition(e error) (pos text.Position) { switch v := e.(type) { case godartsass.SassError: span := v.Span start := span.Start filename, _ := paths.UrlStringToFilename(span.Url) pos.Filename = filename pos.Offset = start.Offset pos.ColumnNumber = start.Column case libsasserrors.Error: pos.Filename = v.File pos.LineNumber = v.Line pos.ColumnNumber = v.Column } return } // TextSegmentError is an error with a text segment attached. type TextSegmentError struct { Segment string Err error } func (e TextSegmentError) Unwrap() error { return e.Err } func (e TextSegmentError) Error() string { return e.Err.Error() }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/herrors/errors.go
common/herrors/errors.go
// Copyright 2024 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 herrors contains common Hugo errors and error related utilities. package herrors import ( "errors" "fmt" "os" "regexp" "runtime" "strings" "time" ) // ErrorSender is a, typically, non-blocking error handler. type ErrorSender interface { SendError(err error) } // Recover is a helper function that can be used to capture panics. // Put this at the top of a method/function that crashes in a template: // // defer herrors.Recover() func Recover(args ...any) { if r := recover(); r != nil { fmt.Println("ERR:", r) buf := make([]byte, 64<<10) buf = buf[:runtime.Stack(buf, false)] args = append(args, "stacktrace from panic: \n"+string(buf), "\n") fmt.Println(args...) } } // IsTimeoutError returns true if the given error is or contains a TimeoutError. func IsTimeoutError(err error) bool { return errors.Is(err, &TimeoutError{}) } type TimeoutError struct { Duration time.Duration } func (e *TimeoutError) Error() string { return fmt.Sprintf("timeout after %s", e.Duration) } func (e *TimeoutError) Is(target error) bool { _, ok := target.(*TimeoutError) return ok } // errMessage wraps an error with a message. type errMessage struct { msg string err error } func (e *errMessage) Error() string { return e.msg } func (e *errMessage) Unwrap() error { return e.err } // IsFeatureNotAvailableError returns true if the given error is or contains a FeatureNotAvailableError. func IsFeatureNotAvailableError(err error) bool { return errors.Is(err, &FeatureNotAvailableError{}) } // ErrFeatureNotAvailable denotes that a feature is unavailable. // // We will, at least to begin with, make some Hugo features (SCSS with libsass) optional, // and this error is used to signal those situations. var ErrFeatureNotAvailable = &FeatureNotAvailableError{Cause: errors.New("this feature is not available in your current Hugo version, see https://goo.gl/YMrWcn for more information")} // FeatureNotAvailableError is an error type used to signal that a feature is not available. type FeatureNotAvailableError struct { Cause error } func (e *FeatureNotAvailableError) Unwrap() error { return e.Cause } func (e *FeatureNotAvailableError) Error() string { return e.Cause.Error() } func (e *FeatureNotAvailableError) Is(target error) bool { _, ok := target.(*FeatureNotAvailableError) return ok } // Must panics if err != nil. func Must(err error) { if err != nil { panic(err) } } // IsNotExist returns true if the error is a file not found error. // Unlike os.IsNotExist, this also considers wrapped errors. func IsNotExist(err error) bool { if os.IsNotExist(err) { return true } // os.IsNotExist does not consider wrapped errors. if os.IsNotExist(errors.Unwrap(err)) { return true } return false } // IsExist returns true if the error is a file exists error. // Unlike os.IsExist, this also considers wrapped errors. func IsExist(err error) bool { if os.IsExist(err) { return true } // os.IsExist does not consider wrapped errors. if os.IsExist(errors.Unwrap(err)) { return true } return false } var nilPointerErrRe = regexp.MustCompile(`at <(.*)>: error calling (.*?): runtime error: invalid memory address or nil pointer dereference`) const deferredPrefix = "__hdeferred/" var deferredStringToRemove = regexp.MustCompile(`executing "__hdeferred/.*?" `) // ImproveRenderErr improves the error message for rendering errors. func ImproveRenderErr(inErr error) (outErr error) { outErr = inErr msg := improveIfNilPointerMsg(inErr) if msg != "" { outErr = &errMessage{msg: msg, err: outErr} } if strings.Contains(inErr.Error(), deferredPrefix) { msg := deferredStringToRemove.ReplaceAllString(inErr.Error(), "executing ") outErr = &errMessage{msg: msg, err: outErr} } return } func improveIfNilPointerMsg(inErr error) string { m := nilPointerErrRe.FindStringSubmatch(inErr.Error()) if len(m) == 0 { return "" } call := m[1] field := m[2] parts := strings.Split(call, ".") if len(parts) < 2 { return "" } receiverName := parts[len(parts)-2] receiver := strings.Join(parts[:len(parts)-1], ".") s := fmt.Sprintf("– %s is nil; wrap it in if or with: {{ with %s }}{{ .%s }}{{ end }}", receiverName, receiver, field) return nilPointerErrRe.ReplaceAllString(inErr.Error(), s) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/herrors/line_number_extractors_test.go
common/herrors/line_number_extractors_test.go
// Copyright 2025 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 herrors import ( "errors" "testing" qt "github.com/frankban/quicktest" ) func TestCommonLineNumberExtractor(t *testing.T) { t.Parallel() c := qt.New(t) lno, col := commonLineNumberExtractor(errors.New("[4:9] value is not allowed in this context")) c.Assert(lno, qt.Equals, 4) c.Assert(col, qt.Equals, 9) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/herrors/error_locator_test.go
common/herrors/error_locator_test.go
// Copyright 2024 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 herrors contains common Hugo errors and error related utilities. package herrors import ( "strings" "testing" qt "github.com/frankban/quicktest" ) func TestErrorLocator(t *testing.T) { c := qt.New(t) lineMatcher := func(m LineMatcher) int { if strings.Contains(m.Line, "THEONE") { return 1 } return -1 } lines := `LINE 1 LINE 2 LINE 3 LINE 4 This is THEONE LINE 6 LINE 7 LINE 8 ` location := locateErrorInString(lines, lineMatcher) pos := location.Position c.Assert(location.Lines, qt.DeepEquals, []string{"LINE 3", "LINE 4", "This is THEONE", "LINE 6", "LINE 7"}) c.Assert(pos.LineNumber, qt.Equals, 5) c.Assert(location.LinesPos, qt.Equals, 2) locate := func(s string, m LineMatcherFn) *ErrorContext { ctx := locateErrorInString(s, m) return ctx } c.Assert(locate(`This is THEONE`, lineMatcher).Lines, qt.DeepEquals, []string{"This is THEONE"}) location = locateErrorInString(`L1 This is THEONE L2 `, lineMatcher) pos = location.Position c.Assert(pos.LineNumber, qt.Equals, 2) c.Assert(location.LinesPos, qt.Equals, 1) c.Assert(location.Lines, qt.DeepEquals, []string{"L1", "This is THEONE", "L2", ""}) location = locate(`This is THEONE L2 `, lineMatcher) c.Assert(location.LinesPos, qt.Equals, 0) c.Assert(location.Lines, qt.DeepEquals, []string{"This is THEONE", "L2", ""}) location = locate(`L1 This THEONE `, lineMatcher) c.Assert(location.Lines, qt.DeepEquals, []string{"L1", "This THEONE", ""}) c.Assert(location.LinesPos, qt.Equals, 1) location = locate(`L1 L2 This THEONE `, lineMatcher) c.Assert(location.Lines, qt.DeepEquals, []string{"L1", "L2", "This THEONE", ""}) c.Assert(location.LinesPos, qt.Equals, 2) location = locateErrorInString("NO MATCH", lineMatcher) pos = location.Position c.Assert(pos.LineNumber, qt.Equals, 0) c.Assert(location.LinesPos, qt.Equals, -1) c.Assert(len(location.Lines), qt.Equals, 0) lineMatcher = func(m LineMatcher) int { if m.LineNumber == 6 { return 1 } return -1 } location = locateErrorInString(`A B C D E F G H I J`, lineMatcher) pos = location.Position c.Assert(location.Lines, qt.DeepEquals, []string{"D", "E", "F", "G", "H"}) c.Assert(pos.LineNumber, qt.Equals, 6) c.Assert(location.LinesPos, qt.Equals, 2) // Test match EOF lineMatcher = func(m LineMatcher) int { if m.LineNumber == 4 { return 1 } return -1 } location = locateErrorInString(`A B C `, lineMatcher) pos = location.Position c.Assert(location.Lines, qt.DeepEquals, []string{"B", "C", ""}) c.Assert(pos.LineNumber, qt.Equals, 4) c.Assert(location.LinesPos, qt.Equals, 2) offsetMatcher := func(m LineMatcher) int { if m.Offset == 1 { return 1 } return -1 } location = locateErrorInString(`A B C D E`, offsetMatcher) pos = location.Position c.Assert(location.Lines, qt.DeepEquals, []string{"A", "B", "C", "D"}) c.Assert(pos.LineNumber, qt.Equals, 2) c.Assert(location.LinesPos, qt.Equals, 1) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/herrors/file_error_test.go
common/herrors/file_error_test.go
// Copyright 2024 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 herrors import ( "errors" "fmt" "strings" "testing" "github.com/gohugoio/hugo/common/text" qt "github.com/frankban/quicktest" ) func TestNewFileError(t *testing.T) { t.Parallel() c := qt.New(t) fe := NewFileErrorFromName(errors.New("bar"), "foo.html") c.Assert(fe.Error(), qt.Equals, `"foo.html:1:1": bar`) lines := "" for i := 1; i <= 100; i++ { lines += fmt.Sprintf("line %d\n", i) } fe.UpdatePosition(text.Position{LineNumber: 32, ColumnNumber: 2}) c.Assert(fe.Error(), qt.Equals, `"foo.html:32:2": bar`) fe.UpdatePosition(text.Position{LineNumber: 0, ColumnNumber: 0, Offset: 212}) fe.UpdateContent(strings.NewReader(lines), nil) c.Assert(fe.Error(), qt.Equals, `"foo.html:32:0": bar`) errorContext := fe.ErrorContext() c.Assert(errorContext, qt.IsNotNil) c.Assert(errorContext.Lines, qt.DeepEquals, []string{"line 30", "line 31", "line 32", "line 33", "line 34"}) c.Assert(errorContext.LinesPos, qt.Equals, 2) c.Assert(errorContext.ChromaLexer, qt.Equals, "go-html-template") } func TestNewFileErrorExtractFromMessage(t *testing.T) { t.Parallel() c := qt.New(t) for i, test := range []struct { in error offset int lineNumber int columnNumber int }{ {errors.New("no line number for you"), 0, 1, 1}, {errors.New(`template: _default/single.html:4:15: executing "_default/single.html" at <.Titles>: can't evaluate field Titles in type *hugolib.PageOutput`), 0, 4, 15}, {errors.New("parse failed: template: _default/bundle-resource-meta.html:11: unexpected in operand"), 0, 11, 1}, {errors.New(`failed:: template: _default/bundle-resource-meta.html:2:7: executing "main" at <.Titles>`), 0, 2, 7}, {errors.New(`failed to load translations: (6, 7): was expecting token =, but got "g" instead`), 0, 6, 7}, {errors.New(`execute of template failed: template: index.html:2:5: executing "index.html" at <partial "foo.html" .>: error calling partial: "/layouts/partials/foo.html:3:6": execute of template failed: template: partials/foo.html:3:6: executing "partials/foo.html" at <.ThisDoesNotExist>: can't evaluate field ThisDoesNotExist in type *hugolib.pageStat`), 0, 2, 5}, } { got := NewFileErrorFromName(test.in, "test.txt") errMsg := qt.Commentf("[%d][%T]", i, got) pos := got.Position() c.Assert(pos.LineNumber, qt.Equals, test.lineNumber, errMsg) c.Assert(pos.ColumnNumber, qt.Equals, test.columnNumber, errMsg) c.Assert(errors.Unwrap(got), qt.Not(qt.IsNil)) } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hdebug/debug.go
common/hdebug/debug.go
// Copyright 2025 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 hdebug import ( "fmt" "strings" "github.com/gohugoio/hugo/common/types" "github.com/gohugoio/hugo/htesting" ) // Printf is a debug print function that should be removed before committing code to the repository. func Printf(format string, args ...any) { panicIfRealCI() if len(args) == 1 && !strings.Contains(format, "%") { format = format + ": %v" } if !strings.HasSuffix(format, "\n") { format = format + "\n" } fmt.Printf(format, args...) } func AssertNotNil(a ...any) { panicIfRealCI() for _, v := range a { if types.IsNil(v) { panic("hdebug.AssertNotNil: value is nil") } } } func Panicf(format string, args ...any) { panicIfRealCI() // fmt.Println(stack()) if len(args) == 1 && !strings.Contains(format, "%") { format = format + ": %v" } if !strings.HasSuffix(format, "\n") { format = format + "\n" } panic(fmt.Sprintf(format, args...)) } func panicIfRealCI() { if htesting.IsRealCI() { panic("This debug statement should be removed before committing code!") } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/predicate/predicate.go
common/predicate/predicate.go
// Copyright 2025 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 predicate import ( "iter" "strings" "github.com/gobwas/glob" "github.com/gohugoio/hugo/hugofs/hglob" ) // Match represents the result of a predicate evaluation. type Match interface { OK() bool } var ( // Predefined Match values for common cases. True = BoolMatch(true) False = BoolMatch(false) ) // BoolMatch is a simple Match implementation based on a boolean value. type BoolMatch bool func (b BoolMatch) OK() bool { return bool(b) } // breakMatch is a Match implementation that always returns false for OK() and signals to break evaluation. type breakMatch struct{} func (b breakMatch) OK() bool { return false } var matchBreak = breakMatch{} // P is a predicate function that tests whether a value of type T satisfies some condition. type P[T any] func(T) bool // Or returns a predicate that is a short-circuiting logical OR of this and the given predicates. // Note that P[T] only supports Or. For chained AND/OR logic, use PR[T]. func (p P[T]) Or(ps ...P[T]) P[T] { return func(v T) bool { if p != nil && p(v) { return true } for _, pp := range ps { if pp(v) { return true } } return false } } // PR is a predicate function that tests whether a value of type T satisfies some condition and returns a Match result. type PR[T any] func(T) Match // BoolFunc returns a P[T] version of this predicate. func (p PR[T]) BoolFunc() P[T] { return func(v T) bool { if p == nil { return false } return p(v).OK() } } // And returns a predicate that is a short-circuiting logical AND of this and the given predicates. func (p PR[T]) And(ps ...PR[T]) PR[T] { return func(v T) Match { if p != nil { m := p(v) if !m.OK() || shouldBreak(m) { return matchBreak } } for _, pp := range ps { m := pp(v) if !m.OK() || shouldBreak(m) { return matchBreak } } return BoolMatch(true) } } // Or returns a predicate that is a short-circuiting logical OR of this and the given predicates. func (p PR[T]) Or(ps ...PR[T]) PR[T] { return func(v T) Match { if p != nil { m := p(v) if m.OK() { return m } if shouldBreak(m) { return matchBreak } } for _, pp := range ps { m := pp(v) if m.OK() { return m } if shouldBreak(m) { return matchBreak } } return BoolMatch(false) } } func shouldBreak(m Match) bool { _, ok := m.(breakMatch) return ok } // Filter returns a new slice holding only the elements of s that satisfy p. // Filter modifies the contents of the slice s and returns the modified slice, which may have a smaller length. func (p PR[T]) Filter(s []T) []T { var n int for _, v := range s { if p(v).OK() { s[n] = v n++ } } return s[:n] } // FilterCopy returns a new slice holding only the elements of s that satisfy p. func (p PR[T]) FilterCopy(s []T) []T { var result []T for _, v := range s { if p(v).OK() { result = append(result, v) } } return result } // NewStringPredicateFromGlobs creates a string predicate from the given glob patterns. // A glob pattern starting with "!" is a negation pattern which will be ANDed with the rest. func NewStringPredicateFromGlobs(patterns []string, getGlob func(pattern string) (glob.Glob, error)) (P[string], error) { var p PR[string] for _, pattern := range patterns { pattern = strings.TrimSpace(pattern) if pattern == "" { continue } negate := strings.HasPrefix(pattern, hglob.NegationPrefix) if negate { pattern = pattern[2:] g, err := getGlob(pattern) if err != nil { return nil, err } p = p.And(func(s string) Match { return BoolMatch(!g.Match(s)) }) } else { g, err := getGlob(pattern) if err != nil { return nil, err } p = p.Or(func(s string) Match { return BoolMatch(g.Match(s)) }) } } return p.BoolFunc(), nil } type IndexMatcher interface { IndexMatch(match P[string]) (iter.Seq[int], error) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/predicate/predicate_test.go
common/predicate/predicate_test.go
// Copyright 2024 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 predicate_test import ( "testing" qt "github.com/frankban/quicktest" "github.com/gobwas/glob" "github.com/gohugoio/hugo/common/predicate" ) func TestPredicate(t *testing.T) { c := qt.New(t) n := func() predicate.PR[int] { var pr predicate.PR[int] return pr } var pr predicate.PR[int] p := pr.BoolFunc() c.Assert(p(1), qt.IsFalse) pr = n().Or(intP1).Or(intP2) p = pr.BoolFunc() c.Assert(p(1), qt.IsTrue) // true || false c.Assert(p(2), qt.IsTrue) // false || true c.Assert(p(3), qt.IsFalse) // false || false pr = pr.And(intP3) p = pr.BoolFunc() c.Assert(p(2), qt.IsFalse) // true || true && false c.Assert(pr(10), qt.IsTrue) // true || true && true pr = pr.And(intP4) p = pr.BoolFunc() c.Assert(p(10), qt.IsTrue) // true || true && true && true c.Assert(p(2), qt.IsFalse) // true || true && false && false c.Assert(p(1), qt.IsFalse) // true || false && false && false c.Assert(p(3), qt.IsFalse) // false || false && false && false c.Assert(p(4), qt.IsFalse) // false || false && false && false c.Assert(p(42), qt.IsFalse) // false || false && false && false pr = n().And(intP1).And(intP2).And(intP3).And(intP4) p = pr.BoolFunc() c.Assert(p(1), qt.IsFalse) c.Assert(p(2), qt.IsFalse) c.Assert(p(10), qt.IsTrue) pr = n().And(intP1).And(intP2).And(intP3).And(intP4) p = pr.BoolFunc() c.Assert(p(1), qt.IsFalse) c.Assert(p(2), qt.IsFalse) c.Assert(p(10), qt.IsTrue) pr = n().Or(intP1).Or(intP2).Or(intP3) p = pr.BoolFunc() c.Assert(p(1), qt.IsTrue) c.Assert(p(10), qt.IsTrue) c.Assert(p(4), qt.IsFalse) } func TestFilter(t *testing.T) { c := qt.New(t) var p predicate.PR[int] p = p.Or(intP1).Or(intP2) ints := []int{1, 2, 3, 4, 1, 6, 7, 8, 2} c.Assert(p.Filter(ints), qt.DeepEquals, []int{1, 2, 1, 2}) c.Assert(ints, qt.DeepEquals, []int{1, 2, 1, 2, 1, 6, 7, 8, 2}) } func TestFilterCopy(t *testing.T) { c := qt.New(t) var p predicate.PR[int] p = p.Or(intP1).Or(intP2) ints := []int{1, 2, 3, 4, 1, 6, 7, 8, 2} c.Assert(p.FilterCopy(ints), qt.DeepEquals, []int{1, 2, 1, 2}) c.Assert(ints, qt.DeepEquals, []int{1, 2, 3, 4, 1, 6, 7, 8, 2}) } var intP1 = func(i int) predicate.Match { if i == 10 { return predicate.True } return predicate.BoolMatch(i == 1) } var intP2 = func(i int) predicate.Match { if i == 10 { return predicate.True } return predicate.BoolMatch(i == 2) } var intP3 = func(i int) predicate.Match { if i == 10 { return predicate.True } return predicate.BoolMatch(i == 3) } var intP4 = func(i int) predicate.Match { if i == 10 { return predicate.True } return predicate.BoolMatch(i == 4) } func TestNewStringPredicateFromGlobs(t *testing.T) { c := qt.New(t) getGlob := func(pattern string) (glob.Glob, error) { return glob.Compile(pattern) } n := func(patterns ...string) predicate.P[string] { p, err := predicate.NewStringPredicateFromGlobs(patterns, getGlob) c.Assert(err, qt.IsNil) return p } m := n("a", "! ab*", "abc") c.Assert(m("a"), qt.IsTrue) c.Assert(m("ab"), qt.IsFalse) c.Assert(m("abc"), qt.IsFalse) m = n() c.Assert(m("anything"), qt.IsFalse) } func BenchmarkPredicate(b *testing.B) { b.Run("and or no match", func(b *testing.B) { var p predicate.PR[int] = intP1 p = p.And(intP2).Or(intP3) for b.Loop() { _ = p(3).OK() } }) b.Run("and and no match", func(b *testing.B) { var p predicate.PR[int] = intP1 p = p.And(intP2) for b.Loop() { _ = p(3).OK() } }) b.Run("and and match", func(b *testing.B) { var p predicate.PR[int] = intP1 p = p.And(intP2) for b.Loop() { _ = p(10).OK() } }) b.Run("or or match", func(b *testing.B) { var p predicate.PR[int] = intP1 p = p.Or(intP2).Or(intP3) for b.Loop() { _ = p(2).OK() } }) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/types/closer.go
common/types/closer.go
// Copyright 2024 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" type Closer interface { Close() error } // CloserFunc is a convenience type to create a Closer from a function. type CloserFunc func() error func (f CloserFunc) Close() error { return f() } type CloseAdder interface { Add(Closer) } type Closers struct { mu sync.Mutex cs []Closer } func (cs *Closers) Add(c Closer) { cs.mu.Lock() defer cs.mu.Unlock() cs.cs = append(cs.cs, c) } func (cs *Closers) Close() error { cs.mu.Lock() defer cs.mu.Unlock() for _, c := range cs.cs { c.Close() } cs.cs = cs.cs[:0] return nil }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/types/evictingqueue.go
common/types/evictingqueue.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 contains types shared between packages in Hugo. package types import ( "slices" "sync" ) // EvictingQueue is a queue which automatically evicts elements from the head of // the queue when attempting to add new elements onto the queue and it is full. // This queue orders elements LIFO (last-in-first-out). It throws away duplicates. type EvictingQueue[T comparable] struct { size int vals []T set map[T]bool mu sync.Mutex zero T } // NewEvictingQueue creates a new queue with the given size. func NewEvictingQueue[T comparable](size int) *EvictingQueue[T] { return &EvictingQueue[T]{size: size, set: make(map[T]bool)} } // Add adds a new string to the tail of the queue if it's not already there. func (q *EvictingQueue[T]) Add(v T) *EvictingQueue[T] { q.mu.Lock() if q.set[v] { q.mu.Unlock() return q } if len(q.set) == q.size { // Full delete(q.set, q.vals[0]) q.vals = slices.Delete(q.vals, 0, 1) } q.set[v] = true q.vals = append(q.vals, v) q.mu.Unlock() return q } func (q *EvictingQueue[T]) Len() int { if q == nil { return 0 } q.mu.Lock() defer q.mu.Unlock() return len(q.vals) } // Contains returns whether the queue contains v. func (q *EvictingQueue[T]) Contains(v T) bool { if q == nil { return false } q.mu.Lock() defer q.mu.Unlock() return q.set[v] } // Peek looks at the last element added to the queue. func (q *EvictingQueue[T]) Peek() T { q.mu.Lock() l := len(q.vals) if l == 0 { q.mu.Unlock() return q.zero } elem := q.vals[l-1] q.mu.Unlock() return elem } // PeekAll looks at all the elements in the queue, with the newest first. func (q *EvictingQueue[T]) PeekAll() []T { if q == nil { return nil } q.mu.Lock() vals := make([]T, len(q.vals)) copy(vals, q.vals) q.mu.Unlock() for i, j := 0, len(vals)-1; i < j; i, j = i+1, j-1 { vals[i], vals[j] = vals[j], vals[i] } return vals } // PeekAllSet returns PeekAll as a set. func (q *EvictingQueue[T]) PeekAllSet() map[T]bool { all := q.PeekAll() set := make(map[T]bool) for _, v := range all { set[v] = true } return set }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/types/types_test.go
common/types/types_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 ( "testing" qt "github.com/frankban/quicktest" ) func TestKeyValues(t *testing.T) { c := qt.New(t) kv := NewKeyValuesStrings("key", "a1", "a2") c.Assert(kv.KeyString(), qt.Equals, "key") c.Assert(kv.Values, qt.DeepEquals, []any{"a1", "a2"}) } func TestLowHigh(t *testing.T) { c := qt.New(t) lh := LowHigh[string]{ Low: 2, High: 10, } s := "abcdefghijklmnopqrstuvwxyz" c.Assert(lh.IsZero(), qt.IsFalse) c.Assert(lh.Value(s), qt.Equals, "cdefghij") lhb := LowHigh[[]byte]{ Low: 2, High: 10, } sb := []byte(s) c.Assert(lhb.IsZero(), qt.IsFalse) c.Assert(lhb.Value(sb), qt.DeepEquals, []byte("cdefghij")) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/types/convert_test.go
common/types/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 types import ( "encoding/json" "testing" "time" qt "github.com/frankban/quicktest" ) func TestToStringSlicePreserveString(t *testing.T) { c := qt.New(t) c.Assert(ToStringSlicePreserveString("Hugo"), qt.DeepEquals, []string{"Hugo"}) c.Assert(ToStringSlicePreserveString(qt.Commentf("Hugo")), qt.DeepEquals, []string{"Hugo"}) c.Assert(ToStringSlicePreserveString([]any{"A", "B"}), qt.DeepEquals, []string{"A", "B"}) c.Assert(ToStringSlicePreserveString([]int{1, 3}), qt.DeepEquals, []string{"1", "3"}) c.Assert(ToStringSlicePreserveString(nil), qt.IsNil) } func TestToString(t *testing.T) { c := qt.New(t) c.Assert(ToString([]byte("Hugo")), qt.Equals, "Hugo") c.Assert(ToString(json.RawMessage("Hugo")), qt.Equals, "Hugo") } func TestToDuration(t *testing.T) { c := qt.New(t) c.Assert(ToDuration("200ms"), qt.Equals, 200*time.Millisecond) c.Assert(ToDuration("200"), qt.Equals, 200*time.Millisecond) c.Assert(ToDuration("4m"), qt.Equals, 4*time.Minute) c.Assert(ToDuration("asdfadf"), qt.Equals, time.Duration(0)) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/types/types.go
common/types/types.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 types contains types shared between packages in Hugo. package types import ( "fmt" "reflect" "sync/atomic" "github.com/spf13/cast" ) // RLocker represents the read locks in sync.RWMutex. type RLocker interface { RLock() RUnlock() } type Locker interface { Lock() Unlock() } type RWLocker interface { RLocker Locker } // KeyValue is a interface{} tuple. type KeyValue struct { Key any Value any } // KeyValueStr is a string tuple. type KeyValueStr struct { Key string Value string } // KeyValues holds an key and a slice of values. type KeyValues struct { Key any Values []any } // KeyString returns the key as a string, an empty string if conversion fails. func (k KeyValues) KeyString() string { return cast.ToString(k.Key) } func (k KeyValues) String() string { return fmt.Sprintf("%v: %v", k.Key, k.Values) } // NewKeyValuesStrings takes a given key and slice of values and returns a new // KeyValues struct. func NewKeyValuesStrings(key string, values ...string) KeyValues { iv := make([]any, len(values)) for i := range values { iv[i] = values[i] } return KeyValues{Key: key, Values: iv} } // Zeroer, as implemented by time.Time, will be used by the truth template // funcs in Hugo (if, with, not, and, or). type Zeroer interface { IsZero() bool } // IsNil reports whether v is nil. func IsNil(v any) bool { if v == nil { return true } value := reflect.ValueOf(v) switch value.Kind() { case reflect.Chan, reflect.Func, reflect.Interface, reflect.Map, reflect.Ptr, reflect.Slice: return value.IsNil() } return false } // DevMarker is a marker interface for types that should only be used during // development. type DevMarker interface { DevOnly() } // Unwrapper is implemented by types that can unwrap themselves. type Unwrapper interface { // Unwrapv is for internal use only. // It got its slightly odd name to prevent collisions with user types. Unwrapv() any } // Unwrap returns the underlying value of v if it implements Unwrapper, otherwise v is returned. func Unwrapv(v any) any { if u, ok := v.(Unwrapper); ok { return u.Unwrapv() } return v } // LowHigh represents a byte or slice boundary. type LowHigh[S ~[]byte | string] struct { Low int High int } func (l LowHigh[S]) IsZero() bool { return l.Low < 0 || (l.Low == 0 && l.High == 0) } func (l LowHigh[S]) Value(source S) S { return source[l.Low:l.High] } // This is only used for debugging purposes. var InvocationCounter atomic.Int64 // NewTrue returns a pointer to b. func NewBool(b bool) *bool { return &b } // WeightProvider provides a weight. type WeightProvider interface { Weight() int } // Weight0Provider provides a weight that's considered before the WeightProvider in sorting. // This allows the weight set on a given term to win. type Weight0Provider interface { Weight0() int } // PrintableValueProvider is implemented by types that can provide a printable value. type PrintableValueProvider interface { PrintableValue() any } type ( Strings2 [2]string Strings3 [3]string Ints2 [2]int Ints3 [3]int )
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/types/convert.go
common/types/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 types import ( "encoding/json" "fmt" "html/template" "reflect" "time" "github.com/spf13/cast" ) // ToDuration converts v to time.Duration. // See ToDurationE if you need to handle errors. func ToDuration(v any) time.Duration { d, _ := ToDurationE(v) return d } // ToDurationE converts v to time.Duration. func ToDurationE(v any) (time.Duration, error) { if n := cast.ToInt(v); n > 0 { return time.Duration(n) * time.Millisecond, nil } d, err := time.ParseDuration(cast.ToString(v)) if err != nil { return 0, fmt.Errorf("cannot convert %v to time.Duration", v) } return d, nil } // ToStringSlicePreserveString is the same as ToStringSlicePreserveStringE, // but it never fails. func ToStringSlicePreserveString(v any) []string { vv, _ := ToStringSlicePreserveStringE(v) return vv } // ToStringSlicePreserveStringE converts v to a string slice. // If v is a string, it will be wrapped in a string slice. func ToStringSlicePreserveStringE(v any) ([]string, error) { if v == nil { return nil, nil } if sds, ok := v.(string); ok { return []string{sds}, nil } result, err := cast.ToStringSliceE(v) if err == nil { return result, nil } // Probably []int or similar. Fall back to reflect. vv := reflect.ValueOf(v) switch vv.Kind() { case reflect.Slice, reflect.Array: result = make([]string, vv.Len()) for i := range vv.Len() { s, err := cast.ToStringE(vv.Index(i).Interface()) if err != nil { return nil, err } result[i] = s } return result, nil default: return nil, fmt.Errorf("failed to convert %T to a string slice", v) } } // TypeToString converts v to a string if it's a valid string type. // Note that this will not try to convert numeric values etc., // use ToString for that. func TypeToString(v any) (string, bool) { switch s := v.(type) { case string: return s, true case template.HTML: return string(s), true case template.CSS: return string(s), true case template.HTMLAttr: return string(s), true case template.JS: return string(s), true case template.JSStr: return string(s), true case template.URL: return string(s), true case template.Srcset: return string(s), true } return "", false } // ToString converts v to a string. func ToString(v any) string { s, _ := ToStringE(v) return s } // ToStringE converts v to a string. func ToStringE(v any) (string, error) { if s, ok := TypeToString(v); ok { return s, nil } switch s := v.(type) { case json.RawMessage: return string(s), nil default: return cast.ToStringE(v) } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/types/evictingqueue_test.go
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 := NewEvictingQueue[string](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 := NewEvictingQueue[string](3) for range 100 { 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() }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/types/css/csstypes.go
common/types/css/csstypes.go
// Copyright 2024 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 css // QuotedString is a string that needs to be quoted in CSS. type QuotedString string // UnquotedString is a string that does not need to be quoted in CSS. type UnquotedString string
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/types/hstring/stringtypes_test.go
common/types/hstring/stringtypes_test.go
// Copyright 2024 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 hstring import ( "html/template" "testing" qt "github.com/frankban/quicktest" "github.com/spf13/cast" ) func TestRenderedString(t *testing.T) { c := qt.New(t) // Validate that it will behave like a string in Hugo settings. c.Assert(cast.ToString(HTML("Hugo")), qt.Equals, "Hugo") c.Assert(template.HTML(HTML("Hugo")), qt.Equals, template.HTML("Hugo")) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/types/hstring/stringtypes.go
common/types/hstring/stringtypes.go
// Copyright 2024 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 hstring import ( "html/template" "github.com/gohugoio/hugo/common/types" ) var _ types.PrintableValueProvider = HTML("") // HTML is a string that represents rendered HTML. // When printed in templates it will be rendered as template.HTML and considered safe so no need to pipe it into `safeHTML`. // This type was introduced as a wasy to prevent a common case of inifinite recursion in the template rendering // when the `linkify` option is enabled with a common (wrong) construct like `{{ .Text | .Page.RenderString }}` in a hook template. type HTML string func (s HTML) String() string { return string(s) } func (s HTML) PrintableValue() any { return template.HTML(s) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/terminal/colors.go
common/terminal/colors.go
// Copyright 2024 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 terminal contains helper for the terminal, such as coloring output. package terminal import ( "fmt" "io" "os" "strings" isatty "github.com/mattn/go-isatty" ) const ( errorColor = "\033[1;31m%s\033[0m" warningColor = "\033[0;33m%s\033[0m" noticeColor = "\033[1;36m%s\033[0m" ) // PrintANSIColors returns false if NO_COLOR env variable is set, // else IsTerminal(f). func PrintANSIColors(f *os.File) bool { if os.Getenv("NO_COLOR") != "" { return false } return IsTerminal(f) } // IsTerminal return true if the file descriptor is terminal and the TERM // environment variable isn't a dumb one. func IsTerminal(f *os.File) bool { fd := f.Fd() return os.Getenv("TERM") != "dumb" && (isatty.IsTerminal(fd) || isatty.IsCygwinTerminal(fd)) } // Notice colorizes the string in a noticeable color. func Notice(s string) string { return colorize(s, noticeColor) } // Error colorizes the string in a colour that grabs attention. func Error(s string) string { return colorize(s, errorColor) } // Warning colorizes the string in a colour that warns. func Warning(s string) string { return colorize(s, warningColor) } // colorize s in color. func colorize(s, color string) string { s = fmt.Sprintf(color, doublePercent(s)) return singlePercent(s) } func doublePercent(str string) string { return strings.Replace(str, "%", "%%", -1) } func singlePercent(str string) string { return strings.Replace(str, "%%", "%", -1) } type ProgressState int const ( ProgressHidden ProgressState = iota ProgressNormal ProgressError ProgressIntermediate ProgressWarning ) // ReportProgress writes OSC 9;4 sequence to w. func ReportProgress(w io.Writer, state ProgressState, progress float64) { if progress < 0 { progress = 0.0 } if progress > 1 { progress = 1.0 } pi := int(progress * 100) fmt.Fprintf(w, "\033]9;4;%d;%d\007", state, pi) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hexec/exec.go
common/hexec/exec.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 hexec import ( "bytes" "context" "errors" "fmt" "io" "os" "os/exec" "path/filepath" "regexp" "strings" "sync" "github.com/bep/logg" "github.com/gohugoio/hugo/common/loggers" "github.com/gohugoio/hugo/common/maps" "github.com/gohugoio/hugo/config" "github.com/gohugoio/hugo/config/security" ) var WithDir = func(dir string) func(c *commandeer) { return func(c *commandeer) { c.dir = dir } } var WithContext = func(ctx context.Context) func(c *commandeer) { return func(c *commandeer) { c.ctx = ctx } } var WithStdout = func(w io.Writer) func(c *commandeer) { return func(c *commandeer) { c.stdout = w } } var WithStderr = func(w io.Writer) func(c *commandeer) { return func(c *commandeer) { c.stderr = w } } var WithStdin = func(r io.Reader) func(c *commandeer) { return func(c *commandeer) { c.stdin = r } } var WithEnviron = func(env []string) func(c *commandeer) { return func(c *commandeer) { setOrAppend := func(s string) { k1, _ := config.SplitEnvVar(s) var found bool for i, v := range c.env { k2, _ := config.SplitEnvVar(v) if k1 == k2 { found = true c.env[i] = s } } if !found { c.env = append(c.env, s) } } for _, s := range env { setOrAppend(s) } } } // New creates a new Exec using the provided security config. func New(cfg security.Config, workingDir string, log loggers.Logger) *Exec { var baseEnviron []string for _, v := range os.Environ() { k, _ := config.SplitEnvVar(v) if cfg.Exec.OsEnv.Accept(k) { baseEnviron = append(baseEnviron, v) } } return &Exec{ sc: cfg, workingDir: workingDir, infol: log.InfoCommand("exec"), baseEnviron: baseEnviron, newNPXRunnerCache: maps.NewCache[string, func(arg ...any) (Runner, error)](), } } // IsNotFound reports whether this is an error about a binary not found. func IsNotFound(err error) bool { var notFoundErr *NotFoundError return errors.As(err, &notFoundErr) } // Exec enforces a security policy for commands run via os/exec. type Exec struct { sc security.Config workingDir string infol logg.LevelLogger // os.Environ filtered by the Exec.OsEnviron whitelist filter. baseEnviron []string newNPXRunnerCache *maps.Cache[string, func(arg ...any) (Runner, error)] npxInit sync.Once npxAvailable bool } func (e *Exec) New(name string, arg ...any) (Runner, error) { return e.new(name, "", arg...) } // New will fail if name is not allowed according to the configured security policy. // Else a configured Runner will be returned ready to be Run. func (e *Exec) new(name string, fullyQualifiedName string, arg ...any) (Runner, error) { if err := e.sc.CheckAllowedExec(name); err != nil { return nil, err } env := make([]string, len(e.baseEnviron)) copy(env, e.baseEnviron) cm := &commandeer{ name: name, fullyQualifiedName: fullyQualifiedName, env: env, } return cm.command(arg...) } type binaryLocation int func (b binaryLocation) String() string { switch b { case binaryLocationNodeModules: return "node_modules/.bin" case binaryLocationNpx: return "npx" case binaryLocationPath: return "PATH" } return "unknown" } const ( binaryLocationNodeModules binaryLocation = iota + 1 binaryLocationNpx binaryLocationPath ) // Npx will in order: // 1. Try fo find the binary in the WORKINGDIR/node_modules/.bin directory. // 2. If not found, and npx is available, run npx --no-install <name> <args>. // 3. Fall back to the PATH. // If name is "tailwindcss", we will try the PATH as the second option. func (e *Exec) Npx(name string, arg ...any) (Runner, error) { if err := e.sc.CheckAllowedExec(name); err != nil { return nil, err } newRunner, err := e.newNPXRunnerCache.GetOrCreate(name, func() (func(...any) (Runner, error), error) { type tryFunc func() func(...any) (Runner, error) tryFuncs := map[binaryLocation]tryFunc{ binaryLocationNodeModules: func() func(...any) (Runner, error) { nodeBinFilename := filepath.Join(e.workingDir, nodeModulesBinPath, name) _, err := exec.LookPath(nodeBinFilename) if err != nil { return nil } return func(arg2 ...any) (Runner, error) { return e.new(name, nodeBinFilename, arg2...) } }, binaryLocationNpx: func() func(...any) (Runner, error) { e.checkNpx() if !e.npxAvailable { return nil } return func(arg2 ...any) (Runner, error) { return e.npx(name, arg2...) } }, binaryLocationPath: func() func(...any) (Runner, error) { if _, err := exec.LookPath(name); err != nil { return nil } return func(arg2 ...any) (Runner, error) { return e.New(name, arg2...) } }, } locations := []binaryLocation{binaryLocationNodeModules, binaryLocationNpx, binaryLocationPath} if name == "tailwindcss" { // See https://github.com/gohugoio/hugo/issues/13221#issuecomment-2574801253 locations = []binaryLocation{binaryLocationNodeModules, binaryLocationPath, binaryLocationNpx} } for _, loc := range locations { if f := tryFuncs[loc](); f != nil { e.infol.Logf("resolve %q using %s", name, loc) return f, nil } } return nil, &NotFoundError{name: name, method: fmt.Sprintf("in %s", locations[len(locations)-1])} }) if err != nil { return nil, err } return newRunner(arg...) } const ( npxNoInstall = "--no-install" npxBinary = "npx" nodeModulesBinPath = "node_modules/.bin" ) func (e *Exec) checkNpx() { e.npxInit.Do(func() { e.npxAvailable = InPath(npxBinary) }) } // npx is a convenience method to create a Runner running npx --no-install <name> <args. func (e *Exec) npx(name string, arg ...any) (Runner, error) { arg = append(arg[:0], append([]any{npxNoInstall, name}, arg[0:]...)...) return e.New(npxBinary, arg...) } // Sec returns the security policies this Exec is configured with. func (e *Exec) Sec() security.Config { return e.sc } type NotFoundError struct { name string method string } func (e *NotFoundError) Error() string { return fmt.Sprintf("binary with name %q not found %s", e.name, e.method) } // Runner wraps a *os.Cmd. type Runner interface { Run() error StdinPipe() (io.WriteCloser, error) } type cmdWrapper struct { name string c *exec.Cmd outerr *bytes.Buffer } var notFoundRe = regexp.MustCompile(`(?s)not found:|could not determine executable`) func (c *cmdWrapper) Run() error { err := c.c.Run() if err == nil { return nil } name := c.name method := "in PATH" if name == npxBinary { name = c.c.Args[2] method = "using npx" } if notFoundRe.MatchString(c.outerr.String()) { return &NotFoundError{name: name, method: method} } return fmt.Errorf("failed to execute binary %q with args %v: %s", c.name, c.c.Args[1:], c.outerr.String()) } func (c *cmdWrapper) StdinPipe() (io.WriteCloser, error) { return c.c.StdinPipe() } type commandeer struct { stdout io.Writer stderr io.Writer stdin io.Reader dir string ctx context.Context name string fullyQualifiedName string env []string } func (c *commandeer) command(arg ...any) (*cmdWrapper, error) { if c == nil { return nil, nil } var args []string for _, a := range arg { switch v := a.(type) { case string: args = append(args, v) case func(*commandeer): v(c) default: return nil, fmt.Errorf("invalid argument to command: %T", a) } } var bin string if c.fullyQualifiedName != "" { bin = c.fullyQualifiedName } else { var err error bin, err = exec.LookPath(c.name) if err != nil { return nil, &NotFoundError{ name: c.name, method: "in PATH", } } } outerr := &bytes.Buffer{} if c.stderr == nil { c.stderr = outerr } else { c.stderr = io.MultiWriter(c.stderr, outerr) } var cmd *exec.Cmd if c.ctx != nil { cmd = exec.CommandContext(c.ctx, bin, args...) } else { cmd = exec.Command(bin, args...) } cmd.Stdin = c.stdin cmd.Stderr = c.stderr cmd.Stdout = c.stdout cmd.Env = c.env cmd.Dir = c.dir return &cmdWrapper{outerr: outerr, c: cmd, name: c.name}, nil } // InPath reports whether binaryName is in $PATH. func InPath(binaryName string) bool { if strings.Contains(binaryName, "/") { panic("binary name should not contain any slash") } _, err := exec.LookPath(binaryName) return err == nil } // LookPath finds the path to binaryName in $PATH. // Returns "" if not found. func LookPath(binaryName string) string { if strings.Contains(binaryName, "/") { panic("binary name should not contain any slash") } s, err := exec.LookPath(binaryName) if err != nil { return "" } return s }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/maps/map_test.go
common/maps/map_test.go
// Copyright 2025 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 maps import ( "testing" qt "github.com/frankban/quicktest" ) func TestMap(t *testing.T) { c := qt.New(t) m := NewMap[string, int]() m.Set("b", 42) v, found := m.Lookup("b") c.Assert(found, qt.Equals, true) c.Assert(v, qt.Equals, 42) v = m.Get("b") c.Assert(v, qt.Equals, 42) v, found = m.Lookup("c") c.Assert(found, qt.Equals, false) c.Assert(v, qt.Equals, 0) v = m.Get("c") c.Assert(v, qt.Equals, 0) v, err := m.GetOrCreate("d", func() (int, error) { return 100, nil }) c.Assert(err, qt.IsNil) c.Assert(v, qt.Equals, 100) v, found = m.Lookup("d") c.Assert(found, qt.Equals, true) c.Assert(v, qt.Equals, 100) v, err = m.GetOrCreate("d", func() (int, error) { return 200, nil }) c.Assert(err, qt.IsNil) c.Assert(v, qt.Equals, 100) wasSet := m.SetIfAbsent("e", 300) c.Assert(wasSet, qt.Equals, true) v, found = m.Lookup("e") c.Assert(found, qt.Equals, true) c.Assert(v, qt.Equals, 300) wasSet = m.SetIfAbsent("e", 400) c.Assert(wasSet, qt.Equals, false) v, found = m.Lookup("e") c.Assert(found, qt.Equals, true) c.Assert(v, qt.Equals, 300) m.WithWriteLock(func(m map[string]int) error { m["f"] = 500 return nil }) v, found = m.Lookup("f") c.Assert(found, qt.Equals, true) c.Assert(v, qt.Equals, 500) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/maps/orderedintset_test.go
common/maps/orderedintset_test.go
// Copyright 2025 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 maps import ( "testing" qt "github.com/frankban/quicktest" ) func TestOrderedIntSet(t *testing.T) { c := qt.New(t) m := NewOrderedIntSet(2, 1, 3, 7) c.Assert(m.Len(), qt.Equals, 4) c.Assert(m.Has(1), qt.Equals, true) c.Assert(m.Has(4), qt.Equals, false) c.Assert(m.String(), qt.Equals, "[2 1 3 7]") m.Set(4) c.Assert(m.Len(), qt.Equals, 5) c.Assert(m.Has(4), qt.Equals, true) c.Assert(m.Next(0), qt.Equals, 1) c.Assert(m.Next(1), qt.Equals, 1) c.Assert(m.Next(2), qt.Equals, 2) c.Assert(m.Next(3), qt.Equals, 3) c.Assert(m.Next(4), qt.Equals, 4) c.Assert(m.Next(7), qt.Equals, 7) c.Assert(m.Next(8), qt.Equals, -1) c.Assert(m.String(), qt.Equals, "[2 1 3 7 4]") var nilset *OrderedIntSet c.Assert(nilset.Len(), qt.Equals, 0) c.Assert(nilset.Has(1), qt.Equals, false) c.Assert(nilset.String(), qt.Equals, "[]") var collected []int m.ForEachKey(func(key int) bool { collected = append(collected, key) return true }) c.Assert(collected, qt.DeepEquals, []int{2, 1, 3, 7, 4}) } func BenchmarkOrderedIntSet(b *testing.B) { smallSet := NewOrderedIntSet() for i := range 8 { smallSet.Set(i) } mediumSet := NewOrderedIntSet() for i := range 64 { mediumSet.Set(i) } largeSet := NewOrderedIntSet() for i := range 1024 { largeSet.Set(i) } b.Run("New", func(b *testing.B) { for b.Loop() { NewOrderedIntSet(1, 2, 3, 4, 5, 6, 7, 8) } }) b.Run("Has small", func(b *testing.B) { for i := 0; b.Loop(); i++ { smallSet.Has(i % 32) } }) b.Run("Has medium", func(b *testing.B) { for i := 0; b.Loop(); i++ { mediumSet.Has(i % 32) } }) b.Run("Next", func(b *testing.B) { for i := 0; b.Loop(); i++ { mediumSet.Next(i % 32) } }) b.Run("ForEachKey small", func(b *testing.B) { for b.Loop() { smallSet.ForEachKey(func(key int) bool { return true }) } }) b.Run("ForEachKey medium", func(b *testing.B) { for b.Loop() { mediumSet.ForEachKey(func(key int) bool { return true }) } }) b.Run("ForEachKey large", func(b *testing.B) { for b.Loop() { largeSet.ForEachKey(func(key int) bool { return true }) } }) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/maps/ordered.go
common/maps/ordered.go
// Copyright 2024 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 maps import ( "slices" "github.com/gohugoio/hugo/common/hashing" ) // Ordered is a map that can be iterated in the order of insertion. // Note that insertion order is not affected if a key is re-inserted into the map. // In a nil map, all operations are no-ops. // This is not thread safe. type Ordered[K comparable, T any] struct { // The keys in the order they were added. keys []K // The values. values map[K]T } // NewOrdered creates a new Ordered map. func NewOrdered[K comparable, T any]() *Ordered[K, T] { return &Ordered[K, T]{values: make(map[K]T)} } // Set sets the value for the given key. // Note that insertion order is not affected if a key is re-inserted into the map. func (m *Ordered[K, T]) Set(key K, value T) { if m == nil { return } // Check if key already exists. if _, found := m.values[key]; !found { m.keys = append(m.keys, key) } m.values[key] = value } // Get gets the value for the given key. func (m *Ordered[K, T]) Get(key K) (T, bool) { if m == nil { var v T return v, false } value, found := m.values[key] return value, found } // Has returns whether the given key exists in the map. func (m *Ordered[K, T]) Has(key K) bool { if m == nil { return false } _, found := m.values[key] return found } // Delete deletes the value for the given key. func (m *Ordered[K, T]) Delete(key K) { if m == nil { return } delete(m.values, key) for i, k := range m.keys { if k == key { m.keys = slices.Delete(m.keys, i, i+1) break } } } // Clone creates a shallow copy of the map. func (m *Ordered[K, T]) Clone() *Ordered[K, T] { if m == nil { return nil } clone := NewOrdered[K, T]() for _, k := range m.keys { clone.Set(k, m.values[k]) } return clone } // Keys returns the keys in the order they were added. func (m *Ordered[K, T]) Keys() []K { if m == nil { return nil } return m.keys } // Values returns the values in the order they were added. func (m *Ordered[K, T]) Values() []T { if m == nil { return nil } var values []T for _, k := range m.keys { values = append(values, m.values[k]) } return values } // Len returns the number of items in the map. func (m *Ordered[K, T]) Len() int { if m == nil { return 0 } return len(m.keys) } // Range calls f sequentially for each key and value present in the map. // If f returns false, range stops the iteration. // TODO(bep) replace with iter.Seq2 when we bump go Go 1.24. func (m *Ordered[K, T]) Range(f func(key K, value T) bool) { if m == nil { return } for _, k := range m.keys { if !f(k, m.values[k]) { return } } } // Hash calculates a hash from the values. func (m *Ordered[K, T]) Hash() (uint64, error) { if m == nil { return 0, nil } return hashing.Hash(m.values) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/maps/maps_test.go
common/maps/maps_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 maps import ( "fmt" "reflect" "testing" qt "github.com/frankban/quicktest" ) func TestPrepareParams(t *testing.T) { tests := []struct { input Params expected Params }{ { map[string]any{ "abC": 32, }, Params{ "abc": 32, }, }, { map[string]any{ "abC": 32, "deF": map[any]any{ 23: "A value", 24: map[string]any{ "AbCDe": "A value", "eFgHi": "Another value", }, }, "gHi": map[string]any{ "J": 25, }, "jKl": map[string]string{ "M": "26", }, }, Params{ "abc": 32, "def": Params{ "23": "A value", "24": Params{ "abcde": "A value", "efghi": "Another value", }, }, "ghi": Params{ "j": 25, }, "jkl": Params{ "m": "26", }, }, }, } for i, test := range tests { t.Run(fmt.Sprint(i), func(t *testing.T) { // PrepareParams modifies input. prepareClone := PrepareParamsClone(test.input) PrepareParams(test.input) if !reflect.DeepEqual(test.expected, test.input) { t.Errorf("[%d] Expected\n%#v, got\n%#v\n", i, test.expected, test.input) } if !reflect.DeepEqual(test.expected, prepareClone) { t.Errorf("[%d] Expected\n%#v, got\n%#v\n", i, test.expected, prepareClone) } }) } } func TestToSliceStringMap(t *testing.T) { c := qt.New(t) tests := []struct { input any expected []map[string]any }{ { input: []map[string]any{ {"abc": 123}, }, expected: []map[string]any{ {"abc": 123}, }, }, { input: []any{ map[string]any{ "def": 456, }, }, expected: []map[string]any{ {"def": 456}, }, }, } for _, test := range tests { v, err := ToSliceStringMap(test.input) c.Assert(err, qt.IsNil) c.Assert(v, qt.DeepEquals, test.expected) } } func TestToParamsAndPrepare(t *testing.T) { c := qt.New(t) _, err := ToParamsAndPrepare(map[string]any{"A": "av"}) c.Assert(err, qt.IsNil) params, err := ToParamsAndPrepare(nil) c.Assert(err, qt.IsNil) c.Assert(params, qt.DeepEquals, Params{}) } func TestRenameKeys(t *testing.T) { c := qt.New(t) m := map[string]any{ "a": 32, "ren1": "m1", "ren2": "m1_2", "sub": map[string]any{ "subsub": map[string]any{ "REN1": "m2", "ren2": "m2_2", }, }, "no": map[string]any{ "ren1": "m2", "ren2": "m2_2", }, } expected := map[string]any{ "a": 32, "new1": "m1", "new2": "m1_2", "sub": map[string]any{ "subsub": map[string]any{ "new1": "m2", "ren2": "m2_2", }, }, "no": map[string]any{ "ren1": "m2", "ren2": "m2_2", }, } renamer, err := NewKeyRenamer( "{ren1,sub/*/ren1}", "new1", "{Ren2,sub/ren2}", "new2", ) c.Assert(err, qt.IsNil) renamer.Rename(m) if !reflect.DeepEqual(expected, m) { t.Errorf("Expected\n%#v, got\n%#v\n", expected, m) } } func TestLookupEqualFold(t *testing.T) { c := qt.New(t) m1 := map[string]any{ "a": "av", "B": "bv", } v, k, found := LookupEqualFold(m1, "b") c.Assert(found, qt.IsTrue) c.Assert(v, qt.Equals, "bv") c.Assert(k, qt.Equals, "B") m2 := map[string]string{ "a": "av", "B": "bv", } v, k, found = LookupEqualFold(m2, "b") c.Assert(found, qt.IsTrue) c.Assert(k, qt.Equals, "B") c.Assert(v, qt.Equals, "bv") }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/maps/cache.go
common/maps/cache.go
// Copyright 2024 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 maps import ( "sync" ) // Cache is a simple thread safe cache backed by a map. type Cache[K comparable, T any] struct { m map[K]T opts CacheOptions hasBeenInitialized bool sync.RWMutex } // CacheOptions are the options for the Cache. type CacheOptions struct { // If set, the cache will not grow beyond this size. Size uint64 } var defaultCacheOptions = CacheOptions{} // NewCache creates a new Cache with default options. func NewCache[K comparable, T any]() *Cache[K, T] { return &Cache[K, T]{m: make(map[K]T), opts: defaultCacheOptions} } // NewCacheWithOptions creates a new Cache with the given options. func NewCacheWithOptions[K comparable, T any](opts CacheOptions) *Cache[K, T] { return &Cache[K, T]{m: make(map[K]T), opts: opts} } // Delete deletes the given key from the cache. // If c is nil, this method is a no-op. func (c *Cache[K, T]) Get(key K) (T, bool) { if c == nil { var zero T return zero, false } c.RLock() v, found := c.get(key) c.RUnlock() return v, found } func (c *Cache[K, T]) get(key K) (T, bool) { v, found := c.m[key] return v, found } // GetOrCreate gets the value for the given key if it exists, or creates it if not. func (c *Cache[K, T]) GetOrCreate(key K, create func() (T, error)) (T, error) { c.RLock() v, found := c.m[key] c.RUnlock() if found { return v, nil } c.Lock() defer c.Unlock() v, found = c.m[key] if found { return v, nil } v, err := create() if err != nil { return v, err } c.clearIfNeeded() c.m[key] = v return v, nil } // Contains returns whether the given key exists in the cache. func (c *Cache[K, T]) Contains(key K) bool { c.RLock() _, found := c.m[key] c.RUnlock() return found } // InitAndGet initializes the cache if not already done and returns the value for the given key. // The init state will be reset on Reset or Drain. func (c *Cache[K, T]) InitAndGet(key K, init func(get func(key K) (T, bool), set func(key K, value T)) error) (T, error) { var v T c.RLock() if !c.hasBeenInitialized { c.RUnlock() if err := func() error { c.Lock() defer c.Unlock() // Double check in case another goroutine has initialized it in the meantime. if !c.hasBeenInitialized { err := init(c.get, c.set) if err != nil { return err } c.hasBeenInitialized = true } return nil }(); err != nil { return v, err } // Reacquire the read lock. c.RLock() } v = c.m[key] c.RUnlock() return v, nil } // Set sets the given key to the given value. func (c *Cache[K, T]) Set(key K, value T) { c.Lock() c.set(key, value) c.Unlock() } // SetIfAbsent sets the given key to the given value if the key does not already exist in the cache. func (c *Cache[K, T]) SetIfAbsent(key K, value T) { c.RLock() if _, found := c.get(key); !found { c.RUnlock() c.Set(key, value) } else { c.RUnlock() } } func (c *Cache[K, T]) clearIfNeeded() { if c.opts.Size > 0 && uint64(len(c.m)) >= c.opts.Size { // clear the map clear(c.m) } } func (c *Cache[K, T]) set(key K, value T) { c.clearIfNeeded() c.m[key] = value } // ForEeach calls the given function for each key/value pair in the cache. // If the function returns false, the iteration stops. func (c *Cache[K, T]) ForEeach(f func(K, T) bool) { c.RLock() defer c.RUnlock() for k, v := range c.m { if !f(k, v) { return } } } func (c *Cache[K, T]) Drain() map[K]T { c.Lock() m := c.m c.m = make(map[K]T) c.hasBeenInitialized = false c.Unlock() return m } func (c *Cache[K, T]) Len() int { c.RLock() defer c.RUnlock() return len(c.m) } func (c *Cache[K, T]) Reset() { c.Lock() clear(c.m) c.hasBeenInitialized = false c.Unlock() } // SliceCache is a simple thread safe cache backed by a map. type SliceCache[T any] struct { m map[string][]T sync.RWMutex } func NewSliceCache[T any]() *SliceCache[T] { return &SliceCache[T]{m: make(map[string][]T)} } func (c *SliceCache[T]) Get(key string) ([]T, bool) { c.RLock() v, found := c.m[key] c.RUnlock() return v, found } func (c *SliceCache[T]) Append(key string, values ...T) { c.Lock() c.m[key] = append(c.m[key], values...) c.Unlock() } func (c *SliceCache[T]) Reset() { c.Lock() c.m = make(map[string][]T) c.Unlock() }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/maps/cache_test.go
common/maps/cache_test.go
// Copyright 2025 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 maps import ( "testing" qt "github.com/frankban/quicktest" ) func TestCacheSize(t *testing.T) { c := qt.New(t) cache := NewCacheWithOptions[string, string](CacheOptions{Size: 10}) for i := range 30 { cache.Set(string(rune('a'+i)), "value") } c.Assert(len(cache.m), qt.Equals, 10) for i := 20; i < 50; i++ { cache.GetOrCreate(string(rune('a'+i)), func() (string, error) { return "value", nil }) } c.Assert(len(cache.m), qt.Equals, 10) for i := 100; i < 200; i++ { cache.SetIfAbsent(string(rune('a'+i)), "value") } c.Assert(len(cache.m), qt.Equals, 10) cache.InitAndGet("foo", func( get func(key string) (string, bool), set func(key string, value string), ) error { for i := 50; i < 100; i++ { set(string(rune('a'+i)), "value") } return nil }) c.Assert(len(cache.m), qt.Equals, 10) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/maps/map.go
common/maps/map.go
// Copyright 2025 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 maps import ( "iter" "sync" ) func NewMap[K comparable, T any]() *Map[K, T] { return &Map[K, T]{ m: make(map[K]T), } } // Map is a thread safe map backed by a Go map. type Map[K comparable, T any] struct { m map[K]T mu sync.RWMutex } // Get gets the value for the given key. // It returns the zero value of T if the key is not found. func (m *Map[K, T]) Get(key K) T { v, _ := m.Lookup(key) return v } // Lookup looks up the given key in the map. // It returns the value and a boolean indicating whether the key was found. func (m *Map[K, T]) Lookup(key K) (T, bool) { m.mu.RLock() v, found := m.m[key] m.mu.RUnlock() return v, found } // GetOrCreate gets the value for the given key if it exists, or creates it if not. func (m *Map[K, T]) GetOrCreate(key K, create func() (T, error)) (T, error) { v, found := m.Lookup(key) if found { return v, nil } m.mu.Lock() defer m.mu.Unlock() v, found = m.m[key] if found { return v, nil } v, err := create() if err != nil { return v, err } m.m[key] = v return v, nil } // Set sets the given key to the given value. func (m *Map[K, T]) Set(key K, value T) { m.mu.Lock() m.m[key] = value m.mu.Unlock() } // Delete deletes the given key from the map. // It returns true if the key was found and deleted, false otherwise. func (m *Map[K, T]) Delete(key K) bool { m.mu.Lock() defer m.mu.Unlock() if _, found := m.m[key]; found { delete(m.m, key) return true } return false } // WithWriteLock executes the given function with a write lock on the map. func (m *Map[K, T]) WithWriteLock(f func(m map[K]T) error) error { m.mu.Lock() defer m.mu.Unlock() return f(m.m) } // SetIfAbsent sets the given key to the given value if the key does not already exist in the map. // It returns true if the value was set, false otherwise. func (m *Map[K, T]) SetIfAbsent(key K, value T) bool { m.mu.RLock() if _, found := m.m[key]; !found { m.mu.RUnlock() return m.doSetIfAbsent(key, value) } m.mu.RUnlock() return false } func (m *Map[K, T]) doSetIfAbsent(key K, value T) bool { m.mu.Lock() defer m.mu.Unlock() if _, found := m.m[key]; !found { m.m[key] = value return true } return false } // All returns an iterator over all key/value pairs in the map. // A read lock is held during the iteration. func (m *Map[K, T]) All() iter.Seq2[K, T] { return func(yield func(K, T) bool) { m.mu.RLock() defer m.mu.RUnlock() for k, v := range m.m { if !yield(k, v) { return } } } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/maps/maps.go
common/maps/maps.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 maps import ( "fmt" "strings" "github.com/gohugoio/hugo/common/types" "github.com/gobwas/glob" "github.com/spf13/cast" ) // ToStringMapE converts in to map[string]interface{}. func ToStringMapE(in any) (map[string]any, error) { switch vv := in.(type) { case Params: return vv, nil case map[string]string: m := map[string]any{} for k, v := range vv { m[k] = v } return m, nil default: return cast.ToStringMapE(in) } } // ToParamsAndPrepare converts in to Params and prepares it for use. // If in is nil, an empty map is returned. // See PrepareParams. func ToParamsAndPrepare(in any) (Params, error) { if types.IsNil(in) { return Params{}, nil } m, err := ToStringMapE(in) if err != nil { return nil, err } PrepareParams(m) return m, nil } // MustToParamsAndPrepare calls ToParamsAndPrepare and panics if it fails. func MustToParamsAndPrepare(in any) Params { p, err := ToParamsAndPrepare(in) if err != nil { panic(fmt.Sprintf("cannot convert %T to maps.Params: %s", in, err)) } return p } // ToStringMap converts in to map[string]interface{}. func ToStringMap(in any) map[string]any { m, _ := ToStringMapE(in) return m } // ToStringMapStringE converts in to map[string]string. func ToStringMapStringE(in any) (map[string]string, error) { m, err := ToStringMapE(in) if err != nil { return nil, err } return cast.ToStringMapStringE(m) } // ToStringMapString converts in to map[string]string. func ToStringMapString(in any) map[string]string { m, _ := ToStringMapStringE(in) return m } // ToStringMapBool converts in to bool. func ToStringMapBool(in any) map[string]bool { m, _ := ToStringMapE(in) return cast.ToStringMapBool(m) } // ToSliceStringMap converts in to []map[string]interface{}. func ToSliceStringMap(in any) ([]map[string]any, error) { switch v := in.(type) { case []map[string]any: return v, nil case Params: return []map[string]any{v}, nil case map[string]any: return []map[string]any{v}, nil case []any: var s []map[string]any for _, entry := range v { if vv, ok := entry.(map[string]any); ok { s = append(s, vv) } } return s, nil default: return nil, fmt.Errorf("unable to cast %#v of type %T to []map[string]interface{}", in, in) } } // LookupEqualFold finds key in m with case insensitive equality checks. func LookupEqualFold[T any | string](m map[string]T, key string) (T, string, bool) { if v, found := m[key]; found { return v, key, true } for k, v := range m { if strings.EqualFold(k, key) { return v, k, true } } var s T return s, "", false } // MergeShallow merges src into dst, but only if the key does not already exist in dst. // The keys are compared case insensitively. func MergeShallow(dst, src map[string]any) { for k, v := range src { found := false for dk := range dst { if strings.EqualFold(dk, k) { found = true break } } if !found { dst[k] = v } } } type keyRename struct { pattern glob.Glob newKey string } // KeyRenamer supports renaming of keys in a map. type KeyRenamer struct { renames []keyRename } // NewKeyRenamer creates a new KeyRenamer given a list of pattern and new key // value pairs. func NewKeyRenamer(patternKeys ...string) (KeyRenamer, error) { var renames []keyRename for i := 0; i < len(patternKeys); i += 2 { g, err := glob.Compile(strings.ToLower(patternKeys[i]), '/') if err != nil { return KeyRenamer{}, err } renames = append(renames, keyRename{pattern: g, newKey: patternKeys[i+1]}) } return KeyRenamer{renames: renames}, nil } func (r KeyRenamer) getNewKey(keyPath string) string { for _, matcher := range r.renames { if matcher.pattern.Match(keyPath) { return matcher.newKey } } return "" } // Rename renames the keys in the given map according // to the patterns in the current KeyRenamer. func (r KeyRenamer) Rename(m map[string]any) { r.renamePath("", m) } func (KeyRenamer) keyPath(k1, k2 string) string { k1, k2 = strings.ToLower(k1), strings.ToLower(k2) if k1 == "" { return k2 } return k1 + "/" + k2 } func (r KeyRenamer) renamePath(parentKeyPath string, m map[string]any) { for k, v := range m { keyPath := r.keyPath(parentKeyPath, k) switch vv := v.(type) { case map[any]any: r.renamePath(keyPath, cast.ToStringMap(vv)) case map[string]any: r.renamePath(keyPath, vv) } newKey := r.getNewKey(keyPath) if newKey != "" { delete(m, k) m[newKey] = v } } } // ConvertFloat64WithNoDecimalsToInt converts float64 values with no decimals to int recursively. func ConvertFloat64WithNoDecimalsToInt(m map[string]any) { for k, v := range m { switch vv := v.(type) { case float64: if v == float64(int64(vv)) { m[k] = int64(vv) } case map[string]any: ConvertFloat64WithNoDecimalsToInt(vv) case []any: for i, vvv := range vv { switch vvvv := vvv.(type) { case float64: if vvv == float64(int64(vvvv)) { vv[i] = int64(vvvv) } case map[string]any: ConvertFloat64WithNoDecimalsToInt(vvvv) } } } } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/maps/ordered_test.go
common/maps/ordered_test.go
// Copyright 2024 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 maps import ( "testing" qt "github.com/frankban/quicktest" ) func TestOrdered(t *testing.T) { c := qt.New(t) m := NewOrdered[string, int]() m.Set("a", 1) m.Set("b", 2) m.Set("c", 3) c.Assert(m.Keys(), qt.DeepEquals, []string{"a", "b", "c"}) c.Assert(m.Values(), qt.DeepEquals, []int{1, 2, 3}) v, found := m.Get("b") c.Assert(found, qt.Equals, true) c.Assert(v, qt.Equals, 2) m.Set("b", 22) c.Assert(m.Keys(), qt.DeepEquals, []string{"a", "b", "c"}) c.Assert(m.Values(), qt.DeepEquals, []int{1, 22, 3}) m.Delete("b") c.Assert(m.Keys(), qt.DeepEquals, []string{"a", "c"}) c.Assert(m.Values(), qt.DeepEquals, []int{1, 3}) } func TestOrderedHash(t *testing.T) { c := qt.New(t) m := NewOrdered[string, int]() m.Set("a", 1) m.Set("b", 2) m.Set("c", 3) h1, err := m.Hash() c.Assert(err, qt.IsNil) m.Set("d", 4) h2, err := m.Hash() c.Assert(err, qt.IsNil) c.Assert(h1, qt.Not(qt.Equals), h2) m = NewOrdered[string, int]() m.Set("b", 2) m.Set("a", 1) m.Set("c", 3) h3, err := m.Hash() c.Assert(err, qt.IsNil) // Order does not matter. c.Assert(h1, qt.Equals, h3) } func TestOrderedNil(t *testing.T) { c := qt.New(t) var m *Ordered[string, int] m.Set("a", 1) c.Assert(m.Keys(), qt.IsNil) c.Assert(m.Values(), qt.IsNil) v, found := m.Get("a") c.Assert(found, qt.Equals, false) c.Assert(v, qt.Equals, 0) m.Delete("a") var b bool m.Range(func(k string, v int) bool { b = true return true }) c.Assert(b, qt.Equals, false) c.Assert(m.Len(), qt.Equals, 0) c.Assert(m.Clone(), qt.IsNil) h, err := m.Hash() c.Assert(err, qt.IsNil) c.Assert(h, qt.Equals, uint64(0)) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/maps/params.go
common/maps/params.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 maps import ( "errors" "fmt" "strings" "github.com/spf13/cast" ) // Params is a map where all keys are lower case. type Params map[string]any // KeyParams is an utility struct for the WalkParams method. type KeyParams struct { Key string Params Params } // GetNested does a lower case and nested search in this map. // It will return nil if none found. // Make all of these methods internal somehow. func (p Params) GetNested(indices ...string) any { v, _, _ := getNested(p, indices) return v } // SetParams overwrites values in dst with values in src for common or new keys. // This is done recursively. func SetParams(dst, src Params) { setParams(dst, src, 0) } func setParams(dst, src Params, depth int) { const maxDepth = 1000 if depth > maxDepth { panic(errors.New("max depth exceeded")) } for k, v := range src { vv, found := dst[k] if !found { dst[k] = v } else { switch vvv := vv.(type) { case Params: if pv, ok := v.(Params); ok { setParams(vvv, pv, depth+1) } else { dst[k] = v } default: dst[k] = v } } } } // IsZero returns true if p is considered empty. func (p Params) IsZero() bool { if len(p) == 0 { return true } if len(p) > 1 { return false } for k := range p { return k == MergeStrategyKey } return false } // MergeParamsWithStrategy transfers values from src to dst for new keys using the merge strategy given. // This is done recursively. func MergeParamsWithStrategy(strategy string, dst, src Params) { dst.merge(ParamsMergeStrategy(strategy), src) } // MergeParams transfers values from src to dst for new keys using the merge encoded in dst. // This is done recursively. func MergeParams(dst, src Params) { ms, _ := dst.GetMergeStrategy() dst.merge(ms, src) } func (p Params) merge(ps ParamsMergeStrategy, pp Params) { ns, found := p.GetMergeStrategy() ms := ns if !found && ps != "" { ms = ps } noUpdate := ms == ParamsMergeStrategyNone noUpdate = noUpdate || (ps != "" && ps == ParamsMergeStrategyShallow) for k, v := range pp { if k == MergeStrategyKey { continue } vv, found := p[k] if found { // Key matches, if both sides are Params, we try to merge. if vvv, ok := vv.(Params); ok { if pv, ok := v.(Params); ok { vvv.merge(ms, pv) } } } else if !noUpdate { p[k] = v } } } // For internal use. func (p Params) GetMergeStrategy() (ParamsMergeStrategy, bool) { if v, found := p[MergeStrategyKey]; found { if s, ok := v.(ParamsMergeStrategy); ok { return s, true } } return ParamsMergeStrategyShallow, false } // For internal use. func (p Params) DeleteMergeStrategy() bool { if _, found := p[MergeStrategyKey]; found { delete(p, MergeStrategyKey) return true } return false } // For internal use. func (p Params) SetMergeStrategy(s ParamsMergeStrategy) { switch s { case ParamsMergeStrategyDeep, ParamsMergeStrategyNone, ParamsMergeStrategyShallow: default: panic(fmt.Sprintf("invalid merge strategy %q", s)) } p[MergeStrategyKey] = s } func getNested(m map[string]any, indices []string) (any, string, map[string]any) { if len(indices) == 0 { return nil, "", nil } first := indices[0] v, found := m[strings.ToLower(cast.ToString(first))] if !found { if len(indices) == 1 { return nil, first, m } return nil, "", nil } if len(indices) == 1 { return v, first, m } switch m2 := v.(type) { case Params: return getNested(m2, indices[1:]) case map[string]any: return getNested(m2, indices[1:]) default: return nil, "", nil } } // CreateNestedParamsFromSegements creates empty nested maps for the given keySegments in the target map. func CreateNestedParamsFromSegements(target Params, keySegments ...string) Params { if len(keySegments) == 0 { return target } m := target for i, key := range keySegments { v, found := m[key] if !found { nm := Params{} m[key] = nm m = nm if i == len(keySegments)-1 { return nm } continue } m = v.(Params) } return m } // CreateNestedParamsSepString creates empty nested maps for the given keyStr in the target map // It returns the last map created. func CreateNestedParamsSepString(keyStr, separator string, target Params) Params { keySegments := strings.Split(keyStr, separator) return CreateNestedParamsFromSegements(target, keySegments...) } // SetNestedParamIfNotSet sets the value for the given keyStr in the target map if it does not exist. // It assumes that all but the last key in keyStr is a Params map or should be one. func SetNestedParamIfNotSet(keyStr, separator string, value any, target Params) Params { keySegments := strings.Split(keyStr, separator) if len(keySegments) == 0 { return target } base := keySegments[:len(keySegments)-1] last := keySegments[len(keySegments)-1] m := CreateNestedParamsFromSegements(target, base...) if _, ok := m[last]; !ok { m[last] = value } return target } // GetNestedParam gets the first match of the keyStr in the candidates given. // It will first try the exact match and then try to find it as a nested map value, // using the given separator, e.g. "mymap.name". // It assumes that all the maps given have lower cased keys. func GetNestedParam(keyStr, separator string, candidates ...Params) (any, error) { keyStr = strings.ToLower(keyStr) // Try exact match first for _, m := range candidates { if v, ok := m[keyStr]; ok { return v, nil } } keySegments := strings.Split(keyStr, separator) for _, m := range candidates { if v := m.GetNested(keySegments...); v != nil { return v, nil } } return nil, nil } func GetNestedParamFn(keyStr, separator string, lookupFn func(key string) any) (any, string, map[string]any, error) { keySegments := strings.Split(keyStr, separator) if len(keySegments) == 0 { return nil, "", nil, nil } first := lookupFn(keySegments[0]) if first == nil { return nil, "", nil, nil } if len(keySegments) == 1 { return first, keySegments[0], nil, nil } switch m := first.(type) { case map[string]any: v, key, owner := getNested(m, keySegments[1:]) return v, key, owner, nil case Params: v, key, owner := getNested(m, keySegments[1:]) return v, key, owner, nil } return nil, "", nil, nil } // ParamsMergeStrategy tells what strategy to use in Params.Merge. type ParamsMergeStrategy string const ( // Do not merge. ParamsMergeStrategyNone ParamsMergeStrategy = "none" // Only add new keys. ParamsMergeStrategyShallow ParamsMergeStrategy = "shallow" // Add new keys, merge existing. ParamsMergeStrategyDeep ParamsMergeStrategy = "deep" MergeStrategyKey = "_merge" ) // CleanConfigStringMapString removes any processing instructions from m, // m will never be modified. func CleanConfigStringMapString(m map[string]string) map[string]string { if len(m) == 0 { return m } if _, found := m[MergeStrategyKey]; !found { return m } // Create a new map and copy all the keys except the merge strategy key. m2 := make(map[string]string, len(m)-1) for k, v := range m { if k != MergeStrategyKey { m2[k] = v } } return m2 } // CleanConfigStringMap is the same as CleanConfigStringMapString but for // map[string]any. func CleanConfigStringMap(m map[string]any) map[string]any { return doCleanConfigStringMap(m, 0) } func doCleanConfigStringMap(m map[string]any, depth int) map[string]any { if len(m) == 0 { return m } const maxDepth = 1000 if depth > maxDepth { panic(errors.New("max depth exceeded")) } if _, found := m[MergeStrategyKey]; !found { return m } // Create a new map and copy all the keys except the merge strategy key. m2 := make(map[string]any, len(m)-1) for k, v := range m { if k != MergeStrategyKey { m2[k] = v } switch v2 := v.(type) { case map[string]any: m2[k] = doCleanConfigStringMap(v2, depth+1) case Params: var p Params = doCleanConfigStringMap(v2, depth+1) m2[k] = p case map[string]string: m2[k] = CleanConfigStringMapString(v2) } } return m2 } func toMergeStrategy(v any) ParamsMergeStrategy { s := ParamsMergeStrategy(cast.ToString(v)) switch s { case ParamsMergeStrategyDeep, ParamsMergeStrategyNone, ParamsMergeStrategyShallow: return s default: return ParamsMergeStrategyDeep } } // PrepareParams // * makes all the keys in the given map lower cased and will do so recursively. // * This will modify the map given. // * Any nested map[interface{}]interface{}, map[string]interface{},map[string]string will be converted to Params. // * Any _merge value will be converted to proper type and value. func PrepareParams(m Params) { for k, v := range m { var retyped bool lKey := strings.ToLower(k) if lKey == MergeStrategyKey { v = toMergeStrategy(v) retyped = true } else { switch vv := v.(type) { case map[any]any: var p Params = cast.ToStringMap(v) v = p PrepareParams(p) retyped = true case map[string]any: var p Params = v.(map[string]any) v = p PrepareParams(p) retyped = true case map[string]string: p := make(Params) for k, v := range vv { p[k] = v } v = p PrepareParams(p) retyped = true } } if retyped || k != lKey { delete(m, k) m[lKey] = v } } } // CloneParamsDeep does a deep clone of the given Params, // meaning that any nested Params will be cloned as well. func CloneParamsDeep(m Params) Params { return cloneParamsDeep(m, 0) } func cloneParamsDeep(m Params, depth int) Params { const maxDepth = 1000 if depth > maxDepth { panic(errors.New("max depth exceeded")) } m2 := make(Params) for k, v := range m { switch vv := v.(type) { case Params: m2[k] = cloneParamsDeep(vv, depth+1) default: m2[k] = v } } return m2 } // PrepareParamsClone is like PrepareParams, but it does not modify the input. func PrepareParamsClone(m Params) Params { m2 := make(Params) for k, v := range m { var retyped bool lKey := strings.ToLower(k) if lKey == MergeStrategyKey { v = toMergeStrategy(v) retyped = true } else { switch vv := v.(type) { case map[any]any: var p Params = cast.ToStringMap(v) v = PrepareParamsClone(p) retyped = true case map[string]any: var p Params = v.(map[string]any) v = PrepareParamsClone(p) retyped = true case map[string]string: p := make(Params) for k, v := range vv { p[k] = v } v = p PrepareParams(p) retyped = true } } if retyped || k != lKey { m2[lKey] = v } else { m2[k] = v } } return m2 }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/maps/orderedintset.go
common/maps/orderedintset.go
// Copyright 2025 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 maps import ( "fmt" "slices" "github.com/bits-and-blooms/bitset" ) type OrderedIntSet struct { keys []int values *bitset.BitSet } // NewOrderedIntSet creates a new OrderedIntSet. // Note that this is backed by https://github.com/bits-and-blooms/bitset func NewOrderedIntSet(vals ...int) *OrderedIntSet { m := &OrderedIntSet{ keys: make([]int, 0, len(vals)), values: bitset.New(uint(len(vals))), } for _, v := range vals { m.Set(v) } return m } // Set sets the value for the given key. // Note that insertion order is not affected if a key is re-inserted into the set. func (m *OrderedIntSet) Set(key int) { if m == nil { panic("nil OrderedIntSet") } keyu := uint(key) if m.values.Test(keyu) { return } m.values.Set(keyu) m.keys = append(m.keys, key) } // SetFrom sets the values from another OrderedIntSet. func (m *OrderedIntSet) SetFrom(other *OrderedIntSet) { if m == nil || other == nil { return } for _, key := range other.keys { m.Set(key) } } func (m *OrderedIntSet) Clone() *OrderedIntSet { if m == nil { return nil } newSet := &OrderedIntSet{ keys: slices.Clone(m.keys), values: m.values.Clone(), } return newSet } // Next returns the next key in the set possibly including the given key. // It returns -1 if the key is not found or if there are no keys greater than the given key. func (m *OrderedIntSet) Next(i int) int { n, ok := m.values.NextSet(uint(i)) if !ok { return -1 } return int(n) } // The reason we don't use iter.Seq is https://github.com/golang/go/issues/69015 // This is 70% faster than using iter.Seq2[int, int] for the keys. // It returns false if the iteration was stopped early. func (m *OrderedIntSet) ForEachKey(yield func(int) bool) bool { if m == nil { return true } for _, key := range m.keys { if !yield(key) { return false } } return true } func (m *OrderedIntSet) Has(key int) bool { if m == nil { return false } return m.values.Test(uint(key)) } func (m *OrderedIntSet) Len() int { if m == nil { return 0 } return len(m.keys) } // KeysSorted returns the keys in sorted order. func (m *OrderedIntSet) KeysSorted() []int { if m == nil { return nil } keys := slices.Clone(m.keys) slices.Sort(keys) return m.keys } func (m *OrderedIntSet) String() string { if m == nil { return "[]" } return fmt.Sprintf("%v", m.keys) } func (m *OrderedIntSet) Values() *bitset.BitSet { if m == nil { return nil } return m.values } func (m *OrderedIntSet) IsSuperSet(other *OrderedIntSet) bool { if m == nil || other == nil { return false } return m.values.IsSuperSet(other.values) } // Words returns the bitset as array of 64-bit words, giving direct access to the internal representation. // It is not a copy, so changes to the returned slice will affect the bitset. // It is meant for advanced users. func (m *OrderedIntSet) Words() []uint64 { if m == nil { return nil } return m.values.Words() }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/maps/params_test.go
common/maps/params_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 maps import ( "testing" qt "github.com/frankban/quicktest" ) func TestGetNestedParam(t *testing.T) { m := map[string]any{ "string": "value", "first": 1, "with_underscore": 2, "nested": map[string]any{ "color": "blue", "nestednested": map[string]any{ "color": "green", }, }, } c := qt.New(t) must := func(keyStr, separator string, candidates ...Params) any { v, err := GetNestedParam(keyStr, separator, candidates...) c.Assert(err, qt.IsNil) return v } c.Assert(must("first", "_", m), qt.Equals, 1) c.Assert(must("First", "_", m), qt.Equals, 1) c.Assert(must("with_underscore", "_", m), qt.Equals, 2) c.Assert(must("nested_color", "_", m), qt.Equals, "blue") c.Assert(must("nested.nestednested.color", ".", m), qt.Equals, "green") c.Assert(must("string.name", ".", m), qt.IsNil) c.Assert(must("nested.foo", ".", m), qt.IsNil) } // https://github.com/gohugoio/hugo/issues/7903 func TestGetNestedParamFnNestedNewKey(t *testing.T) { c := qt.New(t) nested := map[string]any{ "color": "blue", } m := map[string]any{ "nested": nested, } existing, nestedKey, owner, err := GetNestedParamFn("nested.new", ".", func(key string) any { return m[key] }) c.Assert(err, qt.IsNil) c.Assert(existing, qt.IsNil) c.Assert(nestedKey, qt.Equals, "new") c.Assert(owner, qt.DeepEquals, nested) } func TestParamsSetAndMerge(t *testing.T) { c := qt.New(t) createParamsPair := func() (Params, Params) { p1 := Params{"a": "av", "c": "cv", "nested": Params{"al2": "al2v", "cl2": "cl2v"}} p2 := Params{"b": "bv", "a": "abv", "nested": Params{"bl2": "bl2v", "al2": "al2bv"}, MergeStrategyKey: ParamsMergeStrategyDeep} return p1, p2 } p1, p2 := createParamsPair() SetParams(p1, p2) c.Assert(p1, qt.DeepEquals, Params{ "a": "abv", "c": "cv", "nested": Params{ "al2": "al2bv", "cl2": "cl2v", "bl2": "bl2v", }, "b": "bv", MergeStrategyKey: ParamsMergeStrategyDeep, }) p1, p2 = createParamsPair() MergeParamsWithStrategy("", p1, p2) // Default is to do a shallow merge. c.Assert(p1, qt.DeepEquals, Params{ "c": "cv", "nested": Params{ "al2": "al2v", "cl2": "cl2v", }, "b": "bv", "a": "av", }) p1, p2 = createParamsPair() p1.SetMergeStrategy(ParamsMergeStrategyNone) MergeParamsWithStrategy("", p1, p2) p1.DeleteMergeStrategy() c.Assert(p1, qt.DeepEquals, Params{ "a": "av", "c": "cv", "nested": Params{ "al2": "al2v", "cl2": "cl2v", }, }) p1, p2 = createParamsPair() p1.SetMergeStrategy(ParamsMergeStrategyShallow) MergeParamsWithStrategy("", p1, p2) p1.DeleteMergeStrategy() c.Assert(p1, qt.DeepEquals, Params{ "a": "av", "c": "cv", "nested": Params{ "al2": "al2v", "cl2": "cl2v", }, "b": "bv", }) p1, p2 = createParamsPair() p1.SetMergeStrategy(ParamsMergeStrategyDeep) MergeParamsWithStrategy("", p1, p2) p1.DeleteMergeStrategy() c.Assert(p1, qt.DeepEquals, Params{ "nested": Params{ "al2": "al2v", "cl2": "cl2v", "bl2": "bl2v", }, "b": "bv", "a": "av", "c": "cv", }) } func TestParamsIsZero(t *testing.T) { c := qt.New(t) var nilParams Params c.Assert(Params{}.IsZero(), qt.IsTrue) c.Assert(nilParams.IsZero(), qt.IsTrue) c.Assert(Params{"foo": "bar"}.IsZero(), qt.IsFalse) c.Assert(Params{"_merge": "foo", "foo": "bar"}.IsZero(), qt.IsFalse) c.Assert(Params{"_merge": "foo"}.IsZero(), qt.IsTrue) } func TestSetNestedParamIfNotSet(t *testing.T) { c := qt.New(t) m := Params{} SetNestedParamIfNotSet("a.b.c", ".", "value", m) c.Assert(m, qt.DeepEquals, Params{ "a": Params{ "b": Params{ "c": "value", }, }, }) m = Params{ "a": Params{ "b": Params{ "c": "existingValue", }, }, } SetNestedParamIfNotSet("a.b.c", ".", "value", m) c.Assert(m, qt.DeepEquals, Params{ "a": Params{ "b": Params{ "c": "existingValue", }, }, }) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/collections/order.go
common/collections/order.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 collections type Order interface { // Ordinal is a zero-based ordinal that represents the order of an object // in a collection. Ordinal() int }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/collections/slice_test.go
common/collections/slice_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 collections import ( "errors" "testing" qt "github.com/frankban/quicktest" ) var ( _ Slicer = (*tstSlicer)(nil) _ Slicer = (*tstSlicerIn1)(nil) _ Slicer = (*tstSlicerIn2)(nil) _ testSlicerInterface = (*tstSlicerIn1)(nil) _ testSlicerInterface = (*tstSlicerIn1)(nil) ) type testSlicerInterface interface { Name() string } type testSlicerInterfaces []testSlicerInterface type tstSlicerIn1 struct { TheName string } type tstSlicerIn2 struct { TheName string } type tstSlicer struct { TheName string } func (p *tstSlicerIn1) Slice(in any) (any, error) { items := in.([]any) result := make(testSlicerInterfaces, len(items)) for i, v := range items { switch vv := v.(type) { case testSlicerInterface: result[i] = vv default: return nil, errors.New("invalid type") } } return result, nil } func (p *tstSlicerIn2) Slice(in any) (any, error) { items := in.([]any) result := make(testSlicerInterfaces, len(items)) for i, v := range items { switch vv := v.(type) { case testSlicerInterface: result[i] = vv default: return nil, errors.New("invalid type") } } return result, nil } func (p *tstSlicerIn1) Name() string { return p.TheName } func (p *tstSlicerIn2) Name() string { return p.TheName } func (p *tstSlicer) Slice(in any) (any, error) { items := in.([]any) result := make(tstSlicers, len(items)) for i, v := range items { switch vv := v.(type) { case *tstSlicer: result[i] = vv default: return nil, errors.New("invalid type") } } return result, nil } type tstSlicers []*tstSlicer func TestSlice(t *testing.T) { t.Parallel() c := qt.New(t) for i, test := range []struct { args []any expected any }{ {[]any{"a", "b"}, []string{"a", "b"}}, {[]any{&tstSlicer{"a"}, &tstSlicer{"b"}}, tstSlicers{&tstSlicer{"a"}, &tstSlicer{"b"}}}, {[]any{&tstSlicer{"a"}, "b"}, []any{&tstSlicer{"a"}, "b"}}, {[]any{}, []any{}}, {[]any{nil}, []any{nil}}, {[]any{5, "b"}, []any{5, "b"}}, {[]any{&tstSlicerIn1{"a"}, &tstSlicerIn2{"b"}}, testSlicerInterfaces{&tstSlicerIn1{"a"}, &tstSlicerIn2{"b"}}}, {[]any{&tstSlicerIn1{"a"}, &tstSlicer{"b"}}, []any{&tstSlicerIn1{"a"}, &tstSlicer{"b"}}}, } { errMsg := qt.Commentf("[%d] %v", i, test.args) result := Slice(test.args...) c.Assert(test.expected, qt.DeepEquals, result, errMsg) } } func TestSortedStringSlice(t *testing.T) { t.Parallel() c := qt.New(t) var s SortedStringSlice = []string{"a", "b", "b", "b", "c", "d"} c.Assert(s.Contains("a"), qt.IsTrue) c.Assert(s.Contains("b"), qt.IsTrue) c.Assert(s.Contains("z"), qt.IsFalse) c.Assert(s.Count("b"), qt.Equals, 3) c.Assert(s.Count("z"), qt.Equals, 0) c.Assert(s.Count("a"), qt.Equals, 1) } func TestStringSliceToInterfaceSlice(t *testing.T) { t.Parallel() c := qt.New(t) tests := []struct { name string in []string want []any }{ { name: "empty slice", in: []string{}, want: []any{}, }, { name: "single element", in: []string{"hello"}, want: []any{"hello"}, }, { name: "multiple elements", in: []string{"a", "b", "c"}, want: []any{"a", "b", "c"}, }, } for _, tt := range tests { t.Run(tt.name, func(t *testing.T) { got := StringSliceToInterfaceSlice(tt.in) c.Assert(got, qt.DeepEquals, tt.want) }) } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/collections/append_test.go
common/collections/append_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 collections import ( "html/template" "testing" qt "github.com/frankban/quicktest" ) func TestAppend(t *testing.T) { t.Parallel() c := qt.New(t) for i, test := range []struct { start any addend []any expected any }{ {[]string{"a", "b"}, []any{"c"}, []string{"a", "b", "c"}}, {[]string{"a", "b"}, []any{"c", "d", "e"}, []string{"a", "b", "c", "d", "e"}}, {[]string{"a", "b"}, []any{[]string{"c", "d", "e"}}, []string{"a", "b", "c", "d", "e"}}, {[]string{"a"}, []any{"b", template.HTML("c")}, []any{"a", "b", template.HTML("c")}}, {nil, []any{"a", "b"}, []string{"a", "b"}}, {nil, []any{nil}, []any{nil}}, {[]any{}, []any{[]string{"c", "d", "e"}}, []string{"c", "d", "e"}}, { tstSlicers{&tstSlicer{"a"}, &tstSlicer{"b"}}, []any{&tstSlicer{"c"}}, tstSlicers{&tstSlicer{"a"}, &tstSlicer{"b"}, &tstSlicer{"c"}}, }, { &tstSlicers{&tstSlicer{"a"}, &tstSlicer{"b"}}, []any{&tstSlicer{"c"}}, tstSlicers{ &tstSlicer{"a"}, &tstSlicer{"b"}, &tstSlicer{"c"}, }, }, { testSlicerInterfaces{&tstSlicerIn1{"a"}, &tstSlicerIn1{"b"}}, []any{&tstSlicerIn1{"c"}}, testSlicerInterfaces{&tstSlicerIn1{"a"}, &tstSlicerIn1{"b"}, &tstSlicerIn1{"c"}}, }, // https://github.com/gohugoio/hugo/issues/5361 { []string{"a", "b"}, []any{tstSlicers{&tstSlicer{"a"}, &tstSlicer{"b"}}}, []any{"a", "b", &tstSlicer{"a"}, &tstSlicer{"b"}}, }, { []string{"a", "b"}, []any{&tstSlicer{"a"}}, []any{"a", "b", &tstSlicer{"a"}}, }, // Errors {"", []any{[]string{"a", "b"}}, false}, // No string concatenation. { "ab", []any{"c"}, false, }, {[]string{"a", "b"}, []any{nil}, []any{"a", "b", nil}}, {[]string{"a", "b"}, []any{nil, "d", nil}, []any{"a", "b", nil, "d", nil}}, {[]any{"a", nil, "c"}, []any{"d", nil, "f"}, []any{"a", nil, "c", "d", nil, "f"}}, {[]string{"a", "b"}, []any{}, []string{"a", "b"}}, } { result, err := Append(test.start, test.addend...) if b, ok := test.expected.(bool); ok && !b { c.Assert(err, qt.Not(qt.IsNil)) continue } c.Assert(err, qt.IsNil) c.Assert(result, qt.DeepEquals, test.expected, qt.Commentf("test: [%d] %v", i, test)) } } // #11093 func TestAppendToMultiDimensionalSlice(t *testing.T) { t.Parallel() c := qt.New(t) for _, test := range []struct { to any from []any expected any }{ { [][]string{{"a", "b"}}, []any{[]string{"c", "d"}}, [][]string{ {"a", "b"}, {"c", "d"}, }, }, { [][]string{{"a", "b"}}, []any{[]string{"c", "d"}, []string{"e", "f"}}, [][]string{ {"a", "b"}, {"c", "d"}, {"e", "f"}, }, }, { [][]string{{"a", "b"}}, []any{[]int{1, 2}}, false, }, } { result, err := Append(test.to, test.from...) if b, ok := test.expected.(bool); ok && !b { c.Assert(err, qt.Not(qt.IsNil)) } else { c.Assert(err, qt.IsNil) c.Assert(result, qt.DeepEquals, test.expected) } } } func TestAppendShouldMakeACopyOfTheInputSlice(t *testing.T) { t.Parallel() c := qt.New(t) slice := make([]string, 0, 100) slice = append(slice, "a", "b") result, err := Append(slice, "c") c.Assert(err, qt.IsNil) slice[0] = "d" c.Assert(result, qt.DeepEquals, []string{"a", "b", "c"}) c.Assert(slice, qt.DeepEquals, []string{"d", "b"}) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/collections/stack.go
common/collections/stack.go
// Copyright 2024 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 ( "iter" "slices" "sync" "github.com/gohugoio/hugo/common/hiter" ) // StackThreadSafe is a simple LIFO stack that is safe for concurrent use. type StackThreadSafe[T any] struct { items []T zero T mu sync.RWMutex } func NewStackThreadSafe[T any]() *StackThreadSafe[T] { return &StackThreadSafe[T]{} } func (s *StackThreadSafe[T]) Push(item T) { s.mu.Lock() defer s.mu.Unlock() s.items = append(s.items, item) } func (s *StackThreadSafe[T]) Pop() (T, bool) { s.mu.Lock() defer s.mu.Unlock() if len(s.items) == 0 { return s.zero, false } item := s.items[len(s.items)-1] s.items = s.items[:len(s.items)-1] return item, true } func (s *StackThreadSafe[T]) Peek() (T, bool) { s.mu.RLock() defer s.mu.RUnlock() if len(s.items) == 0 { return s.zero, false } return s.items[len(s.items)-1], true } func (s *StackThreadSafe[T]) Len() int { s.mu.RLock() defer s.mu.RUnlock() return len(s.items) } // All returns all items in the stack, from bottom to top. func (s *StackThreadSafe[T]) All() iter.Seq2[int, T] { return hiter.Lock2(slices.All(s.items), s.mu.RLock, s.mu.RUnlock) } func (s *StackThreadSafe[T]) Drain() []T { s.mu.Lock() defer s.mu.Unlock() items := s.items s.items = nil return items } func (s *StackThreadSafe[T]) DrainMatching(predicate func(T) bool) []T { s.mu.Lock() defer s.mu.Unlock() var items []T for i := len(s.items) - 1; i >= 0; i-- { if predicate(s.items[i]) { items = append(items, s.items[i]) s.items = slices.Delete(s.items, i, i+1) } } return items } // Stack is a simple LIFO stack that is not safe for concurrent use. type Stack[T any] struct { items []T zero T } func NewStack[T any]() *Stack[T] { return &Stack[T]{} } func (s *Stack[T]) Push(item T) { s.items = append(s.items, item) } func (s *Stack[T]) Pop() (T, bool) { if len(s.items) == 0 { return s.zero, false } item := s.items[len(s.items)-1] s.items = s.items[:len(s.items)-1] return item, true } func (s *Stack[T]) Peek() (T, bool) { if len(s.items) == 0 { return s.zero, false } return s.items[len(s.items)-1], true } func (s *Stack[T]) Len() int { return len(s.items) } func (s *Stack[T]) All() iter.Seq2[int, T] { return slices.All(s.items) } func (s *Stack[T]) Drain() []T { items := s.items s.items = nil return items }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/collections/slice.go
common/collections/slice.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 import ( "reflect" "sort" ) // Slicer defines a very generic way to create a typed slice. This is used // in collections.Slice template func to get types such as Pages, PageGroups etc. // instead of the less useful []interface{}. type Slicer interface { Slice(items any) (any, error) } // Slice returns a slice of all passed arguments. func Slice(args ...any) any { if len(args) == 0 { return args } first := args[0] firstType := reflect.TypeOf(first) if firstType == nil { return args } if g, ok := first.(Slicer); ok { v, err := g.Slice(args) if err == nil { return v } // If Slice fails, the items are not of the same type and // []interface{} is the best we can do. return args } if len(args) > 1 { // This can be a mix of types. for i := 1; i < len(args); i++ { if firstType != reflect.TypeOf(args[i]) { // []interface{} is the best we can do return args } } } slice := reflect.MakeSlice(reflect.SliceOf(firstType), len(args), len(args)) for i, arg := range args { slice.Index(i).Set(reflect.ValueOf(arg)) } return slice.Interface() } // StringSliceToInterfaceSlice converts ss to []interface{}. func StringSliceToInterfaceSlice(ss []string) []any { result := make([]any, len(ss)) for i, s := range ss { result[i] = s } return result } type SortedStringSlice []string // Contains returns true if s is in ss. func (ss SortedStringSlice) Contains(s string) bool { i := sort.SearchStrings(ss, s) return i < len(ss) && ss[i] == s } // Count returns the number of times s is in ss. func (ss SortedStringSlice) Count(s string) int { var count int i := sort.SearchStrings(ss, s) for i < len(ss) && ss[i] == s { count++ i++ } return count }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/collections/append.go
common/collections/append.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 import ( "fmt" "reflect" "github.com/gohugoio/hugo/common/hreflect" ) // Append appends from to a slice to and returns the resulting slice. // If length of from is one and the only element is a slice of same type as to, // it will be appended. func Append(to any, from ...any) (any, error) { if len(from) == 0 { return to, nil } tov, toIsNil := hreflect.Indirect(reflect.ValueOf(to)) toIsNil = toIsNil || to == nil var tot reflect.Type if !toIsNil { if tov.Kind() == reflect.Slice { // Create a copy of tov, so we don't modify the original. c := reflect.MakeSlice(tov.Type(), tov.Len(), tov.Len()+len(from)) reflect.Copy(c, tov) tov = c } if tov.Kind() != reflect.Slice { return nil, fmt.Errorf("expected a slice, got %T", to) } tot = tov.Type().Elem() if tot.Kind() == reflect.Slice { totvt := tot.Elem() fromvs := make([]reflect.Value, len(from)) for i, f := range from { fromv := reflect.ValueOf(f) fromt := fromv.Type() if fromt.Kind() == reflect.Slice { fromt = fromt.Elem() } if totvt != fromt { return nil, fmt.Errorf("cannot append slice of %s to slice of %s", fromt, totvt) } else { fromvs[i] = fromv } } return reflect.Append(tov, fromvs...).Interface(), nil } toIsNil = tov.Len() == 0 if len(from) == 1 { fromv := reflect.ValueOf(from[0]) if !fromv.IsValid() { // from[0] is nil return appendToInterfaceSliceFromValues(tov, fromv) } fromt := fromv.Type() if fromt.Kind() == reflect.Slice { fromt = fromt.Elem() } if fromv.Kind() == reflect.Slice { if toIsNil { // If we get nil []string, we just return the []string return from[0], nil } // If we get []string []string, we append the from slice to to if tot == fromt { return reflect.AppendSlice(tov, fromv).Interface(), nil } else if !fromt.AssignableTo(tot) { // Fall back to a []interface{} slice. return appendToInterfaceSliceFromValues(tov, fromv) } } } } if toIsNil { return Slice(from...), nil } for _, f := range from { fv := reflect.ValueOf(f) if !fv.IsValid() || !fv.Type().AssignableTo(tot) { // Fall back to a []interface{} slice. tov, _ := hreflect.Indirect(reflect.ValueOf(to)) return appendToInterfaceSlice(tov, from...) } tov = reflect.Append(tov, fv) } return tov.Interface(), nil } func appendToInterfaceSliceFromValues(slice1, slice2 reflect.Value) ([]any, error) { var tos []any for _, slice := range []reflect.Value{slice1, slice2} { if !slice.IsValid() { tos = append(tos, nil) continue } for i := range slice.Len() { tos = append(tos, slice.Index(i).Interface()) } } return tos, nil } func appendToInterfaceSlice(tov reflect.Value, from ...any) ([]any, error) { var tos []any for i := range tov.Len() { tos = append(tos, tov.Index(i).Interface()) } tos = append(tos, from...) return tos, nil }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/collections/stack_test.go
common/collections/stack_test.go
package collections import ( "testing" qt "github.com/frankban/quicktest" ) func TestNewStack(t *testing.T) { t.Parallel() c := qt.New(t) s := NewStackThreadSafe[int]() c.Assert(s, qt.IsNotNil) } func TestStackBasic(t *testing.T) { t.Parallel() c := qt.New(t) s := NewStackThreadSafe[int]() c.Assert(s.Len(), qt.Equals, 0) s.Push(1) s.Push(2) s.Push(3) c.Assert(s.Len(), qt.Equals, 3) top, ok := s.Peek() c.Assert(ok, qt.Equals, true) c.Assert(top, qt.Equals, 3) popped, ok := s.Pop() c.Assert(ok, qt.Equals, true) c.Assert(popped, qt.Equals, 3) c.Assert(s.Len(), qt.Equals, 2) _, _ = s.Pop() _, _ = s.Pop() _, ok = s.Pop() c.Assert(ok, qt.Equals, false) } func TestStackDrain(t *testing.T) { t.Parallel() c := qt.New(t) s := NewStackThreadSafe[string]() s.Push("a") s.Push("b") got := s.Drain() c.Assert(got, qt.DeepEquals, []string{"a", "b"}) c.Assert(s.Len(), qt.Equals, 0) } func TestStackDrainMatching(t *testing.T) { t.Parallel() c := qt.New(t) s := NewStackThreadSafe[int]() s.Push(1) s.Push(2) s.Push(3) s.Push(4) got := s.DrainMatching(func(v int) bool { return v%2 == 0 }) c.Assert(got, qt.DeepEquals, []int{4, 2}) c.Assert(s.Drain(), qt.DeepEquals, []int{1, 3}) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/collections/collections.go
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 any, items any) (any, error) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hstrings/strings_test.go
common/hstrings/strings_test.go
// Copyright 2025 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 hstrings import ( "reflect" "regexp" "testing" qt "github.com/frankban/quicktest" ) func TestStringEqualFold(t *testing.T) { c := qt.New(t) s1 := "A" s2 := "a" c.Assert(StringEqualFold(s1).EqualFold(s2), qt.Equals, true) c.Assert(StringEqualFold(s1).EqualFold(s1), qt.Equals, true) c.Assert(StringEqualFold(s2).EqualFold(s1), qt.Equals, true) c.Assert(StringEqualFold(s2).EqualFold(s2), qt.Equals, true) c.Assert(StringEqualFold(s1).EqualFold("b"), qt.Equals, false) c.Assert(StringEqualFold(s1).Eq(s2), qt.Equals, true) c.Assert(StringEqualFold(s1).Eq("b"), qt.Equals, false) } func TestGetOrCompileRegexp(t *testing.T) { c := qt.New(t) re, err := GetOrCompileRegexp(`\d+`) c.Assert(err, qt.IsNil) c.Assert(re.MatchString("123"), qt.Equals, true) } func TestUniqueStrings(t *testing.T) { in := []string{"a", "b", "a", "b", "c", "", "a", "", "d"} output := UniqueStrings(in) expected := []string{"a", "b", "c", "", "d"} if !reflect.DeepEqual(output, expected) { t.Errorf("Expected %#v, got %#v\n", expected, output) } } func TestUniqueStringsReuse(t *testing.T) { in := []string{"a", "b", "a", "b", "c", "", "a", "", "d"} output := UniqueStringsReuse(in) expected := []string{"a", "b", "c", "", "d"} if !reflect.DeepEqual(output, expected) { t.Errorf("Expected %#v, got %#v\n", expected, output) } } func TestUniqueStringsSorted(t *testing.T) { c := qt.New(t) in := []string{"a", "a", "b", "c", "b", "", "a", "", "d"} output := UniqueStringsSorted(in) expected := []string{"", "a", "b", "c", "d"} c.Assert(output, qt.DeepEquals, expected) c.Assert(UniqueStringsSorted(nil), qt.IsNil) } // Note that these cannot use b.Loop() because of golang/go#27217. func BenchmarkUniqueStrings(b *testing.B) { input := []string{"a", "b", "d", "e", "d", "h", "a", "i"} b.Run("Safe", func(b *testing.B) { for b.Loop() { result := UniqueStrings(input) if len(result) != 6 { b.Fatalf("invalid count: %d", len(result)) } } }) b.Run("Reuse slice", func(b *testing.B) { inputs := make([][]string, b.N) for i := 0; i < b.N; i++ { inputc := make([]string, len(input)) copy(inputc, input) inputs[i] = inputc } b.ResetTimer() for i := 0; i < b.N; i++ { inputc := inputs[i] result := UniqueStringsReuse(inputc) if len(result) != 6 { b.Fatalf("invalid count: %d", len(result)) } } }) b.Run("Reuse slice sorted", func(b *testing.B) { inputs := make([][]string, b.N) for i := 0; i < b.N; i++ { inputc := make([]string, len(input)) copy(inputc, input) inputs[i] = inputc } b.ResetTimer() for i := 0; i < b.N; i++ { inputc := inputs[i] result := UniqueStringsSorted(inputc) if len(result) != 6 { b.Fatalf("invalid count: %d", len(result)) } } }) } func BenchmarkGetOrCompileRegexp(b *testing.B) { for b.Loop() { GetOrCompileRegexp(`\d+`) } } func BenchmarkCompileRegexp(b *testing.B) { for b.Loop() { regexp.MustCompile(`\d+`) } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hstrings/strings.go
common/hstrings/strings.go
// Copyright 2024 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 hstrings import ( "fmt" "regexp" "slices" "sort" "strings" "sync" "github.com/gohugoio/hugo/compare" ) var _ compare.Eqer = StringEqualFold("") // StringEqualFold is a string that implements the compare.Eqer interface and considers // two strings equal if they are equal when folded to lower case. // The compare.Eqer interface is used in Hugo to compare values in templates (e.g. using the eq template function). type StringEqualFold string func (s StringEqualFold) EqualFold(s2 string) bool { return strings.EqualFold(string(s), s2) } func (s StringEqualFold) String() string { return string(s) } func (s StringEqualFold) Eq(s2 any) bool { switch ss := s2.(type) { case string: return s.EqualFold(ss) case fmt.Stringer: return s.EqualFold(ss.String()) } return false } // EqualAny returns whether a string is equal to any of the given strings. func EqualAny(a string, b ...string) bool { return slices.Contains(b, a) } // regexpCache represents a cache of regexp objects protected by a mutex. type regexpCache struct { mu sync.RWMutex re map[string]*regexp.Regexp } func (rc *regexpCache) getOrCompileRegexp(pattern string) (re *regexp.Regexp, err error) { var ok bool if re, ok = rc.get(pattern); !ok { re, err = regexp.Compile(pattern) if err != nil { return nil, err } rc.set(pattern, re) } return re, nil } func (rc *regexpCache) get(key string) (re *regexp.Regexp, ok bool) { rc.mu.RLock() re, ok = rc.re[key] rc.mu.RUnlock() return } func (rc *regexpCache) set(key string, re *regexp.Regexp) { rc.mu.Lock() rc.re[key] = re rc.mu.Unlock() } var reCache = regexpCache{re: make(map[string]*regexp.Regexp)} // GetOrCompileRegexp retrieves a regexp object from the cache based upon the pattern. // If the pattern is not found in the cache, the pattern is compiled and added to // the cache. func GetOrCompileRegexp(pattern string) (re *regexp.Regexp, err error) { return reCache.getOrCompileRegexp(pattern) } // HasAnyPrefix checks if the string s has any of the prefixes given. func HasAnyPrefix(s string, prefixes ...string) bool { for _, p := range prefixes { if strings.HasPrefix(s, p) { return true } } return false } // InSlice checks if a string is an element of a slice of strings // and returns a boolean value. func InSlice(arr []string, el string) bool { return slices.Contains(arr, el) } // InSlicEqualFold checks if a string is an element of a slice of strings // and returns a boolean value. // It uses strings.EqualFold to compare. func InSlicEqualFold(arr []string, el string) bool { for _, v := range arr { if strings.EqualFold(v, el) { return true } } return false } // ToString converts the given value to a string. // Note that this is a more strict version compared to cast.ToString, // as it will not try to convert numeric values to strings, // but only accept strings or fmt.Stringer. func ToString(v any) (string, bool) { switch vv := v.(type) { case string: return vv, true case fmt.Stringer: return vv.String(), true } return "", false } // UniqueStrings returns a new slice with any duplicates removed. func UniqueStrings(s []string) []string { unique := make([]string, 0, len(s)) for i, val := range s { var seen bool for j := range i { if s[j] == val { seen = true break } } if !seen { unique = append(unique, val) } } return unique } // UniqueStringsReuse returns a slice with any duplicates removed. // It will modify the input slice. func UniqueStringsReuse(s []string) []string { result := s[:0] for i, val := range s { var seen bool for j := range i { if s[j] == val { seen = true break } } if !seen { result = append(result, val) } } return result } // UniqueStringsSorted returns a sorted slice with any duplicates removed. // It will modify the input slice. func UniqueStringsSorted(s []string) []string { if len(s) == 0 { return nil } ss := sort.StringSlice(s) ss.Sort() i := 0 for j := 1; j < len(s); j++ { if !ss.Less(i, j) { continue } i++ s[i] = s[j] } return s[:i+1] }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hsync/oncemore.go
common/hsync/oncemore.go
// Copyright 2025 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 hsync import ( "context" "sync" "sync/atomic" ) // OnceMore is similar to sync.Once. // // Additional features are: // * it can be reset, so the action can be repeated if needed // * it has methods to check if it's done or in progress type OnceMore struct { _ doNotCopy done atomic.Bool mu sync.Mutex } func (t *OnceMore) Do(f func()) { if t.Done() { return } t.mu.Lock() defer t.mu.Unlock() // Double check if t.Done() { return } defer t.done.Store(true) f() } func (t *OnceMore) Done() bool { return t.done.Load() } func (t *OnceMore) Reset() { t.mu.Lock() t.done.Store(false) t.mu.Unlock() } type ValueResetter[T any] struct { reset func() f func(context.Context) T } func (v *ValueResetter[T]) Value(ctx context.Context) T { return v.f(ctx) } func (v *ValueResetter[T]) Reset() { v.reset() } // OnceMoreValue returns a function that invokes f only once and returns the value // returned by f. The returned function may be called concurrently. // // If f panics, the returned function will panic with the same value on every call. func OnceMoreValue[T any](f func(context.Context) T) ValueResetter[T] { v := struct { f func(context.Context) T once OnceMore ok bool p any result T }{ f: f, } ff := func(ctx context.Context) T { v.once.Do(func() { v.ok = false defer func() { v.p = recover() if !v.ok { panic(v.p) } }() v.result = v.f(ctx) v.ok = true }) if !v.ok { panic(v.p) } return v.result } return ValueResetter[T]{ reset: v.once.Reset, f: ff, } } type FuncResetter struct { f func(context.Context) error reset func() } func (v *FuncResetter) Do(ctx context.Context) error { return v.f(ctx) } func (v *FuncResetter) Reset() { v.reset() } func OnceMoreFunc(f func(context.Context) error) FuncResetter { v := struct { f func(context.Context) error once OnceMore ok bool err error p any }{ f: f, } ff := func(ctx context.Context) error { v.once.Do(func() { v.ok = false defer func() { v.p = recover() if !v.ok { panic(v.p) } }() v.err = v.f(ctx) v.ok = true }) if !v.ok { panic(v.p) } return v.err } return FuncResetter{ f: ff, reset: v.once.Reset, } } type doNotCopy struct{} // Lock is a no-op used by -copylocks checker from `go vet`. func (*doNotCopy) Lock() {} func (*doNotCopy) Unlock() {}
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hsync/oncemore_test.go
common/hsync/oncemore_test.go
// Copyright 2025 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 hsync import ( "context" "testing" qt "github.com/frankban/quicktest" ) func TestOnceMoreValue(t *testing.T) { c := qt.New(t) var counter int f := func(context.Context) int { counter++ return counter } omf := OnceMoreValue(f) for range 10 { c.Assert(omf.Value(context.Background()), qt.Equals, 1) } omf.Reset() for range 10 { c.Assert(omf.Value(context.Background()), qt.Equals, 2) } } func TestOnceMoreFunc(t *testing.T) { c := qt.New(t) var counter int f := func(context.Context) error { counter++ return nil } omf := OnceMoreFunc(f) for range 10 { c.Assert(omf.Do(context.Background()), qt.IsNil) c.Assert(counter, qt.Equals, 1) } omf.Reset() for range 10 { c.Assert(omf.Do(context.Background()), qt.IsNil) c.Assert(counter, qt.Equals, 2) } } func BenchmarkOnceMoreValue(b *testing.B) { var counter int f := func(context.Context) int { counter++ return counter } for b.Loop() { omf := OnceMoreValue(f) for range 10 { omf.Value(context.Background()) } omf.Reset() for range 10 { omf.Value(context.Background()) } } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/paths/type_string.go
common/paths/type_string.go
// Code generated by "stringer -type Type"; DO NOT EDIT. package paths import "strconv" func _() { // An "invalid array index" compiler error signifies that the constant values have changed. // Re-run the stringer command to generate them again. var x [1]struct{} _ = x[TypeFile-0] _ = x[TypeContentResource-1] _ = x[TypeContentSingle-2] _ = x[TypeLeaf-3] _ = x[TypeBranch-4] _ = x[TypeContentData-5] _ = x[TypeMarkup-6] _ = x[TypeShortcode-7] _ = x[TypePartial-8] _ = x[TypeBaseof-9] } const _Type_name = "TypeFileTypeContentResourceTypeContentSingleTypeLeafTypeBranchTypeContentDataTypeMarkupTypeShortcodeTypePartialTypeBaseof" var _Type_index = [...]uint8{0, 8, 27, 44, 52, 62, 77, 87, 100, 111, 121} func (i Type) String() string { if i < 0 || i >= Type(len(_Type_index)-1) { return "Type(" + strconv.FormatInt(int64(i), 10) + ")" } return _Type_name[_Type_index[i]:_Type_index[i+1]] }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/paths/path.go
common/paths/path.go
// Copyright 2021 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 paths import ( "errors" "fmt" "net/url" "path" "path/filepath" "strings" "unicode" ) // FilePathSeparator as defined by os.Separator. const ( FilePathSeparator = string(filepath.Separator) slash = "/" ) // filepathPathBridge is a bridge for common functionality in filepath vs path type filepathPathBridge interface { Base(in string) string Clean(in string) string Dir(in string) string Ext(in string) string Join(elem ...string) string Separator() string } type filepathBridge struct{} func (filepathBridge) Base(in string) string { return filepath.Base(in) } func (filepathBridge) Clean(in string) string { return filepath.Clean(in) } func (filepathBridge) Dir(in string) string { return filepath.Dir(in) } func (filepathBridge) Ext(in string) string { return filepath.Ext(in) } func (filepathBridge) Join(elem ...string) string { return filepath.Join(elem...) } func (filepathBridge) Separator() string { return FilePathSeparator } var fpb filepathBridge // AbsPathify creates an absolute path if given a working dir and a relative path. // If already absolute, the path is just cleaned. func AbsPathify(workingDir, inPath string) string { if filepath.IsAbs(inPath) { return filepath.Clean(inPath) } return filepath.Join(workingDir, inPath) } // AddTrailingSlash adds a trailing Unix styled slash (/) if not already // there. func AddTrailingSlash(path string) string { if !strings.HasSuffix(path, "/") { path += "/" } return path } // AddLeadingSlash adds a leading Unix styled slash (/) if not already // there. func AddLeadingSlash(path string) string { if !strings.HasPrefix(path, "/") { path = "/" + path } return path } // AddTrailingAndLeadingSlash adds a leading and trailing Unix styled slash (/) if not already // there. func AddLeadingAndTrailingSlash(path string) string { return AddTrailingSlash(AddLeadingSlash(path)) } // MakeTitle converts the path given to a suitable title, trimming whitespace // and replacing hyphens with whitespace. func MakeTitle(inpath string) string { return strings.Replace(strings.TrimSpace(inpath), "-", " ", -1) } // ReplaceExtension takes a path and an extension, strips the old extension // and returns the path with the new extension. func ReplaceExtension(path string, newExt string) string { f, _ := fileAndExt(path, fpb) return f + "." + newExt } func makePathRelative(inPath string, possibleDirectories ...string) (string, error) { for _, currentPath := range possibleDirectories { if after, ok := strings.CutPrefix(inPath, currentPath); ok { return after, nil } } return inPath, errors.New("can't extract relative path, unknown prefix") } // ExtNoDelimiter takes a path and returns the extension, excluding the delimiter, i.e. "md". func ExtNoDelimiter(in string) string { return strings.TrimPrefix(Ext(in), ".") } // Ext takes a path and returns the extension, including the delimiter, i.e. ".md". func Ext(in string) string { _, ext := fileAndExt(in, fpb) return ext } // PathAndExt is the same as FileAndExt, but it uses the path package. func PathAndExt(in string) (string, string) { return fileAndExt(in, pb) } // FileAndExt takes a path and returns the file and extension separated, // the extension including the delimiter, i.e. ".md". func FileAndExt(in string) (string, string) { return fileAndExt(in, fpb) } // FileAndExtNoDelimiter takes a path and returns the file and extension separated, // the extension excluding the delimiter, e.g "md". func FileAndExtNoDelimiter(in string) (string, string) { file, ext := fileAndExt(in, fpb) return file, strings.TrimPrefix(ext, ".") } // Filename takes a file path, strips out the extension, // and returns the name of the file. func Filename(in string) (name string) { name, _ = fileAndExt(in, fpb) return } // FileAndExt returns the filename and any extension of a file path as // two separate strings. // // If the path, in, contains a directory name ending in a slash, // then both name and ext will be empty strings. // // If the path, in, is either the current directory, the parent // directory or the root directory, or an empty string, // then both name and ext will be empty strings. // // If the path, in, represents the path of a file without an extension, // then name will be the name of the file and ext will be an empty string. // // If the path, in, represents a filename with an extension, // then name will be the filename minus any extension - including the dot // and ext will contain the extension - minus the dot. func fileAndExt(in string, b filepathPathBridge) (name string, ext string) { ext = b.Ext(in) base := b.Base(in) return extractFilename(in, ext, base, b.Separator()), ext } func extractFilename(in, ext, base, pathSeparator string) (name string) { // No file name cases. These are defined as: // 1. any "in" path that ends in a pathSeparator // 2. any "base" consisting of just an pathSeparator // 3. any "base" consisting of just an empty string // 4. any "base" consisting of just the current directory i.e. "." // 5. any "base" consisting of just the parent directory i.e. ".." if (strings.LastIndex(in, pathSeparator) == len(in)-1) || base == "" || base == "." || base == ".." || base == pathSeparator { name = "" // there is NO filename } else if ext != "" { // there was an Extension // return the filename minus the extension (and the ".") name = base[:strings.LastIndex(base, ".")] } else { // no extension case so just return base, which will // be the filename name = base } return } // GetRelativePath returns the relative path of a given path. func GetRelativePath(path, base string) (final string, err error) { if filepath.IsAbs(path) && base == "" { return "", errors.New("source: missing base directory") } name := filepath.Clean(path) base = filepath.Clean(base) name, err = filepath.Rel(base, name) if err != nil { return "", err } if strings.HasSuffix(filepath.FromSlash(path), FilePathSeparator) && !strings.HasSuffix(name, FilePathSeparator) { name += FilePathSeparator } return name, nil } func prettifyPath(in string, b filepathPathBridge) string { if filepath.Ext(in) == "" { // /section/name/ -> /section/name/index.html if len(in) < 2 { return b.Separator() } return b.Join(in, "index.html") } name, ext := fileAndExt(in, b) if name == "index" { // /section/name/index.html -> /section/name/index.html return b.Clean(in) } // /section/name.html -> /section/name/index.html return b.Join(b.Dir(in), name, "index"+ext) } // CommonDirPath returns the common directory of the given paths. func CommonDirPath(path1, path2 string) string { if path1 == "" || path2 == "" { return "" } hadLeadingSlash := strings.HasPrefix(path1, "/") || strings.HasPrefix(path2, "/") path1 = TrimLeading(path1) path2 = TrimLeading(path2) p1 := strings.Split(path1, "/") p2 := strings.Split(path2, "/") var common []string for i := 0; i < len(p1) && i < len(p2); i++ { if p1[i] == p2[i] { common = append(common, p1[i]) } else { break } } s := strings.Join(common, "/") if hadLeadingSlash && s != "" { s = "/" + s } return s } // Sanitize sanitizes string to be used in Hugo's file paths and URLs, allowing only // a predefined set of special Unicode characters. // // Spaces will be replaced with a single hyphen. // // This function is the core function used to normalize paths in Hugo. // // Note that this is the first common step for URL/path sanitation, // the final URL/path may end up looking differently if the user has stricter rules defined (e.g. removePathAccents=true). func Sanitize(s string) string { var willChange bool for i, r := range s { willChange = !isAllowedPathCharacter(s, i, r) if willChange { break } } if !willChange { // Prevent allocation when nothing changes. return s } target := make([]rune, 0, len(s)) var ( prependHyphen bool wasHyphen bool ) for i, r := range s { isAllowed := isAllowedPathCharacter(s, i, r) if isAllowed { // track explicit hyphen in input; no need to add a new hyphen if // we just saw one. wasHyphen = r == '-' if prependHyphen { // if currently have a hyphen, don't prepend an extra one if !wasHyphen { target = append(target, '-') } prependHyphen = false } target = append(target, r) } else if len(target) > 0 && !wasHyphen && unicode.IsSpace(r) { prependHyphen = true } } return string(target) } func isAllowedPathCharacter(s string, i int, r rune) bool { if r == ' ' { return false } // Check for the most likely first (faster). isAllowed := unicode.IsLetter(r) || unicode.IsDigit(r) isAllowed = isAllowed || r == '.' || r == '/' || r == '\\' || r == '_' || r == '#' || r == '+' || r == '~' || r == '-' || r == '@' isAllowed = isAllowed || unicode.IsMark(r) isAllowed = isAllowed || (r == '%' && i+2 < len(s) && ishex(s[i+1]) && ishex(s[i+2])) return isAllowed } // From https://golang.org/src/net/url/url.go func ishex(c byte) bool { switch { case '0' <= c && c <= '9': return true case 'a' <= c && c <= 'f': return true case 'A' <= c && c <= 'F': return true } return false } var slashFunc = func(r rune) bool { return r == '/' } // Dir behaves like path.Dir without the path.Clean step. // // The returned path ends in a slash only if it is the root "/". func Dir(s string) string { dir, _ := path.Split(s) if len(dir) > 1 && dir[len(dir)-1] == '/' { return dir[:len(dir)-1] } return dir } // FieldsSlash cuts s into fields separated with '/'. func FieldsSlash(s string) []string { f := strings.FieldsFunc(s, slashFunc) return f } // DirFile holds the result from path.Split. type DirFile struct { Dir string File string } // Used in test. func (df DirFile) String() string { return fmt.Sprintf("%s|%s", df.Dir, df.File) } // PathEscape escapes unicode letters in pth. // Use URLEscape to escape full URLs including scheme, query etc. // This is slightly faster for the common case. // Note, there is a url.PathEscape function, but that also // escapes /. func PathEscape(pth string) string { u, err := url.Parse(pth) if err != nil { panic(err) } return u.EscapedPath() } // ToSlashTrimLeading is just a filepath.ToSlash with an added / prefix trimmer. func ToSlashTrimLeading(s string) string { return TrimLeading(filepath.ToSlash(s)) } // TrimLeading trims the leading slash from the given string. func TrimLeading(s string) string { return strings.TrimPrefix(s, "/") } // ToSlashTrimTrailing is just a filepath.ToSlash with an added / suffix trimmer. func ToSlashTrimTrailing(s string) string { return TrimTrailing(filepath.ToSlash(s)) } // TrimTrailing trims the trailing slash from the given string. func TrimTrailing(s string) string { return strings.TrimSuffix(s, "/") } // ToSlashTrim trims any leading and trailing slashes from the given string and converts it to a forward slash separated path. func ToSlashTrim(s string) string { return strings.Trim(filepath.ToSlash(s), "/") } // ToSlashPreserveLeading converts the path given to a forward slash separated path // and preserves the leading slash if present trimming any trailing slash. func ToSlashPreserveLeading(s string) string { return "/" + strings.Trim(filepath.ToSlash(s), "/") } // IsSameFilePath checks if s1 and s2 are the same file path. func IsSameFilePath(s1, s2 string) bool { return path.Clean(ToSlashTrim(s1)) == path.Clean(ToSlashTrim(s2)) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/paths/pathparser.go
common/paths/pathparser.go
// Copyright 2024 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 paths import ( "fmt" "path" "path/filepath" "runtime" "strings" "sync" "github.com/gohugoio/hugo/common/maps" "github.com/gohugoio/hugo/common/types" "github.com/gohugoio/hugo/hugofs/files" "github.com/gohugoio/hugo/hugolib/sitesmatrix" "github.com/gohugoio/hugo/identity" "github.com/gohugoio/hugo/resources/kinds" ) const ( identifierBaseof = "baseof" identifierCurstomWrapper = "_" ) // PathParser parses and manages paths. type PathParser struct { // Maps the language code to its index in the languages/sites slice. LanguageIndex map[string]int // Reports whether the given language is disabled. IsLangDisabled func(string) bool // IsOutputFormat reports whether the given name is a valid output format. // The second argument is optional. IsOutputFormat func(name, ext string) bool // Reports whether the given ext is a content file. IsContentExt func(string) bool // The configured sites matrix. ConfiguredDimensions *sitesmatrix.ConfiguredDimensions // Below gets created on demand. initOnce sync.Once sitesMatrixCache *maps.Cache[string, sitesmatrix.VectorStore] // Maps language index to sites matrix vector store. } func (pp *PathParser) init() { pp.initOnce.Do(func() { pp.sitesMatrixCache = maps.NewCache[string, sitesmatrix.VectorStore]() }) } // NormalizePathString returns a normalized path string using the very basic Hugo rules. func NormalizePathStringBasic(s string) string { // All lower case. s = strings.ToLower(s) // Replace spaces with hyphens. s = strings.ReplaceAll(s, " ", "-") return s } func (pp *PathParser) SitesMatrixFromPath(p *Path) sitesmatrix.VectorStore { pp.init() lang := p.Lang() v, _ := pp.sitesMatrixCache.GetOrCreate(lang, func() (sitesmatrix.VectorStore, error) { builder := sitesmatrix.NewIntSetsBuilder(pp.ConfiguredDimensions) if lang != "" { if idx, ok := pp.LanguageIndex[lang]; ok { builder.WithLanguageIndices(idx) } } switch p.Component() { case files.ComponentFolderContent: builder.WithDefaultsIfNotSet() case files.ComponentFolderLayouts: builder.WithAllIfNotSet() case files.ComponentFolderStatic: builder.WithDefaultsAndAllLanguagesIfNotSet() } return builder.Build(), nil }) return v } // ParseIdentity parses component c with path s into a StringIdentity. func (pp *PathParser) ParseIdentity(c, s string) identity.StringIdentity { p := pp.parsePooled(c, s) defer putPath(p) return identity.StringIdentity(p.IdentifierBase()) } // ParseBaseAndBaseNameNoIdentifier parses component c with path s into a base and a base name without any identifier. func (pp *PathParser) ParseBaseAndBaseNameNoIdentifier(c, s string) (string, string) { p := pp.parsePooled(c, s) defer putPath(p) return p.Base(), p.BaseNameNoIdentifier() } func (pp *PathParser) parsePooled(c, s string) *Path { s = NormalizePathStringBasic(s) p := getPath() p.component = c p, err := pp.doParse(c, s, p) if err != nil { panic(err) } return p } // Parse parses component c with path s into Path using Hugo's content path rules. func (pp *PathParser) Parse(c, s string) *Path { p, err := pp.parse(c, s) if err != nil { panic(err) } return p } func (pp *PathParser) newPath(component string) *Path { p := &Path{} p.reset() p.component = component return p } func (pp *PathParser) parse(component, s string) (*Path, error) { ss := NormalizePathStringBasic(s) p, err := pp.doParse(component, ss, pp.newPath(component)) if err != nil { return nil, err } if s != ss { var err error // Preserve the original case for titles etc. p.unnormalized, err = pp.doParse(component, s, pp.newPath(component)) if err != nil { return nil, err } } else { p.unnormalized = p } return p, nil } func (pp *PathParser) parseIdentifier(component, s string, p *Path, i, lastDot, numDots int, isLast bool) { if p.posContainerHigh != -1 { return } mayHaveLang := numDots > 1 && p.posIdentifierLanguage == -1 && pp.LanguageIndex != nil mayHaveLang = mayHaveLang && (component == files.ComponentFolderContent || component == files.ComponentFolderLayouts) mayHaveOutputFormat := component == files.ComponentFolderLayouts mayHaveKind := p.posIdentifierKind == -1 && mayHaveOutputFormat var mayHaveLayout bool if p.pathType == TypeShortcode { mayHaveLayout = !isLast && component == files.ComponentFolderLayouts } else { mayHaveLayout = component == files.ComponentFolderLayouts } var found bool var high int if len(p.identifiersKnown) > 0 { high = lastDot } else { high = len(p.s) } id := types.LowHigh[string]{Low: i + 1, High: high} sid := p.s[id.Low:id.High] if strings.HasPrefix(sid, identifierCurstomWrapper) && strings.HasSuffix(sid, identifierCurstomWrapper) { p.identifiersKnown = append(p.identifiersKnown, id) p.posIdentifierCustom = len(p.identifiersKnown) - 1 found = true } if len(p.identifiersKnown) == 0 { // The first is always the extension. p.identifiersKnown = append(p.identifiersKnown, id) found = true // May also be the output format. if mayHaveOutputFormat && pp.IsOutputFormat(sid, "") { p.posIdentifierOutputFormat = 0 } } else { var langFound bool if mayHaveLang { var disabled bool _, langFound = pp.LanguageIndex[sid] if !langFound { disabled = pp.IsLangDisabled != nil && pp.IsLangDisabled(sid) if disabled { p.disabled = true langFound = true } } found = langFound if langFound { p.identifiersKnown = append(p.identifiersKnown, id) p.posIdentifierLanguage = len(p.identifiersKnown) - 1 } } if !found && mayHaveOutputFormat { // At this point we may already have resolved an output format, // but we need to keep looking for a more specific one, e.g. amp before html. // Use both name and extension to prevent // false positives on the form css.html. if pp.IsOutputFormat(sid, p.Ext()) { found = true p.identifiersKnown = append(p.identifiersKnown, id) p.posIdentifierOutputFormat = len(p.identifiersKnown) - 1 } } if !found && mayHaveKind { if kinds.GetKindMain(sid) != "" { found = true p.identifiersKnown = append(p.identifiersKnown, id) p.posIdentifierKind = len(p.identifiersKnown) - 1 } } if !found && sid == identifierBaseof { found = true p.identifiersKnown = append(p.identifiersKnown, id) p.posIdentifierBaseof = len(p.identifiersKnown) - 1 } if !found && mayHaveLayout { if p.posIdentifierLayout != -1 { // Move it to identifiersUnknown. p.identifiersUnknown = append(p.identifiersUnknown, p.identifiersKnown[p.posIdentifierLayout]) p.identifiersKnown[p.posIdentifierLayout] = id } else { p.identifiersKnown = append(p.identifiersKnown, id) p.posIdentifierLayout = len(p.identifiersKnown) - 1 } found = true } if !found { p.identifiersUnknown = append(p.identifiersUnknown, id) } } } func (pp *PathParser) doParse(component, s string, p *Path) (*Path, error) { if runtime.GOOS == "windows" { s = path.Clean(filepath.ToSlash(s)) if s == "." { s = "" } } if s == "" { s = "/" } // Leading slash, no trailing slash. if !strings.HasPrefix(s, "/") { s = "/" + s } if s != "/" && s[len(s)-1] == '/' { s = s[:len(s)-1] } p.s = s slashCount := 0 lastDot := 0 lastSlashIdx := strings.LastIndex(s, "/") numDots := strings.Count(s[lastSlashIdx+1:], ".") if strings.Contains(s, "/_shortcodes/") { p.pathType = TypeShortcode } for i := len(s) - 1; i >= 0; i-- { c := s[i] switch c { case '.': pp.parseIdentifier(component, s, p, i, lastDot, numDots, false) lastDot = i case '/': slashCount++ if p.posContainerHigh == -1 { if lastDot > 0 { pp.parseIdentifier(component, s, p, i, lastDot, numDots, true) } p.posContainerHigh = i + 1 } else if p.posContainerLow == -1 { p.posContainerLow = i + 1 } if i > 0 { p.posSectionHigh = i } } } if len(p.identifiersKnown) > 0 { isContentComponent := p.component == files.ComponentFolderContent || p.component == files.ComponentFolderArchetypes isContent := isContentComponent && pp.IsContentExt(p.Ext()) id := p.identifiersKnown[len(p.identifiersKnown)-1] if id.Low > p.posContainerHigh { b := p.s[p.posContainerHigh : id.Low-1] if isContent { switch b { case "index": p.pathType = TypeLeaf case "_index": p.pathType = TypeBranch default: p.pathType = TypeContentSingle } if slashCount == 2 && p.IsLeafBundle() { p.posSectionHigh = 0 } } else if b == files.NameContentData && files.IsContentDataExt(p.Ext()) { p.pathType = TypeContentData } } } if p.pathType < TypeMarkup && component == files.ComponentFolderLayouts { if p.posIdentifierBaseof != -1 { p.pathType = TypeBaseof } else { pth := p.Path() if strings.Contains(pth, "/_shortcodes/") { p.pathType = TypeShortcode } else if strings.Contains(pth, "/_markup/") { p.pathType = TypeMarkup } else if strings.HasPrefix(pth, "/_partials/") { p.pathType = TypePartial } } } if p.pathType == TypeShortcode && p.posIdentifierLayout != -1 { id := p.identifiersKnown[p.posIdentifierLayout] if id.Low == p.posContainerHigh { // First identifier is shortcode name. p.posIdentifierLayout = -1 } } return p, nil } func ModifyPathBundleTypeResource(p *Path) { if p.IsContent() { p.pathType = TypeContentResource } else { p.pathType = TypeFile } } //go:generate stringer -type Type type Type int const ( // A generic file, e.g. a JSON file. TypeFile Type = iota // All below are content files. // A resource of a content type with front matter. TypeContentResource // E.g. /blog/my-post.md TypeContentSingle // All below are bundled content files. // Leaf bundles, e.g. /blog/my-post/index.md TypeLeaf // Branch bundles, e.g. /blog/_index.md TypeBranch // Content data file, _content.gotmpl. TypeContentData // Layout types. TypeMarkup TypeShortcode TypePartial TypeBaseof ) type Path struct { // Note: Any additions to this struct should also be added to the pathPool. s string posContainerLow int posContainerHigh int posSectionHigh int component string pathType Type identifiersKnown []types.LowHigh[string] identifiersUnknown []types.LowHigh[string] posIdentifierLanguage int posIdentifierOutputFormat int posIdentifierKind int posIdentifierLayout int posIdentifierBaseof int posIdentifierCustom int disabled bool trimLeadingSlash bool unnormalized *Path } var pathPool = &sync.Pool{ New: func() any { p := &Path{} p.reset() return p }, } func getPath() *Path { return pathPool.Get().(*Path) } func putPath(p *Path) { p.reset() pathPool.Put(p) } func (p *Path) reset() { p.s = "" p.posContainerLow = -1 p.posContainerHigh = -1 p.posSectionHigh = -1 p.component = "" p.pathType = 0 p.identifiersKnown = p.identifiersKnown[:0] p.posIdentifierLanguage = -1 p.posIdentifierOutputFormat = -1 p.posIdentifierKind = -1 p.posIdentifierLayout = -1 p.posIdentifierBaseof = -1 p.posIdentifierCustom = -1 p.disabled = false p.trimLeadingSlash = false p.unnormalized = nil } // TrimLeadingSlash returns a copy of the Path with the leading slash removed. func (p Path) TrimLeadingSlash() *Path { p.trimLeadingSlash = true return &p } func (p *Path) norm(s string) string { if p.trimLeadingSlash { s = strings.TrimPrefix(s, "/") } return s } // IdentifierBase satisfies identity.Identity. func (p *Path) IdentifierBase() string { if p.Component() == files.ComponentFolderLayouts { return p.Path() } return p.Base() } // Component returns the component for this path (e.g. "content"). func (p *Path) Component() string { return p.component } // Container returns the base name of the container directory for this path. func (p *Path) Container() string { if p.posContainerLow == -1 { return "" } return p.norm(p.s[p.posContainerLow : p.posContainerHigh-1]) } func (p *Path) String() string { if p == nil { return "<nil>" } return p.Path() } // ContainerDir returns the container directory for this path. // For content bundles this will be the parent directory. func (p *Path) ContainerDir() string { if p.posContainerLow == -1 || !p.IsBundle() { return p.Dir() } return p.norm(p.s[:p.posContainerLow-1]) } // Section returns the first path element (section). func (p *Path) Section() string { if p.posSectionHigh <= 0 { return "" } return p.norm(p.s[1:p.posSectionHigh]) } // IsContent returns true if the path is a content file (e.g. mypost.md). // Note that this will also return true for content files in a bundle. func (p *Path) IsContent() bool { return p.Type() >= TypeContentResource && p.Type() <= TypeContentData } // isContentPage returns true if the path is a content file (e.g. mypost.md), // but nof if inside a leaf bundle. func (p *Path) isContentPage() bool { return p.Type() >= TypeContentSingle && p.Type() <= TypeContentData } // Name returns the last element of path. func (p *Path) Name() string { if p.posContainerHigh > 0 { return p.s[p.posContainerHigh:] } return p.s } // Name returns the last element of path without any extension. func (p *Path) NameNoExt() string { if i := p.identifierIndex(0); i != -1 { return p.s[p.posContainerHigh : p.identifiersKnown[i].Low-1] } return p.s[p.posContainerHigh:] } // Name returns the last element of path without any language identifier. func (p *Path) NameNoLang() string { i := p.identifierIndex(p.posIdentifierLanguage) if i == -1 { return p.Name() } return p.s[p.posContainerHigh:p.identifiersKnown[i].Low-1] + p.s[p.identifiersKnown[i].High:] } // BaseNameNoIdentifier returns the logical base name for a resource without any identifier (e.g. no extension). // For bundles this will be the containing directory's name, e.g. "blog". func (p *Path) BaseNameNoIdentifier() string { if p.IsBundle() { return p.Container() } return p.NameNoIdentifier() } // NameNoIdentifier returns the last element of path without any identifier (e.g. no extension). func (p *Path) NameNoIdentifier() string { lowHigh := p.nameLowHigh() return p.s[lowHigh.Low:lowHigh.High] } func (p *Path) nameLowHigh() types.LowHigh[string] { if len(p.identifiersKnown) > 0 { lastID := p.identifiersKnown[len(p.identifiersKnown)-1] if p.posContainerHigh == lastID.Low { // The last identifier is the name. return lastID } return types.LowHigh[string]{ Low: p.posContainerHigh, High: p.identifiersKnown[len(p.identifiersKnown)-1].Low - 1, } } return types.LowHigh[string]{ Low: p.posContainerHigh, High: len(p.s), } } // Dir returns all but the last element of path, typically the path's directory. func (p *Path) Dir() (d string) { if p.posContainerHigh > 0 { d = p.s[:p.posContainerHigh-1] } if d == "" { d = "/" } d = p.norm(d) return } // Path returns the full path. func (p *Path) Path() (d string) { return p.norm(p.s) } // PathNoLeadingSlash returns the full path without the leading slash. func (p *Path) PathNoLeadingSlash() string { return p.Path()[1:] } // Unnormalized returns the Path with the original case preserved. func (p *Path) Unnormalized() *Path { return p.unnormalized } // PathNoLang returns the Path but with any language identifier removed. func (p *Path) PathNoLang() string { if p.identifierIndex(p.posIdentifierLanguage) == -1 { return p.Path() } return p.base(true, false) } // PathNoIdentifier returns the Path but with any identifier (ext, lang) removed. func (p *Path) PathNoIdentifier() string { return p.base(false, false) } // PathBeforeLangAndOutputFormatAndExt returns the path up to the first identifier that is not a language or output format. func (p *Path) PathBeforeLangAndOutputFormatAndExt() string { if len(p.identifiersKnown) == 0 { return p.norm(p.s) } i := p.identifierIndex(0) if j := p.posIdentifierOutputFormat; i == -1 || (j != -1 && j < i) { i = j } if j := p.posIdentifierLanguage; i == -1 || (j != -1 && j < i) { i = j } if i == -1 { return p.norm(p.s) } id := p.identifiersKnown[i] return p.norm(p.s[:id.Low-1]) } // PathRel returns the path relative to the given owner. func (p *Path) PathRel(owner *Path) string { ob := owner.Base() if !strings.HasSuffix(ob, "/") { ob += "/" } return strings.TrimPrefix(p.Path(), ob) } // BaseRel returns the base path relative to the given owner. func (p *Path) BaseRel(owner *Path) string { ob := owner.Base() if ob == "/" { ob = "" } return p.Base()[len(ob)+1:] } // For content files, Base returns the path without any identifiers (extension, language code etc.). // Any 'index' as the last path element is ignored. // // For other files (Resources), any extension is kept. func (p *Path) Base() string { s := p.base(!p.isContentPage(), p.IsBundle()) if s == "/" && p.isContentPage() { // The content home page is represented as "". s = "" } return s } // Used in template lookups. // For pages with Type set, we treat that as the section. func (p *Path) BaseReTyped(typ string) (d string) { base := p.Base() if typ == "" || p.Section() == typ { return base } d = "/" + typ if p.posSectionHigh != -1 { d += base[p.posSectionHigh:] } d = p.norm(d) return } // BaseNoLeadingSlash returns the base path without the leading slash. func (p *Path) BaseNoLeadingSlash() string { return p.Base()[1:] } func (p *Path) base(preserveExt, isBundle bool) string { if len(p.identifiersKnown) == 0 { return p.norm(p.s) } if preserveExt && len(p.identifiersKnown) == 1 { // Preserve extension. return p.norm(p.s) } var high int if isBundle { high = p.posContainerHigh - 1 } else { high = p.nameLowHigh().High } if high == 0 { high++ } if !preserveExt { return p.norm(p.s[:high]) } // For txt files etc. we want to preserve the extension. id := p.identifiersKnown[0] return p.norm(p.s[:high] + p.s[id.Low-1:id.High]) } func (p *Path) Ext() string { return p.identifierAsString(0) } func (p *Path) OutputFormat() string { return p.identifierAsString(p.posIdentifierOutputFormat) } func (p *Path) Kind() string { return p.identifierAsString(p.posIdentifierKind) } func (p *Path) Layout() string { return p.identifierAsString(p.posIdentifierLayout) } func (p *Path) Lang() string { return p.identifierAsString(p.posIdentifierLanguage) } func (p *Path) Custom() string { return strings.TrimSuffix(strings.TrimPrefix(p.identifierAsString(p.posIdentifierCustom), identifierCurstomWrapper), identifierCurstomWrapper) } func (p *Path) Identifier(i int) string { return p.identifierAsString(i) } func (p *Path) Disabled() bool { return p.disabled } func (p *Path) Identifiers() []string { ids := make([]string, len(p.identifiersKnown)) for i, id := range p.identifiersKnown { ids[i] = p.s[id.Low:id.High] } return ids } func (p *Path) IdentifiersUnknown() []string { ids := make([]string, len(p.identifiersUnknown)) for i, id := range p.identifiersUnknown { ids[i] = p.s[id.Low:id.High] } return ids } func (p *Path) Type() Type { return p.pathType } func (p *Path) IsBundle() bool { return p.pathType >= TypeLeaf && p.pathType <= TypeContentData } func (p *Path) IsBranchBundle() bool { return p.pathType == TypeBranch } func (p *Path) IsLeafBundle() bool { return p.pathType == TypeLeaf } func (p *Path) IsContentData() bool { return p.pathType == TypeContentData } func (p Path) ForType(t Type) *Path { p.pathType = t return &p } func (p *Path) identifierAsString(i int) string { i = p.identifierIndex(i) if i == -1 { return "" } id := p.identifiersKnown[i] return p.s[id.Low:id.High] } func (p *Path) identifierIndex(i int) int { if i < 0 || i >= len(p.identifiersKnown) { return -1 } return i } // HasExt returns true if the Unix styled path has an extension. func HasExt(p string) bool { for i := len(p) - 1; i >= 0; i-- { if p[i] == '.' { return true } if p[i] == '/' { return false } } return false } // ValidateIdentifier returns true if the given string is a valid identifier according // to Hugo's basic path normalization rules. func ValidateIdentifier(s string) error { if s == NormalizePathStringBasic(s) { return nil } return fmt.Errorf("must be all lower case and no spaces") }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/paths/path_test.go
common/paths/path_test.go
// Copyright 2024 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 paths import ( "path/filepath" "testing" qt "github.com/frankban/quicktest" ) func TestGetRelativePath(t *testing.T) { tests := []struct { path string base string expect any }{ {filepath.FromSlash("/a/b"), filepath.FromSlash("/a"), filepath.FromSlash("b")}, {filepath.FromSlash("/a/b/c/"), filepath.FromSlash("/a"), filepath.FromSlash("b/c/")}, {filepath.FromSlash("/c"), filepath.FromSlash("/a/b"), filepath.FromSlash("../../c")}, {filepath.FromSlash("/c"), "", false}, } for i, this := range tests { // ultimately a fancy wrapper around filepath.Rel result, err := GetRelativePath(this.path, this.base) if b, ok := this.expect.(bool); ok && !b { if err == nil { t.Errorf("[%d] GetRelativePath didn't return an expected error", i) } } else { if err != nil { t.Errorf("[%d] GetRelativePath failed: %s", i, err) continue } if result != this.expect { t.Errorf("[%d] GetRelativePath got %v but expected %v", i, result, this.expect) } } } } func TestMakePathRelative(t *testing.T) { type test struct { inPath, path1, path2, output string } data := []test{ {"/abc/bcd/ab.css", "/abc/bcd", "/bbc/bcd", "/ab.css"}, {"/abc/bcd/ab.css", "/abcd/bcd", "/abc/bcd", "/ab.css"}, } for i, d := range data { output, _ := makePathRelative(d.inPath, d.path1, d.path2) if d.output != output { t.Errorf("Test #%d failed. Expected %q got %q", i, d.output, output) } } _, error := makePathRelative("a/b/c.ss", "/a/c", "/d/c", "/e/f") if error == nil { t.Errorf("Test failed, expected error") } } func TestMakeTitle(t *testing.T) { type test struct { input, expected string } data := []test{ {"Make-Title", "Make Title"}, {"MakeTitle", "MakeTitle"}, {"make_title", "make_title"}, } for i, d := range data { output := MakeTitle(d.input) if d.expected != output { t.Errorf("Test %d failed. Expected %q got %q", i, d.expected, output) } } } // Replace Extension is probably poorly named, but the intent of the // function is to accept a path and return only the file name with a // new extension. It's intentionally designed to strip out the path // and only provide the name. We should probably rename the function to // be more explicit at some point. func TestReplaceExtension(t *testing.T) { type test struct { input, newext, expected string } data := []test{ // These work according to the above definition {"/some/random/path/file.xml", "html", "file.html"}, {"/banana.html", "xml", "banana.xml"}, {"./banana.html", "xml", "banana.xml"}, {"banana/pie/index.html", "xml", "index.xml"}, {"../pies/fish/index.html", "xml", "index.xml"}, // but these all fail {"filename-without-an-ext", "ext", "filename-without-an-ext.ext"}, {"/filename-without-an-ext", "ext", "filename-without-an-ext.ext"}, {"/directory/mydir/", "ext", ".ext"}, {"mydir/", "ext", ".ext"}, } for i, d := range data { output := ReplaceExtension(filepath.FromSlash(d.input), d.newext) if d.expected != output { t.Errorf("Test %d failed. Expected %q got %q", i, d.expected, output) } } } func TestExtNoDelimiter(t *testing.T) { c := qt.New(t) c.Assert(ExtNoDelimiter(filepath.FromSlash("/my/data.json")), qt.Equals, "json") } func TestFilename(t *testing.T) { type test struct { input, expected string } data := []test{ {"index.html", "index"}, {"./index.html", "index"}, {"/index.html", "index"}, {"index", "index"}, {"/tmp/index.html", "index"}, {"./filename-no-ext", "filename-no-ext"}, {"/filename-no-ext", "filename-no-ext"}, {"filename-no-ext", "filename-no-ext"}, {"directory/", ""}, // no filename case?? {"directory/.hidden.ext", ".hidden"}, {"./directory/../~/banana/gold.fish", "gold"}, {"../directory/banana.man", "banana"}, {"~/mydir/filename.ext", "filename"}, {"./directory//tmp/filename.ext", "filename"}, } for i, d := range data { output := Filename(filepath.FromSlash(d.input)) if d.expected != output { t.Errorf("Test %d failed. Expected %q got %q", i, d.expected, output) } } } func TestFileAndExt(t *testing.T) { type test struct { input, expectedFile, expectedExt string } data := []test{ {"index.html", "index", ".html"}, {"./index.html", "index", ".html"}, {"/index.html", "index", ".html"}, {"index", "index", ""}, {"/tmp/index.html", "index", ".html"}, {"./filename-no-ext", "filename-no-ext", ""}, {"/filename-no-ext", "filename-no-ext", ""}, {"filename-no-ext", "filename-no-ext", ""}, {"directory/", "", ""}, // no filename case?? {"directory/.hidden.ext", ".hidden", ".ext"}, {"./directory/../~/banana/gold.fish", "gold", ".fish"}, {"../directory/banana.man", "banana", ".man"}, {"~/mydir/filename.ext", "filename", ".ext"}, {"./directory//tmp/filename.ext", "filename", ".ext"}, } for i, d := range data { file, ext := fileAndExt(filepath.FromSlash(d.input), fpb) if d.expectedFile != file { t.Errorf("Test %d failed. Expected filename %q got %q.", i, d.expectedFile, file) } if d.expectedExt != ext { t.Errorf("Test %d failed. Expected extension %q got %q.", i, d.expectedExt, ext) } } } func TestSanitize(t *testing.T) { c := qt.New(t) tests := []struct { input string expected string }{ {" Foo bar ", "Foo-bar"}, {"Foo.Bar/foo_Bar-Foo", "Foo.Bar/foo_Bar-Foo"}, {"fOO,bar:foobAR", "fOObarfoobAR"}, {"FOo/BaR.html", "FOo/BaR.html"}, {"FOo/Ba---R.html", "FOo/Ba---R.html"}, /// See #10104 {"FOo/Ba R.html", "FOo/Ba-R.html"}, {"трям/трям", "трям/трям"}, {"은행", "은행"}, {"Банковский кассир", "Банковский-кассир"}, // Issue #1488 {"संस्कृत", "संस्कृत"}, {"a%C3%B1ame", "a%C3%B1ame"}, // Issue #1292 {"this+is+a+test", "this+is+a+test"}, // Issue #1290 {"~foo", "~foo"}, // Issue #2177 } for _, test := range tests { c.Assert(Sanitize(test.input), qt.Equals, test.expected) } } func BenchmarkSanitize(b *testing.B) { const ( allAlowedPath = "foo/bar" spacePath = "foo bar" ) // This should not allocate any memory. b.Run("All allowed", func(b *testing.B) { for b.Loop() { got := Sanitize(allAlowedPath) if got != allAlowedPath { b.Fatal(got) } } }) // This will allocate some memory. b.Run("Spaces", func(b *testing.B) { for b.Loop() { got := Sanitize(spacePath) if got != "foo-bar" { b.Fatal(got) } } }) } func TestDir(t *testing.T) { c := qt.New(t) c.Assert(Dir("/a/b/c/d"), qt.Equals, "/a/b/c") c.Assert(Dir("/a"), qt.Equals, "/") c.Assert(Dir("/"), qt.Equals, "/") c.Assert(Dir(""), qt.Equals, "") } func TestFieldsSlash(t *testing.T) { c := qt.New(t) c.Assert(FieldsSlash("a/b/c"), qt.DeepEquals, []string{"a", "b", "c"}) c.Assert(FieldsSlash("/a/b/c"), qt.DeepEquals, []string{"a", "b", "c"}) c.Assert(FieldsSlash("/a/b/c/"), qt.DeepEquals, []string{"a", "b", "c"}) c.Assert(FieldsSlash("a/b/c/"), qt.DeepEquals, []string{"a", "b", "c"}) c.Assert(FieldsSlash("/"), qt.DeepEquals, []string{}) c.Assert(FieldsSlash(""), qt.DeepEquals, []string{}) } func TestCommonDirPath(t *testing.T) { c := qt.New(t) for _, this := range []struct { a, b, expected string }{ {"/a/b/c", "/a/b/d", "/a/b"}, {"/a/b/c", "a/b/d", "/a/b"}, {"a/b/c", "/a/b/d", "/a/b"}, {"a/b/c", "a/b/d", "a/b"}, {"/a/b/c", "/a/b/c", "/a/b/c"}, {"/a/b/c", "/a/b/c/d", "/a/b/c"}, {"/a/b/c", "/a/b", "/a/b"}, {"/a/b/c", "/a", "/a"}, {"/a/b/c", "/d/e/f", ""}, } { c.Assert(CommonDirPath(this.a, this.b), qt.Equals, this.expected, qt.Commentf("a: %s b: %s", this.a, this.b)) } } func TestIsSameFilePath(t *testing.T) { c := qt.New(t) for _, this := range []struct { a, b string expected bool }{ {"/a/b/c", "/a/b/c", true}, {"/a/b/c", "/a/b/c/", true}, {"/a/b/c", "/a/b/d", false}, {"/a/b/c", "/a/b", false}, {"/a/b/c", "/a/b/c/d", false}, {"/a/b/c", "/a/b/cd", false}, {"/a/b/c", "/a/b/cc", false}, {"/a/b/c", "/a/b/c/", true}, {"/a/b/c", "/a/b/c//", true}, {"/a/b/c", "/a/b/c/.", true}, {"/a/b/c", "/a/b/c/./", true}, {"/a/b/c", "/a/b/c/./.", true}, {"/a/b/c", "/a/b/c/././", true}, {"/a/b/c", "/a/b/c/././.", true}, {"/a/b/c", "/a/b/c/./././", true}, {"/a/b/c", "/a/b/c/./././.", true}, {"/a/b/c", "/a/b/c/././././", true}, } { c.Assert(IsSameFilePath(filepath.FromSlash(this.a), filepath.FromSlash(this.b)), qt.Equals, this.expected, qt.Commentf("a: %s b: %s", this.a, this.b)) } } func BenchmarkAddLeadingSlash(b *testing.B) { const ( noLeadingSlash = "a/b/c" withLeadingSlash = "/a/b/c" ) // This should not allocate any memory. b.Run("With leading slash", func(b *testing.B) { for b.Loop() { got := AddLeadingSlash(withLeadingSlash) if got != withLeadingSlash { b.Fatal(got) } } }) // This will allocate some memory. b.Run("Without leading slash", func(b *testing.B) { for b.Loop() { got := AddLeadingSlash(noLeadingSlash) if got != "/a/b/c" { b.Fatal(got) } } }) b.Run("Blank string", func(b *testing.B) { for b.Loop() { got := AddLeadingSlash("") if got != "/" { b.Fatal(got) } } }) } func TestPathEscape(t *testing.T) { c := qt.New(t) for _, this := range []struct { input string expected string }{ {"/tags/欢迎", "/tags/%E6%AC%A2%E8%BF%8E"}, {"/path with spaces", "/path%20with%20spaces"}, {"/simple-path", "/simple-path"}, {"/path/with/slash", "/path/with/slash"}, {"/path/with special&chars", "/path/with%20special&chars"}, } { in := this.input for range 2 { result := PathEscape(in) c.Assert(result, qt.Equals, this.expected, qt.Commentf("input: %q", this.input)) in = result // test idempotency } } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/paths/url.go
common/paths/url.go
// Copyright 2024 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 paths import ( "fmt" "net/url" "path" "path/filepath" "runtime" "strings" ) type pathBridge struct{} func (pathBridge) Base(in string) string { return path.Base(in) } func (pathBridge) Clean(in string) string { return path.Clean(in) } func (pathBridge) Dir(in string) string { return path.Dir(in) } func (pathBridge) Ext(in string) string { return path.Ext(in) } func (pathBridge) Join(elem ...string) string { return path.Join(elem...) } func (pathBridge) Separator() string { return "/" } var pb pathBridge // MakePermalink combines base URL with content path to create full URL paths. // Example // // base: http://spf13.com/ // path: post/how-i-blog // result: http://spf13.com/post/how-i-blog func MakePermalink(host, plink string) *url.URL { base, err := url.Parse(host) if err != nil { panic(err) } p, err := url.Parse(plink) if err != nil { panic(err) } if p.Host != "" { panic(fmt.Errorf("can't make permalink from absolute link %q", plink)) } base.Path = path.Join(base.Path, p.Path) base.Fragment = p.Fragment base.RawQuery = p.RawQuery // path.Join will strip off the last /, so put it back if it was there. hadTrailingSlash := (plink == "" && strings.HasSuffix(host, "/")) || strings.HasSuffix(p.Path, "/") if hadTrailingSlash && !strings.HasSuffix(base.Path, "/") { base.Path = base.Path + "/" } return base } // AddContextRoot adds the context root to an URL if it's not already set. // For relative URL entries on sites with a base url with a context root set (i.e. http://example.com/mysite), // relative URLs must not include the context root if canonifyURLs is enabled. But if it's disabled, it must be set. func AddContextRoot(baseURL, relativePath string) string { url, err := url.Parse(baseURL) if err != nil { panic(err) } newPath := path.Join(url.Path, relativePath) // path strips trailing slash, ignore root path. if newPath != "/" && strings.HasSuffix(relativePath, "/") { newPath += "/" } return newPath } // URLizeAn // PrettifyURL takes a URL string and returns a semantic, clean URL. func PrettifyURL(in string) string { x := PrettifyURLPath(in) if path.Base(x) == "index.html" { return path.Dir(x) } if in == "" { return "/" } return x } // PrettifyURLPath takes a URL path to a content and converts it // to enable pretty URLs. // // /section/name.html becomes /section/name/index.html // /section/name/ becomes /section/name/index.html // /section/name/index.html becomes /section/name/index.html func PrettifyURLPath(in string) string { return prettifyPath(in, pb) } // Uglify does the opposite of PrettifyURLPath(). // // /section/name/index.html becomes /section/name.html // /section/name/ becomes /section/name.html // /section/name.html becomes /section/name.html func Uglify(in string) string { if path.Ext(in) == "" { if len(in) < 2 { return "/" } // /section/name/ -> /section/name.html return path.Clean(in) + ".html" } name, ext := fileAndExt(in, pb) if name == "index" { // /section/name/index.html -> /section/name.html d := path.Dir(in) if len(d) > 1 { return d + ext } return in } // /.xml -> /index.xml if name == "" { return path.Dir(in) + "index" + ext } // /section/name.html -> /section/name.html return path.Clean(in) } // URLEscape escapes unicode letters. func URLEscape(uri string) string { // escape unicode letters u, err := url.Parse(uri) if err != nil { panic(err) } return u.String() } // TrimExt trims the extension from a path.. func TrimExt(in string) string { return strings.TrimSuffix(in, path.Ext(in)) } // From https://github.com/golang/go/blob/e0c76d95abfc1621259864adb3d101cf6f1f90fc/src/cmd/go/internal/web/url.go#L45 func UrlFromFilename(filename string) (*url.URL, error) { if !filepath.IsAbs(filename) { return nil, fmt.Errorf("filepath must be absolute") } // If filename has a Windows volume name, convert the volume to a host and prefix // per https://blogs.msdn.microsoft.com/ie/2006/12/06/file-uris-in-windows/. if vol := filepath.VolumeName(filename); vol != "" { if strings.HasPrefix(vol, `\\`) { filename = filepath.ToSlash(filename[2:]) i := strings.IndexByte(filename, '/') if i < 0 { // A degenerate case. // \\host.example.com (without a share name) // becomes // file://host.example.com/ return &url.URL{ Scheme: "file", Host: filename, Path: "/", }, nil } // \\host.example.com\Share\path\to\file // becomes // file://host.example.com/Share/path/to/file return &url.URL{ Scheme: "file", Host: filename[:i], Path: filepath.ToSlash(filename[i:]), }, nil } // C:\path\to\file // becomes // file:///C:/path/to/file return &url.URL{ Scheme: "file", Path: "/" + filepath.ToSlash(filename), }, nil } // /path/to/file // becomes // file:///path/to/file return &url.URL{ Scheme: "file", Path: filepath.ToSlash(filename), }, nil } // UrlStringToFilename converts the URL s to a filename. // If ParseRequestURI fails, the input is just converted to OS specific slashes and returned. func UrlStringToFilename(s string) (string, bool) { u, err := url.ParseRequestURI(s) if err != nil { return filepath.FromSlash(s), false } p := u.Path if p == "" { p, _ = url.QueryUnescape(u.Opaque) return filepath.FromSlash(p), false } if runtime.GOOS != "windows" { return p, true } if len(p) == 0 || p[0] != '/' { return filepath.FromSlash(p), false } p = filepath.FromSlash(p) if len(u.Host) == 1 { // file://c/Users/... return strings.ToUpper(u.Host) + ":" + p, true } if u.Host != "" && u.Host != "localhost" { if filepath.VolumeName(u.Host) != "" { return "", false } return `\\` + u.Host + p, true } if vol := filepath.VolumeName(p[1:]); vol == "" || strings.HasPrefix(vol, `\\`) { return "", false } return p[1:], true }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/paths/paths_integration_test.go
common/paths/paths_integration_test.go
// Copyright 2024 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 paths_test import ( "testing" "github.com/gohugoio/hugo/hugolib" ) func TestRemovePathAccents(t *testing.T) { t.Parallel() files := ` -- hugo.toml -- disableKinds = ["taxonomy", "term"] defaultContentLanguage = "en" defaultContentLanguageInSubdir = true [languages] [languages.en] weight = 1 [languages.fr] weight = 2 removePathAccents = true -- content/διακριτικός.md -- -- content/διακριτικός.fr.md -- -- layouts/single.html -- {{ .Language.Lang }}|Single. -- layouts/list.html -- List ` b := hugolib.Test(t, files) b.AssertFileContent("public/en/διακριτικός/index.html", "en|Single") b.AssertFileContent("public/fr/διακριτικος/index.html", "fr|Single") } func TestDisablePathToLower(t *testing.T) { t.Parallel() files := ` -- hugo.toml -- disableKinds = ["taxonomy", "term"] defaultContentLanguage = "en" defaultContentLanguageInSubdir = true [languages] [languages.en] weight = 1 [languages.fr] weight = 2 disablePathToLower = true -- content/MySection/MyPage.md -- -- content/MySection/MyPage.fr.md -- -- content/MySection/MyBundle/index.md -- -- content/MySection/MyBundle/index.fr.md -- -- layouts/single.html -- {{ .Language.Lang }}|Single. -- layouts/list.html -- {{ .Language.Lang }}|List. ` b := hugolib.Test(t, files) b.AssertFileContent("public/en/mysection/index.html", "en|List") b.AssertFileContent("public/en/mysection/mypage/index.html", "en|Single") b.AssertFileContent("public/fr/MySection/index.html", "fr|List") b.AssertFileContent("public/fr/MySection/MyPage/index.html", "fr|Single") b.AssertFileContent("public/en/mysection/mybundle/index.html", "en|Single") b.AssertFileContent("public/fr/MySection/MyBundle/index.html", "fr|Single") } func TestIssue13596(t *testing.T) { t.Parallel() files := ` -- hugo.toml -- disableKinds = ['home','rss','section','sitemap','taxonomy','term'] -- content/p1/index.md -- --- title: p1 --- -- content/p1/a.1.txt -- -- content/p1/a.2.txt -- -- layouts/all.html -- {{ range .Resources.Match "*" }}{{ .Name }}|{{ end }} ` b := hugolib.Test(t, files) b.AssertFileContent("public/p1/index.html", "a.1.txt|a.2.txt|") b.AssertFileExists("public/p1/a.1.txt", true) b.AssertFileExists("public/p1/a.2.txt", true) // fails }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/paths/pathparser_test.go
common/paths/pathparser_test.go
// Copyright 2024 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 paths import ( "path/filepath" "testing" "github.com/gohugoio/hugo/hugofs/files" "github.com/gohugoio/hugo/hugolib/sitesmatrix" "github.com/gohugoio/hugo/resources/kinds" qt "github.com/frankban/quicktest" ) func newTestParser() *PathParser { dims := sitesmatrix.NewTestingDimensions([]string{"en", "no", "fr"}, []string{"v1", "v2", "v3"}, []string{"admin", "editor", "viewer", "guest"}) return &PathParser{ LanguageIndex: map[string]int{ "no": 0, "en": 1, "fr": 2, }, IsContentExt: func(ext string) bool { return ext == "md" }, IsOutputFormat: func(name, ext string) bool { switch name { case "html", "amp", "csv", "rss": return true } return false }, ConfiguredDimensions: dims, } } func TestParse(t *testing.T) { c := qt.New(t) tests := []struct { name string path string assert func(c *qt.C, p *Path) }{ { "Basic text file", "/a/b.txt", func(c *qt.C, p *Path) { c.Assert(p.Name(), qt.Equals, "b.txt") c.Assert(p.Base(), qt.Equals, "/a/b.txt") c.Assert(p.Container(), qt.Equals, "a") c.Assert(p.Dir(), qt.Equals, "/a") c.Assert(p.Ext(), qt.Equals, "txt") c.Assert(p.IsContent(), qt.IsFalse) }, }, { "Basic text file, upper case", "/A/B.txt", func(c *qt.C, p *Path) { c.Assert(p.Name(), qt.Equals, "b.txt") c.Assert(p.NameNoExt(), qt.Equals, "b") c.Assert(p.NameNoIdentifier(), qt.Equals, "b") c.Assert(p.BaseNameNoIdentifier(), qt.Equals, "b") c.Assert(p.Base(), qt.Equals, "/a/b.txt") c.Assert(p.Ext(), qt.Equals, "txt") }, }, { "Basic text file, 1 space in dir", "/a b/c.txt", func(c *qt.C, p *Path) { c.Assert(p.Base(), qt.Equals, "/a-b/c.txt") }, }, { "Basic text file, 2 spaces in dir", "/a b/c.txt", func(c *qt.C, p *Path) { c.Assert(p.Base(), qt.Equals, "/a--b/c.txt") }, }, { "Basic text file, 1 space in filename", "/a/b c.txt", func(c *qt.C, p *Path) { c.Assert(p.Base(), qt.Equals, "/a/b-c.txt") }, }, { "Basic text file, 2 spaces in filename", "/a/b c.txt", func(c *qt.C, p *Path) { c.Assert(p.Base(), qt.Equals, "/a/b--c.txt") }, }, { "Basic text file, mixed case and spaces, unnormalized", "/a/Foo BAR.txt", func(c *qt.C, p *Path) { pp := p.Unnormalized() c.Assert(pp, qt.IsNotNil) c.Assert(pp.BaseNameNoIdentifier(), qt.Equals, "Foo BAR") }, }, { "Basic Markdown file", "/a/b/c.md", func(c *qt.C, p *Path) { c.Assert(p.Ext(), qt.Equals, "md") c.Assert(p.Type(), qt.Equals, TypeContentSingle) c.Assert(p.IsContent(), qt.IsTrue) c.Assert(p.IsLeafBundle(), qt.IsFalse) c.Assert(p.Name(), qt.Equals, "c.md") c.Assert(p.Base(), qt.Equals, "/a/b/c") c.Assert(p.BaseReTyped("foo"), qt.Equals, "/foo/b/c") c.Assert(p.Section(), qt.Equals, "a") c.Assert(p.BaseNameNoIdentifier(), qt.Equals, "c") c.Assert(p.Path(), qt.Equals, "/a/b/c.md") c.Assert(p.Dir(), qt.Equals, "/a/b") c.Assert(p.Container(), qt.Equals, "b") c.Assert(p.ContainerDir(), qt.Equals, "/a/b") }, }, { "Content resource", "/a/b.md", func(c *qt.C, p *Path) { c.Assert(p.Name(), qt.Equals, "b.md") c.Assert(p.Base(), qt.Equals, "/a/b") c.Assert(p.BaseNoLeadingSlash(), qt.Equals, "a/b") c.Assert(p.Section(), qt.Equals, "a") c.Assert(p.BaseNameNoIdentifier(), qt.Equals, "b") // Reclassify it as a content resource. ModifyPathBundleTypeResource(p) c.Assert(p.Type(), qt.Equals, TypeContentResource) c.Assert(p.IsContent(), qt.IsTrue) c.Assert(p.Name(), qt.Equals, "b.md") c.Assert(p.Base(), qt.Equals, "/a/b.md") }, }, { "No ext", "/a/b", func(c *qt.C, p *Path) { c.Assert(p.Name(), qt.Equals, "b") c.Assert(p.NameNoExt(), qt.Equals, "b") c.Assert(p.Base(), qt.Equals, "/a/b") c.Assert(p.Ext(), qt.Equals, "") }, }, { "No ext, trailing slash", "/a/b/", func(c *qt.C, p *Path) { c.Assert(p.Name(), qt.Equals, "b") c.Assert(p.Base(), qt.Equals, "/a/b") c.Assert(p.Ext(), qt.Equals, "") }, }, { "Identifiers", "/a/b.a.b.no.txt", func(c *qt.C, p *Path) { c.Assert(p.Name(), qt.Equals, "b.a.b.no.txt") c.Assert(p.NameNoIdentifier(), qt.Equals, "b.a.b") c.Assert(p.NameNoLang(), qt.Equals, "b.a.b.txt") c.Assert(p.Identifiers(), qt.DeepEquals, []string{"txt", "no"}) c.Assert(p.IdentifiersUnknown(), qt.DeepEquals, []string{"b", "a", "b"}) c.Assert(p.Base(), qt.Equals, "/a/b.a.b.txt") c.Assert(p.BaseNoLeadingSlash(), qt.Equals, "a/b.a.b.txt") c.Assert(p.Path(), qt.Equals, "/a/b.a.b.no.txt") c.Assert(p.PathNoLang(), qt.Equals, "/a/b.a.b.txt") c.Assert(p.Ext(), qt.Equals, "txt") c.Assert(p.PathNoIdentifier(), qt.Equals, "/a/b.a.b") }, }, { "Home branch cundle", "/_index.md", func(c *qt.C, p *Path) { c.Assert(p.Identifiers(), qt.DeepEquals, []string{"md"}) c.Assert(p.IsBranchBundle(), qt.IsTrue) c.Assert(p.IsBundle(), qt.IsTrue) c.Assert(p.Base(), qt.Equals, "") c.Assert(p.BaseReTyped("foo"), qt.Equals, "/foo") c.Assert(p.Path(), qt.Equals, "/_index.md") c.Assert(p.Container(), qt.Equals, "") c.Assert(p.ContainerDir(), qt.Equals, "/") }, }, { "Index content file in root", "/a/index.md", func(c *qt.C, p *Path) { c.Assert(p.Base(), qt.Equals, "/a") c.Assert(p.BaseReTyped("foo"), qt.Equals, "/foo/a") c.Assert(p.BaseNameNoIdentifier(), qt.Equals, "a") c.Assert(p.Container(), qt.Equals, "a") c.Assert(p.Container(), qt.Equals, "a") c.Assert(p.ContainerDir(), qt.Equals, "") c.Assert(p.Dir(), qt.Equals, "/a") c.Assert(p.Ext(), qt.Equals, "md") c.Assert(p.IdentifiersUnknown(), qt.DeepEquals, []string{"index"}) c.Assert(p.Identifiers(), qt.DeepEquals, []string{"md"}) c.Assert(p.IsBranchBundle(), qt.IsFalse) c.Assert(p.IsBundle(), qt.IsTrue) c.Assert(p.IsLeafBundle(), qt.IsTrue) c.Assert(p.Lang(), qt.Equals, "") c.Assert(p.NameNoExt(), qt.Equals, "index") c.Assert(p.NameNoIdentifier(), qt.Equals, "index") c.Assert(p.NameNoLang(), qt.Equals, "index.md") c.Assert(p.Section(), qt.Equals, "") }, }, { "Index content file with lang", "/a/b/index.no.md", func(c *qt.C, p *Path) { c.Assert(p.Base(), qt.Equals, "/a/b") c.Assert(p.BaseNameNoIdentifier(), qt.Equals, "b") c.Assert(p.BaseReTyped("foo"), qt.Equals, "/foo/b") c.Assert(p.Container(), qt.Equals, "b") c.Assert(p.ContainerDir(), qt.Equals, "/a") c.Assert(p.Dir(), qt.Equals, "/a/b") c.Assert(p.Ext(), qt.Equals, "md") c.Assert(p.Identifiers(), qt.DeepEquals, []string{"md", "no"}) c.Assert(p.IsBranchBundle(), qt.IsFalse) c.Assert(p.IsBundle(), qt.IsTrue) c.Assert(p.IsLeafBundle(), qt.IsTrue) c.Assert(p.Lang(), qt.Equals, "no") c.Assert(p.NameNoExt(), qt.Equals, "index.no") c.Assert(p.NameNoIdentifier(), qt.Equals, "index") c.Assert(p.NameNoLang(), qt.Equals, "index.md") c.Assert(p.Path(), qt.Equals, "/a/b/index.no.md") c.Assert(p.PathNoLang(), qt.Equals, "/a/b/index.md") c.Assert(p.Section(), qt.Equals, "a") }, }, { "Index branch content file", "/a/b/_index.no.md", func(c *qt.C, p *Path) { c.Assert(p.Base(), qt.Equals, "/a/b") c.Assert(p.BaseNameNoIdentifier(), qt.Equals, "b") c.Assert(p.Container(), qt.Equals, "b") c.Assert(p.ContainerDir(), qt.Equals, "/a") c.Assert(p.Ext(), qt.Equals, "md") c.Assert(p.Identifiers(), qt.DeepEquals, []string{"md", "no"}) c.Assert(p.IsBranchBundle(), qt.IsTrue) c.Assert(p.IsBundle(), qt.IsTrue) c.Assert(p.IsLeafBundle(), qt.IsFalse) c.Assert(p.NameNoExt(), qt.Equals, "_index.no") c.Assert(p.NameNoLang(), qt.Equals, "_index.md") }, }, { "Index root no slash", "_index.md", func(c *qt.C, p *Path) { c.Assert(p.Base(), qt.Equals, "") c.Assert(p.Ext(), qt.Equals, "md") c.Assert(p.Name(), qt.Equals, "_index.md") }, }, { "Index root", "/_index.md", func(c *qt.C, p *Path) { c.Assert(p.Base(), qt.Equals, "") c.Assert(p.Ext(), qt.Equals, "md") c.Assert(p.Name(), qt.Equals, "_index.md") }, }, { "Index first", "/a/_index.md", func(c *qt.C, p *Path) { c.Assert(p.Section(), qt.Equals, "a") }, }, { "Index text file", "/a/b/index.no.txt", func(c *qt.C, p *Path) { c.Assert(p.Base(), qt.Equals, "/a/b/index.txt") c.Assert(p.Ext(), qt.Equals, "txt") c.Assert(p.Identifiers(), qt.DeepEquals, []string{"txt", "no"}) c.Assert(p.IsLeafBundle(), qt.IsFalse) c.Assert(p.PathNoIdentifier(), qt.Equals, "/a/b/index") }, }, { "Empty", "", func(c *qt.C, p *Path) { c.Assert(p.Base(), qt.Equals, "/") c.Assert(p.Ext(), qt.Equals, "") c.Assert(p.Name(), qt.Equals, "") c.Assert(p.Path(), qt.Equals, "/") }, }, { "Slash", "/", func(c *qt.C, p *Path) { c.Assert(p.Base(), qt.Equals, "/") c.Assert(p.Ext(), qt.Equals, "") c.Assert(p.Name(), qt.Equals, "") }, }, { "Trim Leading Slash bundle", "foo/bar/index.no.md", func(c *qt.C, p *Path) { c.Assert(p.Path(), qt.Equals, "/foo/bar/index.no.md") pp := p.TrimLeadingSlash() c.Assert(pp.Path(), qt.Equals, "foo/bar/index.no.md") c.Assert(pp.PathNoLang(), qt.Equals, "foo/bar/index.md") c.Assert(pp.Base(), qt.Equals, "foo/bar") c.Assert(pp.Dir(), qt.Equals, "foo/bar") c.Assert(pp.ContainerDir(), qt.Equals, "foo") c.Assert(pp.Container(), qt.Equals, "bar") c.Assert(pp.BaseNameNoIdentifier(), qt.Equals, "bar") }, }, { "Trim Leading Slash file", "foo/bar.txt", func(c *qt.C, p *Path) { c.Assert(p.Path(), qt.Equals, "/foo/bar.txt") pp := p.TrimLeadingSlash() c.Assert(pp.Path(), qt.Equals, "foo/bar.txt") c.Assert(pp.PathNoLang(), qt.Equals, "foo/bar.txt") c.Assert(pp.Base(), qt.Equals, "foo/bar.txt") c.Assert(pp.Dir(), qt.Equals, "foo") c.Assert(pp.ContainerDir(), qt.Equals, "foo") c.Assert(pp.Container(), qt.Equals, "foo") c.Assert(pp.BaseNameNoIdentifier(), qt.Equals, "bar") }, }, { "File separator", filepath.FromSlash("/a/b/c.txt"), func(c *qt.C, p *Path) { c.Assert(p.Base(), qt.Equals, "/a/b/c.txt") c.Assert(p.Ext(), qt.Equals, "txt") c.Assert(p.Name(), qt.Equals, "c.txt") c.Assert(p.Path(), qt.Equals, "/a/b/c.txt") }, }, { "Content data file gotmpl", "/a/b/_content.gotmpl", func(c *qt.C, p *Path) { c.Assert(p.Path(), qt.Equals, "/a/b/_content.gotmpl") c.Assert(p.Ext(), qt.Equals, "gotmpl") c.Assert(p.IsContentData(), qt.IsTrue) }, }, { "Content data file yaml", "/a/b/_content.yaml", func(c *qt.C, p *Path) { c.Assert(p.IsContentData(), qt.IsFalse) }, }, { "Custom identifier", "/a/b/p1._myid_.no.md", func(c *qt.C, p *Path) { c.Assert(p.Base(), qt.Equals, "/a/b/p1") c.Assert(p.Lang(), qt.Equals, "no") c.Assert(p.Ext(), qt.Equals, "md") c.Assert(p.Custom(), qt.Equals, "myid") }, }, } parser := newTestParser() for _, test := range tests { c.Run(test.name, func(c *qt.C) { if test.name != "Caret up identifier" { // return } test.assert(c, parser.Parse(files.ComponentFolderContent, test.path)) }) } } func TestParseLayouts(t *testing.T) { c := qt.New(t) tests := []struct { name string path string assert func(c *qt.C, p *Path) }{ { "Basic", "/list.html", func(c *qt.C, p *Path) { c.Assert(p.Base(), qt.Equals, "/list.html") c.Assert(p.OutputFormat(), qt.Equals, "html") }, }, { "Lang", "/list.no.html", func(c *qt.C, p *Path) { c.Assert(p.Identifiers(), qt.DeepEquals, []string{"html", "no", "list"}) c.Assert(p.IdentifiersUnknown(), qt.DeepEquals, []string{}) c.Assert(p.Base(), qt.Equals, "/list.html") c.Assert(p.Lang(), qt.Equals, "no") }, }, { "Kind", "/section.no.html", func(c *qt.C, p *Path) { c.Assert(p.Kind(), qt.Equals, kinds.KindSection) c.Assert(p.Identifiers(), qt.DeepEquals, []string{"html", "no", "section"}) c.Assert(p.IdentifiersUnknown(), qt.DeepEquals, []string{}) c.Assert(p.Base(), qt.Equals, "/section.html") c.Assert(p.Lang(), qt.Equals, "no") }, }, { "Layout", "/list.section.no.html", func(c *qt.C, p *Path) { c.Assert(p.Layout(), qt.Equals, "list") c.Assert(p.Identifiers(), qt.DeepEquals, []string{"html", "no", "section", "list"}) c.Assert(p.IdentifiersUnknown(), qt.DeepEquals, []string{}) c.Assert(p.Base(), qt.Equals, "/list.html") c.Assert(p.Lang(), qt.Equals, "no") }, }, { "Layout multiple", "/mylayout.list.section.no.html", func(c *qt.C, p *Path) { c.Assert(p.Layout(), qt.Equals, "mylayout") c.Assert(p.Identifiers(), qt.DeepEquals, []string{"html", "no", "section", "mylayout"}) c.Assert(p.IdentifiersUnknown(), qt.DeepEquals, []string{"list"}) c.Assert(p.Base(), qt.Equals, "/mylayout.html") c.Assert(p.Lang(), qt.Equals, "no") }, }, { "Layout shortcode", "/_shortcodes/myshort.list.no.html", func(c *qt.C, p *Path) { c.Assert(p.Layout(), qt.Equals, "list") }, }, { "Layout baseof", "/baseof.list.no.html", func(c *qt.C, p *Path) { c.Assert(p.Layout(), qt.Equals, "list") }, }, { "Lang and output format", "/list.no.amp.not.html", func(c *qt.C, p *Path) { c.Assert(p.Identifiers(), qt.DeepEquals, []string{"html", "list", "amp", "no"}) c.Assert(p.IdentifiersUnknown(), qt.DeepEquals, []string{"not"}) c.Assert(p.OutputFormat(), qt.Equals, "amp") c.Assert(p.Ext(), qt.Equals, "html") c.Assert(p.Lang(), qt.Equals, "no") c.Assert(p.Base(), qt.Equals, "/list.html") }, }, { "Term", "/term.html", func(c *qt.C, p *Path) { c.Assert(p.Base(), qt.Equals, "/term.html") c.Assert(p.Identifiers(), qt.DeepEquals, []string{"html", "term"}) c.Assert(p.PathNoIdentifier(), qt.Equals, "/term") c.Assert(p.PathBeforeLangAndOutputFormatAndExt(), qt.Equals, "/term") c.Assert(p.Lang(), qt.Equals, "") c.Assert(p.Kind(), qt.Equals, "term") c.Assert(p.OutputFormat(), qt.Equals, "html") }, }, { "Shortcode with layout", "/_shortcodes/myshortcode.list.html", func(c *qt.C, p *Path) { c.Assert(p.Base(), qt.Equals, "/_shortcodes/myshortcode.html") c.Assert(p.Type(), qt.Equals, TypeShortcode) c.Assert(p.Identifiers(), qt.DeepEquals, []string{"html", "list"}) c.Assert(p.Layout(), qt.Equals, "list") c.Assert(p.PathNoIdentifier(), qt.Equals, "/_shortcodes/myshortcode") c.Assert(p.PathBeforeLangAndOutputFormatAndExt(), qt.Equals, "/_shortcodes/myshortcode.list") c.Assert(p.Lang(), qt.Equals, "") c.Assert(p.Kind(), qt.Equals, "") c.Assert(p.OutputFormat(), qt.Equals, "html") }, }, { "Sub dir", "/pages/home.html", func(c *qt.C, p *Path) { c.Assert(p.Identifiers(), qt.DeepEquals, []string{"html", "home"}) c.Assert(p.Lang(), qt.Equals, "") c.Assert(p.Kind(), qt.Equals, "home") c.Assert(p.OutputFormat(), qt.Equals, "html") c.Assert(p.Dir(), qt.Equals, "/pages") }, }, { "Baseof", "/pages/baseof.list.section.fr.amp.html", func(c *qt.C, p *Path) { c.Assert(p.Identifiers(), qt.DeepEquals, []string{"html", "amp", "fr", "section", "list", "baseof"}) c.Assert(p.IdentifiersUnknown(), qt.DeepEquals, []string{}) c.Assert(p.Kind(), qt.Equals, kinds.KindSection) c.Assert(p.Lang(), qt.Equals, "fr") c.Assert(p.OutputFormat(), qt.Equals, "amp") c.Assert(p.Dir(), qt.Equals, "/pages") c.Assert(p.NameNoIdentifier(), qt.Equals, "baseof") c.Assert(p.Type(), qt.Equals, TypeBaseof) c.Assert(p.IdentifierBase(), qt.Equals, "/pages/baseof.list.section.fr.amp.html") }, }, { "Markup", "/_markup/render-link.html", func(c *qt.C, p *Path) { c.Assert(p.Type(), qt.Equals, TypeMarkup) }, }, { "Markup nested", "/foo/_markup/render-link.html", func(c *qt.C, p *Path) { c.Assert(p.Type(), qt.Equals, TypeMarkup) }, }, { "Shortcode", "/_shortcodes/myshortcode.html", func(c *qt.C, p *Path) { c.Assert(p.Type(), qt.Equals, TypeShortcode) }, }, { "Shortcode nested", "/foo/_shortcodes/myshortcode.html", func(c *qt.C, p *Path) { c.Assert(p.Type(), qt.Equals, TypeShortcode) }, }, { "Shortcode nested sub", "/foo/_shortcodes/foo/myshortcode.html", func(c *qt.C, p *Path) { c.Assert(p.Type(), qt.Equals, TypeShortcode) }, }, { "Partials", "/_partials/foo.bar", func(c *qt.C, p *Path) { c.Assert(p.Type(), qt.Equals, TypePartial) }, }, { "Shortcode lang in root", "/_shortcodes/no.html", func(c *qt.C, p *Path) { c.Assert(p.Type(), qt.Equals, TypeShortcode) c.Assert(p.Lang(), qt.Equals, "") c.Assert(p.NameNoIdentifier(), qt.Equals, "no") }, }, { "Shortcode lang layout", "/_shortcodes/myshortcode.no.html", func(c *qt.C, p *Path) { c.Assert(p.Type(), qt.Equals, TypeShortcode) c.Assert(p.Lang(), qt.Equals, "no") c.Assert(p.Layout(), qt.Equals, "") c.Assert(p.NameNoIdentifier(), qt.Equals, "myshortcode") }, }, { "Not lang", "/foo/index.xy.html", func(c *qt.C, p *Path) { c.Assert(p.Lang(), qt.Equals, "") c.Assert(p.Layout(), qt.Equals, "index") c.Assert(p.NameNoLang(), qt.Equals, "index.xy.html") c.Assert(p.PathNoLang(), qt.Equals, "/foo/index.xy.html") c.Assert(p.Identifiers(), qt.DeepEquals, []string{"html", "index"}) c.Assert(p.IdentifiersUnknown(), qt.DeepEquals, []string{"xy"}) }, }, } parser := newTestParser() for _, test := range tests { c.Run(test.name, func(c *qt.C) { if test.name != "Not lang" { return } test.assert(c, parser.Parse(files.ComponentFolderLayouts, test.path)) }) } } func TestHasExt(t *testing.T) { c := qt.New(t) c.Assert(HasExt("/a/b/c.txt"), qt.IsTrue) c.Assert(HasExt("/a/b.c/d.txt"), qt.IsTrue) c.Assert(HasExt("/a/b/c"), qt.IsFalse) c.Assert(HasExt("/a/b.c/d"), qt.IsFalse) } func BenchmarkParseIdentity(b *testing.B) { parser := newTestParser() for b.Loop() { parser.ParseIdentity(files.ComponentFolderAssets, "/a/b.css") } } func TestSitesMatrixFromPath(t *testing.T) { c := qt.New(t) parser := newTestParser() p := parser.Parse(files.ComponentFolderContent, "/a/b/c.fr.md") v := parser.SitesMatrixFromPath(p) c.Assert(v.HasLanguage(2), qt.IsTrue) c.Assert(v.LenVectors(), qt.Equals, 1) c.Assert(v.VectorSample(), qt.Equals, sitesmatrix.Vector{2, 0, 0}) } func BenchmarkSitesMatrixFromPath(b *testing.B) { parser := newTestParser() p := parser.Parse(files.ComponentFolderContent, "/a/b/c.fr.md") for b.Loop() { parser.SitesMatrixFromPath(p) } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/paths/url_test.go
common/paths/url_test.go
// Copyright 2021 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 paths import ( "testing" qt "github.com/frankban/quicktest" ) func TestMakePermalink(t *testing.T) { type test struct { host, link, output string } data := []test{ {"http://abc.com/foo", "post/bar", "http://abc.com/foo/post/bar"}, {"http://abc.com/foo/", "post/bar", "http://abc.com/foo/post/bar"}, {"http://abc.com", "post/bar", "http://abc.com/post/bar"}, {"http://abc.com", "bar", "http://abc.com/bar"}, {"http://abc.com/foo/bar", "post/bar", "http://abc.com/foo/bar/post/bar"}, {"http://abc.com/foo/bar", "post/bar/", "http://abc.com/foo/bar/post/bar/"}, {"http://abc.com/foo", "post/bar?a=b#c", "http://abc.com/foo/post/bar?a=b#c"}, } for i, d := range data { output := MakePermalink(d.host, d.link).String() if d.output != output { t.Errorf("Test #%d failed. Expected %q got %q", i, d.output, output) } } } func TestAddContextRoot(t *testing.T) { tests := []struct { baseURL string url string expected string }{ {"http://example.com/sub/", "/foo", "/sub/foo"}, {"http://example.com/sub/", "/foo/index.html", "/sub/foo/index.html"}, {"http://example.com/sub1/sub2", "/foo", "/sub1/sub2/foo"}, {"http://example.com", "/foo", "/foo"}, // cannot guess that the context root is already added int the example below {"http://example.com/sub/", "/sub/foo", "/sub/sub/foo"}, {"http://example.com/тря", "/трям/", "/тря/трям/"}, {"http://example.com", "/", "/"}, {"http://example.com/bar", "//", "/bar/"}, } for _, test := range tests { output := AddContextRoot(test.baseURL, test.url) if output != test.expected { t.Errorf("Expected %#v, got %#v\n", test.expected, output) } } } func TestPretty(t *testing.T) { c := qt.New(t) c.Assert("/section/name/index.html", qt.Equals, PrettifyURLPath("/section/name.html")) c.Assert("/section/sub/name/index.html", qt.Equals, PrettifyURLPath("/section/sub/name.html")) c.Assert("/section/name/index.html", qt.Equals, PrettifyURLPath("/section/name/")) c.Assert("/section/name/index.html", qt.Equals, PrettifyURLPath("/section/name/index.html")) c.Assert("/index.html", qt.Equals, PrettifyURLPath("/index.html")) c.Assert("/name/index.xml", qt.Equals, PrettifyURLPath("/name.xml")) c.Assert("/", qt.Equals, PrettifyURLPath("/")) c.Assert("/", qt.Equals, PrettifyURLPath("")) c.Assert("/section/name", qt.Equals, PrettifyURL("/section/name.html")) c.Assert("/section/sub/name", qt.Equals, PrettifyURL("/section/sub/name.html")) c.Assert("/section/name", qt.Equals, PrettifyURL("/section/name/")) c.Assert("/section/name", qt.Equals, PrettifyURL("/section/name/index.html")) c.Assert("/", qt.Equals, PrettifyURL("/index.html")) c.Assert("/name/index.xml", qt.Equals, PrettifyURL("/name.xml")) c.Assert("/", qt.Equals, PrettifyURL("/")) c.Assert("/", qt.Equals, PrettifyURL("")) } func TestUgly(t *testing.T) { c := qt.New(t) c.Assert("/section/name.html", qt.Equals, Uglify("/section/name.html")) c.Assert("/section/sub/name.html", qt.Equals, Uglify("/section/sub/name.html")) c.Assert("/section/name.html", qt.Equals, Uglify("/section/name/")) c.Assert("/section/name.html", qt.Equals, Uglify("/section/name/index.html")) c.Assert("/index.html", qt.Equals, Uglify("/index.html")) c.Assert("/name.xml", qt.Equals, Uglify("/name.xml")) c.Assert("/", qt.Equals, Uglify("/")) c.Assert("/", qt.Equals, Uglify("")) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hiter/iter.go
common/hiter/iter.go
package hiter // Common iterator functions. // Some of these are are based on this discsussion: https://github.com/golang/go/issues/61898 import "iter" // Concat returns an iterator over the concatenation of the sequences. // Any nil sequences are ignored. func Concat[V any](seqs ...iter.Seq[V]) iter.Seq[V] { return func(yield func(V) bool) { for _, seq := range seqs { if seq == nil { continue } for e := range seq { if !yield(e) { return } } } } } // Concat2 returns an iterator over the concatenation of the sequences. // Any nil sequences are ignored. func Concat2[K, V any](seqs ...iter.Seq2[K, V]) iter.Seq2[K, V] { return func(yield func(K, V) bool) { for _, seq := range seqs { if seq == nil { continue } for k, v := range seq { if !yield(k, v) { return } } } } } // Lock returns an iterator that locks before iterating and unlocks after. func Lock[V any](seq iter.Seq[V], lock, unlock func()) iter.Seq[V] { return func(yield func(V) bool) { lock() defer unlock() for e := range seq { if !yield(e) { return } } } } // Lock2 returns an iterator that locks before iterating and unlocks after. func Lock2[K, V any](seq iter.Seq2[K, V], lock, unlock func()) iter.Seq2[K, V] { return func(yield func(K, V) bool) { lock() defer unlock() for k, v := range seq { if !yield(k, v) { return } } } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hashing/hashing_test.go
common/hashing/hashing_test.go
// Copyright 2024 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 hashing import ( "fmt" "math" "strings" "sync" "testing" qt "github.com/frankban/quicktest" ) func TestXxHashFromReader(t *testing.T) { c := qt.New(t) s := "Hello World" r := strings.NewReader(s) got, size, err := XXHashFromReader(r) c.Assert(err, qt.IsNil) c.Assert(size, qt.Equals, int64(len(s))) c.Assert(got, qt.Equals, uint64(7148569436472236994)) } func TestXxHashFromReaderPara(t *testing.T) { c := qt.New(t) var wg sync.WaitGroup for i := range 10 { wg.Add(1) go func() { defer wg.Done() for j := range 100 { s := strings.Repeat("Hello ", i+j+1*42) r := strings.NewReader(s) got, size, err := XXHashFromReader(r) c.Assert(size, qt.Equals, int64(len(s))) c.Assert(err, qt.IsNil) expect, _ := XXHashFromString(s) c.Assert(got, qt.Equals, expect) } }() } wg.Wait() } func TestXxHashFromString(t *testing.T) { c := qt.New(t) s := "Hello World" got, err := XXHashFromString(s) c.Assert(err, qt.IsNil) c.Assert(got, qt.Equals, uint64(7148569436472236994)) } func TestXxHashFromStringHexEncoded(t *testing.T) { c := qt.New(t) s := "The quick brown fox jumps over the lazy dog" got := XxHashFromStringHexEncoded(s) // Facit: https://asecuritysite.com/encryption/xxhash?val=The%20quick%20brown%20fox%20jumps%20over%20the%20lazy%20dog c.Assert(got, qt.Equals, "0b242d361fda71bc") } func BenchmarkXXHashFromReader(b *testing.B) { r := strings.NewReader("Hello World") for b.Loop() { XXHashFromReader(r) r.Seek(0, 0) } } func BenchmarkXXHashFromString(b *testing.B) { s := "Hello World" for b.Loop() { XXHashFromString(s) } } func BenchmarkXXHashFromStringHexEncoded(b *testing.B) { s := "The quick brown fox jumps over the lazy dog" for b.Loop() { XxHashFromStringHexEncoded(s) } } func TestHashString(t *testing.T) { c := qt.New(t) c.Assert(HashString("a", "b"), qt.Equals, "3176555414984061461") c.Assert(HashString("ab"), qt.Equals, "7347350983217793633") var vals []any = []any{"a", "b", tstKeyer{"c"}} c.Assert(HashString(vals...), qt.Equals, "4438730547989914315") c.Assert(vals[2], qt.Equals, tstKeyer{"c"}) } type tstKeyer struct { key string } func (t tstKeyer) Key() string { return t.key } func (t tstKeyer) String() string { return "key: " + t.key } func BenchmarkHashString(b *testing.B) { word := " hello " var tests []string for i := 1; i <= 5; i++ { sentence := strings.Repeat(word, int(math.Pow(4, float64(i)))) tests = append(tests, sentence) } b.ResetTimer() for _, test := range tests { b.Run(fmt.Sprintf("n%d", len(test)), func(b *testing.B) { for b.Loop() { HashString(test) } }) } } func BenchmarkHashMap(b *testing.B) { m := map[string]any{} for i := range 1000 { m[fmt.Sprintf("key%d", i)] = i } for b.Loop() { HashString(m) } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hashing/hashing.go
common/hashing/hashing.go
// Copyright 2024 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 hashing provides common hashing utilities. package hashing import ( "crypto/md5" "encoding/hex" "io" "strconv" "sync" "github.com/cespare/xxhash/v2" "github.com/gohugoio/hashstructure" "github.com/gohugoio/hugo/common/hugio" "github.com/gohugoio/hugo/identity" ) // XXHashFromReader calculates the xxHash for the given reader. func XXHashFromReader(r io.Reader) (uint64, int64, error) { h := getXxHashReadFrom() defer putXxHashReadFrom(h) size, err := io.Copy(h, r) if err != nil { return 0, 0, err } return h.Sum64(), size, nil } type Hasher interface { io.StringWriter io.Writer io.ReaderFrom Sum64() uint64 } type HashCloser interface { Hasher io.Closer } // XxHasher returns a Hasher that uses xxHash. // Remember to call Close when done. func XxHasher() HashCloser { h := getXxHashReadFrom() return struct { Hasher io.Closer }{ Hasher: h, Closer: hugio.CloserFunc(func() error { putXxHashReadFrom(h) return nil }), } } // XxHashFromReaderHexEncoded calculates the xxHash for the given reader // and returns the hash as a hex encoded string. func XxHashFromReaderHexEncoded(r io.Reader) (string, error) { h := getXxHashReadFrom() defer putXxHashReadFrom(h) _, err := io.Copy(h, r) if err != nil { return "", err } hash := h.Sum(nil) return hex.EncodeToString(hash), nil } // XXHashFromString calculates the xxHash for the given string. func XXHashFromString(s string) (uint64, error) { h := xxhash.New() h.WriteString(s) return h.Sum64(), nil } // XxHashFromStringHexEncoded calculates the xxHash for the given string // and returns the hash as a hex encoded string. func XxHashFromStringHexEncoded(f string) string { h := xxhash.New() h.WriteString(f) hash := h.Sum(nil) return hex.EncodeToString(hash) } // MD5FromStringHexEncoded returns the MD5 hash of the given string. func MD5FromStringHexEncoded(f string) string { h := md5.New() h.Write([]byte(f)) return hex.EncodeToString(h.Sum(nil)) } // HashString returns a hash from the given elements. // It will panic if the hash cannot be calculated. // Note that this hash should be used primarily for identity, not for change detection as // it in the more complex values (e.g. Page) will not hash the full content. func HashString(vs ...any) string { hash := HashUint64(vs...) return strconv.FormatUint(hash, 10) } // HashStringHex returns a hash from the given elements as a hex encoded string. // See HashString for more information. func HashStringHex(vs ...any) string { hash := HashUint64(vs...) return strconv.FormatUint(hash, 16) } var hashOptsPool = sync.Pool{ New: func() any { return &hashstructure.HashOptions{ Hasher: xxhash.New(), } }, } func getHashOpts() *hashstructure.HashOptions { return hashOptsPool.Get().(*hashstructure.HashOptions) } func putHashOpts(opts *hashstructure.HashOptions) { opts.Hasher.Reset() hashOptsPool.Put(opts) } // HashUint64 returns a hash from the given elements. // It will panic if the hash cannot be calculated. // Note that this hash should be used primarily for identity, not for change detection as // it in the more complex values (e.g. Page) will not hash the full content. func HashUint64(vs ...any) uint64 { var o any if len(vs) == 1 { o = toHashable(vs[0]) } else { elements := make([]any, len(vs)) for i, e := range vs { elements[i] = toHashable(e) } o = elements } hash, err := Hash(o) if err != nil { panic(err) } return hash } // Hash returns a hash from vs. func Hash(vs ...any) (uint64, error) { hashOpts := getHashOpts() defer putHashOpts(hashOpts) var v any = vs if len(vs) == 1 { v = vs[0] } return hashstructure.Hash(v, hashOpts) } type keyer interface { Key() string } // For structs, hashstructure.Hash only works on the exported fields, // so rewrite the input slice for known identity types. func toHashable(v any) any { switch t := v.(type) { case keyer: return t.Key() case identity.IdentityProvider: return t.GetIdentity() default: return v } } type xxhashReadFrom struct { buff []byte *xxhash.Digest } func (x *xxhashReadFrom) ReadFrom(r io.Reader) (int64, error) { for { n, err := r.Read(x.buff) if n > 0 { x.Digest.Write(x.buff[:n]) } if err != nil { if err == io.EOF { err = nil } return int64(n), err } } } var xXhashReadFromPool = sync.Pool{ New: func() any { return &xxhashReadFrom{Digest: xxhash.New(), buff: make([]byte, 48*1024)} }, } func getXxHashReadFrom() *xxhashReadFrom { return xXhashReadFromPool.Get().(*xxhashReadFrom) } func putXxHashReadFrom(h *xxhashReadFrom) { h.Reset() xXhashReadFromPool.Put(h) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/text/position_test.go
common/text/position_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 text import ( "testing" qt "github.com/frankban/quicktest" ) func TestPositionStringFormatter(t *testing.T) { c := qt.New(t) pos := Position{Filename: "/my/file.txt", LineNumber: 12, ColumnNumber: 13, Offset: 14} c.Assert(createPositionStringFormatter(":file|:col|:line")(pos), qt.Equals, "/my/file.txt|13|12") c.Assert(createPositionStringFormatter(":col|:file|:line")(pos), qt.Equals, "13|/my/file.txt|12") c.Assert(createPositionStringFormatter("好::col")(pos), qt.Equals, "好:13") c.Assert(createPositionStringFormatter("")(pos), qt.Equals, "\"/my/file.txt:12:13\"") c.Assert(pos.String(), qt.Equals, "\"/my/file.txt:12:13\"") }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/text/transform_test.go
common/text/transform_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 text import ( "testing" qt "github.com/frankban/quicktest" ) func TestRemoveAccents(t *testing.T) { c := qt.New(t) c.Assert(string(RemoveAccents([]byte("Resumé"))), qt.Equals, "Resume") c.Assert(string(RemoveAccents([]byte("Hugo Rocks!"))), qt.Equals, "Hugo Rocks!") c.Assert(string(RemoveAccentsString("Resumé")), qt.Equals, "Resume") } func TestChomp(t *testing.T) { c := qt.New(t) c.Assert(Chomp("\nA\n"), qt.Equals, "\nA") c.Assert(Chomp("A\r\n"), qt.Equals, "A") } func TestPuts(t *testing.T) { c := qt.New(t) c.Assert(Puts("A"), qt.Equals, "A\n") c.Assert(Puts("\nA\n"), qt.Equals, "\nA\n") c.Assert(Puts(""), qt.Equals, "") } func TestVisitLinesAfter(t *testing.T) { const lines = `line 1 line 2 line 3` var collected []string VisitLinesAfter(lines, func(s string) { collected = append(collected, s) }) c := qt.New(t) c.Assert(collected, qt.DeepEquals, []string{"line 1\n", "line 2\n", "\n", "line 3"}) } func BenchmarkVisitLinesAfter(b *testing.B) { const lines = `line 1 line 2 line 3` for b.Loop() { VisitLinesAfter(lines, func(s string) { }) } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/text/transform.go
common/text/transform.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 text import ( "strings" "sync" "unicode" "golang.org/x/text/runes" "golang.org/x/text/transform" "golang.org/x/text/unicode/norm" ) var accentTransformerPool = &sync.Pool{ New: func() any { return transform.Chain(norm.NFD, runes.Remove(runes.In(unicode.Mn)), norm.NFC) }, } // RemoveAccents removes all accents from b. func RemoveAccents(b []byte) []byte { t := accentTransformerPool.Get().(transform.Transformer) b, _, _ = transform.Bytes(t, b) t.Reset() accentTransformerPool.Put(t) return b } // RemoveAccentsString removes all accents from s. func RemoveAccentsString(s string) string { t := accentTransformerPool.Get().(transform.Transformer) s, _, _ = transform.String(t, s) t.Reset() accentTransformerPool.Put(t) return s } // Chomp removes trailing newline characters from s. func Chomp(s string) string { return strings.TrimRightFunc(s, func(r rune) bool { return r == '\n' || r == '\r' }) } // Puts adds a trailing \n none found. func Puts(s string) string { if s == "" || s[len(s)-1] == '\n' { return s } return s + "\n" } // VisitLinesAfter calls the given function for each line, including newlines, in the given string. func VisitLinesAfter(s string, fn func(line string)) { high := strings.IndexRune(s, '\n') for high != -1 { fn(s[:high+1]) s = s[high+1:] high = strings.IndexRune(s, '\n') } if s != "" { fn(s) } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/text/position.go
common/text/position.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 text import ( "fmt" "os" "strings" "github.com/gohugoio/hugo/common/terminal" ) // Positioner represents a thing that knows its position in a text file or stream, // typically an error. type Positioner interface { // Position returns the current position. // Useful in error logging, e.g. {{ errorf "error in code block: %s" .Position }}. Position() Position } // Position holds a source position in a text file or stream. type Position struct { Filename string // filename, if any Offset int // byte offset, starting at 0. It's set to -1 if not provided. LineNumber int // line number, starting at 1 ColumnNumber int // column number, starting at 1 (character count per line) } func (pos Position) String() string { if pos.Filename == "" { pos.Filename = "<stream>" } return positionStringFormatfunc(pos) } // IsValid returns true if line number is > 0. func (pos Position) IsValid() bool { return pos.LineNumber > 0 } var positionStringFormatfunc func(p Position) string func createPositionStringFormatter(formatStr string) func(p Position) string { if formatStr == "" { formatStr = "\":file::line::col\"" } identifiers := []string{":file", ":line", ":col"} var identifiersFound []string for i := range formatStr { for _, id := range identifiers { if strings.HasPrefix(formatStr[i:], id) { identifiersFound = append(identifiersFound, id) } } } replacer := strings.NewReplacer(":file", "%s", ":line", "%d", ":col", "%d") format := replacer.Replace(formatStr) f := func(pos Position) string { args := make([]any, len(identifiersFound)) for i, id := range identifiersFound { switch id { case ":file": args[i] = pos.Filename case ":line": args[i] = pos.LineNumber case ":col": args[i] = pos.ColumnNumber } } msg := fmt.Sprintf(format, args...) if terminal.PrintANSIColors(os.Stdout) { return terminal.Notice(msg) } return msg } return f } func init() { positionStringFormatfunc = createPositionStringFormatter(os.Getenv("HUGO_FILE_LOG_FORMAT")) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hstore/scratch_test.go
common/hstore/scratch_test.go
// Copyright 2025 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 hstore import ( "reflect" "sync" "testing" qt "github.com/frankban/quicktest" ) func TestScratchAdd(t *testing.T) { t.Parallel() c := qt.New(t) scratch := NewScratch() scratch.Add("int1", 10) scratch.Add("int1", 20) scratch.Add("int2", 20) c.Assert(scratch.Get("int1"), qt.Equals, int64(30)) c.Assert(scratch.Get("int2"), qt.Equals, 20) scratch.Add("float1", float64(10.5)) scratch.Add("float1", float64(20.1)) c.Assert(scratch.Get("float1"), qt.Equals, float64(30.6)) scratch.Add("string1", "Hello ") scratch.Add("string1", "big ") scratch.Add("string1", "World!") c.Assert(scratch.Get("string1"), qt.Equals, "Hello big World!") scratch.Add("scratch", scratch) _, err := scratch.Add("scratch", scratch) m := scratch.Values() c.Assert(m, qt.HasLen, 5) if err == nil { t.Errorf("Expected error from invalid arithmetic") } } func TestScratchAddSlice(t *testing.T) { t.Parallel() c := qt.New(t) scratch := NewScratch() _, err := scratch.Add("intSlice", []int{1, 2}) c.Assert(err, qt.IsNil) _, err = scratch.Add("intSlice", 3) c.Assert(err, qt.IsNil) sl := scratch.Get("intSlice") expected := []int{1, 2, 3} if !reflect.DeepEqual(expected, sl) { t.Errorf("Slice difference, go %q expected %q", sl, expected) } _, err = scratch.Add("intSlice", []int{4, 5}) c.Assert(err, qt.IsNil) sl = scratch.Get("intSlice") expected = []int{1, 2, 3, 4, 5} if !reflect.DeepEqual(expected, sl) { t.Errorf("Slice difference, go %q expected %q", sl, expected) } } // https://github.com/gohugoio/hugo/issues/5275 func TestScratchAddTypedSliceToInterfaceSlice(t *testing.T) { t.Parallel() c := qt.New(t) scratch := NewScratch() scratch.Set("slice", []any{}) _, err := scratch.Add("slice", []int{1, 2}) c.Assert(err, qt.IsNil) c.Assert(scratch.Get("slice"), qt.DeepEquals, []int{1, 2}) } // https://github.com/gohugoio/hugo/issues/5361 func TestScratchAddDifferentTypedSliceToInterfaceSlice(t *testing.T) { t.Parallel() c := qt.New(t) scratch := NewScratch() scratch.Set("slice", []string{"foo"}) _, err := scratch.Add("slice", []int{1, 2}) c.Assert(err, qt.IsNil) c.Assert(scratch.Get("slice"), qt.DeepEquals, []any{"foo", 1, 2}) } func TestScratchSet(t *testing.T) { t.Parallel() c := qt.New(t) scratch := NewScratch() scratch.Set("key", "val") c.Assert(scratch.Get("key"), qt.Equals, "val") } func TestScratchDelete(t *testing.T) { t.Parallel() c := qt.New(t) scratch := NewScratch() scratch.Set("key", "val") scratch.Delete("key") scratch.Add("key", "Lucy Parsons") c.Assert(scratch.Get("key"), qt.Equals, "Lucy Parsons") } // Issue #2005 func TestScratchInParallel(t *testing.T) { var wg sync.WaitGroup scratch := NewScratch() key := "counter" scratch.Set(key, int64(1)) for i := 1; i <= 10; i++ { wg.Add(1) go func(j int) { for k := range 10 { newVal := int64(k + j) _, err := scratch.Add(key, newVal) if err != nil { t.Errorf("Got err %s", err) } scratch.Set(key, newVal) val := scratch.Get(key) if counter, ok := val.(int64); ok { if counter < 1 { t.Errorf("Got %d", counter) } } else { t.Errorf("Got %T", val) } } wg.Done() }(i) } wg.Wait() } func TestScratchGet(t *testing.T) { t.Parallel() scratch := NewScratch() nothing := scratch.Get("nothing") if nothing != nil { t.Errorf("Should not return anything, but got %v", nothing) } } func TestScratchSetInMap(t *testing.T) { t.Parallel() c := qt.New(t) scratch := NewScratch() scratch.SetInMap("key", "lux", "Lux") scratch.SetInMap("key", "abc", "Abc") scratch.SetInMap("key", "zyx", "Zyx") scratch.SetInMap("key", "abc", "Abc (updated)") scratch.SetInMap("key", "def", "Def") c.Assert(scratch.GetSortedMapValues("key"), qt.DeepEquals, any([]any{"Abc (updated)", "Def", "Lux", "Zyx"})) } func TestScratchDeleteInMap(t *testing.T) { t.Parallel() c := qt.New(t) scratch := NewScratch() scratch.SetInMap("key", "lux", "Lux") scratch.SetInMap("key", "abc", "Abc") scratch.SetInMap("key", "zyx", "Zyx") scratch.DeleteInMap("key", "abc") scratch.SetInMap("key", "def", "Def") scratch.DeleteInMap("key", "lmn") // Do nothing c.Assert(scratch.GetSortedMapValues("key"), qt.DeepEquals, any([]any{"Def", "Lux", "Zyx"})) } func TestScratchGetSortedMapValues(t *testing.T) { t.Parallel() scratch := NewScratch() nothing := scratch.GetSortedMapValues("nothing") if nothing != nil { t.Errorf("Should not return anything, but got %v", nothing) } } func BenchmarkScratchGet(b *testing.B) { scratch := NewScratch() scratch.Add("A", 1) for b.Loop() { scratch.Get("A") } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hstore/scratch.go
common/hstore/scratch.go
// Copyright 2025 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 hstore import ( "reflect" "sort" "sync" "github.com/gohugoio/hugo/common/collections" "github.com/gohugoio/hugo/common/math" ) type StoreProvider interface { // Store returns a Scratch that can be used to store temporary state. // Store is not reset on server rebuilds. Store() *Scratch } // Scratch is a writable context used for stateful build operations type Scratch struct { values map[string]any mu sync.RWMutex } // Add will, for single values, add (using the + operator) the addend to the existing addend (if found). // Supports numeric values and strings. // // If the first add for a key is an array or slice, then the next value(s) will be appended. func (c *Scratch) Add(key string, newAddend any) (string, error) { var newVal any c.mu.RLock() existingAddend, found := c.values[key] c.mu.RUnlock() if found { var err error addendV := reflect.TypeOf(existingAddend) if addendV.Kind() == reflect.Slice || addendV.Kind() == reflect.Array { newVal, err = collections.Append(existingAddend, newAddend) if err != nil { return "", err } } else { newVal, err = math.DoArithmetic(existingAddend, newAddend, '+') if err != nil { return "", err } } } else { newVal = newAddend } c.mu.Lock() c.values[key] = newVal c.mu.Unlock() return "", nil // have to return something to make it work with the Go templates } // Set stores a value with the given key in the Node context. // This value can later be retrieved with Get. func (c *Scratch) Set(key string, value any) string { c.mu.Lock() c.values[key] = value c.mu.Unlock() return "" } // Delete deletes the given key. func (c *Scratch) Delete(key string) string { c.mu.Lock() delete(c.values, key) c.mu.Unlock() return "" } // Get returns a value previously set by Add or Set. func (c *Scratch) Get(key string) any { c.mu.RLock() val := c.values[key] c.mu.RUnlock() return val } // Values returns the raw backing map. Note that you should just use // this method on the locally scoped Scratch instances you obtain via newScratch, not // .Page.Scratch etc., as that will lead to concurrency issues. func (c *Scratch) Values() map[string]any { c.mu.RLock() defer c.mu.RUnlock() return c.values } // SetInMap stores a value to a map with the given key in the Node context. // This map can later be retrieved with GetSortedMapValues. func (c *Scratch) SetInMap(key string, mapKey string, value any) string { c.mu.Lock() _, found := c.values[key] if !found { c.values[key] = make(map[string]any) } c.values[key].(map[string]any)[mapKey] = value c.mu.Unlock() return "" } // DeleteInMap deletes a value to a map with the given key in the Node context. func (c *Scratch) DeleteInMap(key string, mapKey string) string { c.mu.Lock() _, found := c.values[key] if found { delete(c.values[key].(map[string]any), mapKey) } c.mu.Unlock() return "" } // GetSortedMapValues returns a sorted map previously filled with SetInMap. func (c *Scratch) GetSortedMapValues(key string) any { c.mu.RLock() if c.values[key] == nil { c.mu.RUnlock() return nil } unsortedMap := c.values[key].(map[string]any) c.mu.RUnlock() var keys []string for mapKey := range unsortedMap { keys = append(keys, mapKey) } sort.Strings(keys) sortedArray := make([]any, len(unsortedMap)) for i, mapKey := range keys { sortedArray[i] = unsortedMap[mapKey] } return sortedArray } // NewScratch returns a new instance of Scratch. func NewScratch() *Scratch { return &Scratch{values: make(map[string]any)} }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hugo/vars_withdeploy.go
common/hugo/vars_withdeploy.go
// Copyright 2024 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. //go:build withdeploy package hugo var IsWithdeploy = true
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hugo/vars_extended.go
common/hugo/vars_extended.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. //go:build extended package hugo var IsExtended = true
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hugo/version_current.go
common/hugo/version_current.go
// Copyright 2025 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 "github.com/gohugoio/hugo/common/version" // CurrentVersion represents the current build version. // This should be the only one. var CurrentVersion = version.Version{ Major: 0, Minor: 155, PatchLevel: 0, Suffix: "-DEV", }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hugo/hugo.go
common/hugo/hugo.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 hugo import ( "context" "fmt" "html/template" "os" "path/filepath" "runtime/debug" "sort" "strings" "sync" "time" "github.com/bep/logg" "github.com/bep/godartsass/v2" "github.com/gohugoio/hugo/common/hexec" "github.com/gohugoio/hugo/common/hstore" "github.com/gohugoio/hugo/common/loggers" "github.com/gohugoio/hugo/common/version" "github.com/gohugoio/hugo/hugofs/files" "github.com/bep/helpers/contexthelpers" "github.com/spf13/afero" iofs "io/fs" "github.com/gohugoio/hugo/config" "github.com/gohugoio/hugo/hugofs" ) const ( EnvironmentDevelopment = "development" EnvironmentProduction = "production" ) var ( // buildDate allows vendor-specified build date when .git/ is unavailable. buildDate string // vendorInfo contains vendor notes about the current build. vendorInfo string ) var _ hstore.StoreProvider = (*HugoInfo)(nil) // HugoInfo contains information about the current Hugo environment type HugoInfo struct { CommitHash string BuildDate string // The build environment. // Defaults are "production" (hugo) and "development" (hugo server). // This can also be set by the user. // It can be any string, but it will be all lower case. Environment string // version of go that the Hugo binary was built with GoVersion string conf ConfigProvider deps []*Dependency store *hstore.Scratch // Context gives access to some of the context scoped variables. Context Context } // Version returns the current version as a comparable version string. func (i HugoInfo) Version() version.VersionString { return CurrentVersion.Version() } // Generator a Hugo meta generator HTML tag. func (i HugoInfo) Generator() template.HTML { return template.HTML(fmt.Sprintf(`<meta name="generator" content="Hugo %s">`, CurrentVersion.String())) } // IsDevelopment reports whether the current running environment is "development". func (i HugoInfo) IsDevelopment() bool { return i.Environment == EnvironmentDevelopment } // IsProduction reports whether the current running environment is "production". func (i HugoInfo) IsProduction() bool { return i.Environment == EnvironmentProduction } // IsServer reports whether the built-in server is running. func (i HugoInfo) IsServer() bool { return i.conf.Running() } // IsExtended reports whether the Hugo binary is the extended version. func (i HugoInfo) IsExtended() bool { return IsExtended } // WorkingDir returns the project working directory. func (i HugoInfo) WorkingDir() string { return i.conf.WorkingDir() } // Deps gets a list of dependencies for this Hugo build. func (i HugoInfo) Deps() []*Dependency { return i.deps } func (i HugoInfo) Store() *hstore.Scratch { return i.store } // Deprecated: Use hugo.IsMultihost instead. func (i HugoInfo) IsMultiHost() bool { Deprecate("hugo.IsMultiHost", "Use hugo.IsMultihost instead.", "v0.124.0") return i.conf.IsMultihost() } // IsMultihost reports whether each configured language has a unique baseURL. func (i HugoInfo) IsMultihost() bool { return i.conf.IsMultihost() } // IsMultilingual reports whether there are two or more configured languages. func (i HugoInfo) IsMultilingual() bool { return i.conf.IsMultilingual() } type contextKey uint8 const ( contextKeyMarkupScope contextKey = iota ) var markupScope = contexthelpers.NewContextDispatcher[string](contextKeyMarkupScope) type Context struct{} func (c Context) MarkupScope(ctx context.Context) string { return GetMarkupScope(ctx) } // SetMarkupScope sets the markup scope in the context. func SetMarkupScope(ctx context.Context, s string) context.Context { return markupScope.Set(ctx, s) } // GetMarkupScope gets the markup scope from the context. func GetMarkupScope(ctx context.Context) string { return markupScope.Get(ctx) } // ConfigProvider represents the config options that are relevant for HugoInfo. type ConfigProvider interface { Environment() string Running() bool WorkingDir() string IsMultihost() bool IsMultilingual() bool } // NewInfo creates a new Hugo Info object. func NewInfo(conf ConfigProvider, deps []*Dependency) HugoInfo { if conf.Environment() == "" { panic("environment not set") } var ( commitHash string buildDate string goVersion string ) bi := getBuildInfo() if bi != nil { commitHash = bi.Revision buildDate = bi.RevisionTime goVersion = bi.GoVersion } return HugoInfo{ CommitHash: commitHash, BuildDate: buildDate, Environment: conf.Environment(), conf: conf, deps: deps, store: hstore.NewScratch(), GoVersion: goVersion, } } // GetExecEnviron creates and gets the common os/exec environment used in the // external programs we interact with via os/exec, e.g. postcss. func GetExecEnviron(workDir string, cfg config.AllProvider, fs afero.Fs) []string { var env []string nodepath := filepath.Join(workDir, "node_modules") if np := os.Getenv("NODE_PATH"); np != "" { nodepath = workDir + string(os.PathListSeparator) + np } config.SetEnvVars(&env, "NODE_PATH", nodepath) config.SetEnvVars(&env, "PWD", workDir) config.SetEnvVars(&env, "HUGO_ENVIRONMENT", cfg.Environment()) config.SetEnvVars(&env, "HUGO_ENV", cfg.Environment()) config.SetEnvVars(&env, "HUGO_PUBLISHDIR", filepath.Join(workDir, cfg.BaseConfig().PublishDir)) if fs != nil { var fis []iofs.DirEntry d, err := fs.Open(files.FolderJSConfig) if err == nil { fis, err = d.(iofs.ReadDirFile).ReadDir(-1) } if err == nil { for _, fi := range fis { key := fmt.Sprintf("HUGO_FILE_%s", strings.ReplaceAll(strings.ToUpper(fi.Name()), ".", "_")) value := fi.(hugofs.FileMetaInfo).Meta().Filename config.SetEnvVars(&env, key, value) } } } return env } type buildInfo struct { VersionControlSystem string Revision string RevisionTime string Modified bool GoOS string GoArch string *debug.BuildInfo } var ( bInfo *buildInfo bInfoInit sync.Once ) func getBuildInfo() *buildInfo { bInfoInit.Do(func() { bi, ok := debug.ReadBuildInfo() if !ok { return } bInfo = &buildInfo{BuildInfo: bi} for _, s := range bInfo.Settings { switch s.Key { case "vcs": bInfo.VersionControlSystem = s.Value case "vcs.revision": bInfo.Revision = s.Value case "vcs.time": bInfo.RevisionTime = s.Value case "vcs.modified": bInfo.Modified = s.Value == "true" case "GOOS": bInfo.GoOS = s.Value case "GOARCH": bInfo.GoArch = s.Value } } }) return bInfo } func formatDep(path, version string) string { return fmt.Sprintf("%s=%q", path, version) } // GetDependencyList returns a sorted dependency list on the format package="version". // It includes both Go dependencies and (a manually maintained) list of C(++) dependencies. func GetDependencyList() []string { var deps []string bi := getBuildInfo() if bi == nil { return deps } for _, dep := range bi.Deps { deps = append(deps, formatDep(dep.Path, dep.Version)) } deps = append(deps, GetDependencyListNonGo()...) sort.Strings(deps) return deps } // GetDependencyListNonGo returns a list of non-Go dependencies. func GetDependencyListNonGo() []string { deps := []string{formatDep("github.com/webmproject/libwebp", "v1.6.0")} // via WASM. TODO(bep) get versions from the plugin setup. if IsExtended { deps = append( deps, formatDep("github.com/sass/libsass", "3.6.6"), ) } if dartSass := dartSassVersion(); dartSass.ProtocolVersion != "" { dartSassPath := "github.com/sass/dart-sass-embedded" if IsDartSassGeV2() { dartSassPath = "github.com/sass/dart-sass" } deps = append(deps, formatDep(dartSassPath+"/protocol", dartSass.ProtocolVersion), formatDep(dartSassPath+"/compiler", dartSass.CompilerVersion), formatDep(dartSassPath+"/implementation", dartSass.ImplementationVersion), ) } return deps } // IsRunningAsTest reports whether we are running as a test. func IsRunningAsTest() bool { for _, arg := range os.Args { if strings.HasPrefix(arg, "-test") { return true } } return false } // Dependency is a single dependency, which can be either a Hugo Module or a local theme. type Dependency struct { // Returns the path to this module. // This will either be the module path, e.g. "github.com/gohugoio/myshortcodes", // or the path below your /theme folder, e.g. "mytheme". Path string // The module version. Version string // Whether this dependency is vendored. Vendor bool // Time version was created. Time time.Time // In the dependency tree, this is the first module that defines this module // as a dependency. Owner *Dependency // Replaced by this dependency. Replace *Dependency } func dartSassVersion() godartsass.DartSassVersion { if DartSassBinaryName == "" || !IsDartSassGeV2() { return godartsass.DartSassVersion{} } v, _ := godartsass.Version(DartSassBinaryName) return v } // DartSassBinaryName is the name of the Dart Sass binary to use. // TODO(bep) find a better place for this. var DartSassBinaryName string func init() { DartSassBinaryName = os.Getenv("DART_SASS_BINARY") if DartSassBinaryName == "" { for _, name := range dartSassBinaryNamesV2 { if hexec.InPath(name) { DartSassBinaryName = name break } } if DartSassBinaryName == "" { if hexec.InPath(dartSassBinaryNameV1) { DartSassBinaryName = dartSassBinaryNameV1 } } } } var ( dartSassBinaryNameV1 = "dart-sass-embedded" dartSassBinaryNamesV2 = []string{"dart-sass", "sass"} ) // TODO(bep) we eventually want to remove this, but keep it for a while to throw an informative error. // We stopped supporting the old binary in Hugo 0.139.0. func IsDartSassGeV2() bool { // dart-sass-embedded was the first version of the embedded Dart Sass before it was moved into the main project. return !strings.Contains(DartSassBinaryName, "embedded") } // Deprecate informs about a deprecation starting at the given version. // // A deprecation typically needs a simple change in the template, but doing so will make the template incompatible with older versions. // Theme maintainers generally want // 1. No warnings or errors in the console when building a Hugo site. // 2. Their theme to work for at least the last few Hugo versions. func Deprecate(item, alternative string, version string) { level := deprecationLogLevelFromVersion(version) deprecateLevel(item, alternative, version, level) } // See Deprecate for details. func DeprecateWithLogger(item, alternative string, version string, log logg.Logger) { level := deprecationLogLevelFromVersion(version) deprecateLevelWithLogger(item, alternative, version, level, log) } // DeprecateLevelMin informs about a deprecation starting at the given version, but with a minimum log level. func DeprecateLevelMin(item, alternative string, version string, minLevel logg.Level) { level := max(deprecationLogLevelFromVersion(version), minLevel) deprecateLevel(item, alternative, version, level) } // deprecateLevel informs about a deprecation logging at the given level. func deprecateLevel(item, alternative, version string, level logg.Level) { deprecateLevelWithLogger(item, alternative, version, level, loggers.Log().Logger()) } // DeprecateLevel informs about a deprecation logging at the given level. func deprecateLevelWithLogger(item, alternative, version string, level logg.Level, log logg.Logger) { var msg string if level == logg.LevelError { msg = fmt.Sprintf("%s was deprecated in Hugo %s and subsequently removed. %s", item, version, alternative) } else { msg = fmt.Sprintf("%s was deprecated in Hugo %s and will be removed in a future release. %s", item, version, alternative) } log.WithLevel(level).WithField(loggers.FieldNameCmd, "deprecated").Logf("%s", msg) } // We usually do about one minor version a month. // We want people to run at least the current and previous version without any warnings. // We want people who don't update Hugo that often to see the warnings and errors before we remove the feature. func deprecationLogLevelFromVersion(ver string) logg.Level { from := version.MustParseVersion(ver) to := CurrentVersion minorDiff := to.Minor - from.Minor switch { case minorDiff >= 15: // Start failing the build after about 15 months. return logg.LevelError case minorDiff >= 3: // Start printing warnings after about 3 months. return logg.LevelWarn default: return logg.LevelInfo } } // BuildVersionString creates a version string. This is what you see when // running "hugo version". func BuildVersionString() string { // program := "Hugo Static Site Generator" program := "hugo" version := "v" + CurrentVersion.String() bi := getBuildInfo() if bi == nil { return version } if bi.Revision != "" { version += "-" + bi.Revision } if IsExtended { version += "+extended" } if IsWithdeploy { version += "+withdeploy" } osArch := bi.GoOS + "/" + bi.GoArch date := bi.RevisionTime if date == "" { // Accept vendor-specified build date if .git/ is unavailable. date = buildDate } if date == "" { date = "unknown" } versionString := fmt.Sprintf("%s %s %s BuildDate=%s", program, version, osArch, date) if vendorInfo != "" { versionString += " VendorInfo=" + vendorInfo } return versionString }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hugo/vars_withdeploy_off.go
common/hugo/vars_withdeploy_off.go
// Copyright 2024 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. //go:build !withdeploy package hugo var IsWithdeploy = false
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hugo/vars_regular.go
common/hugo/vars_regular.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. //go:build !extended package hugo var IsExtended = false
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hugo/hugo_test.go
common/hugo/hugo_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 hugo import ( "context" "fmt" "testing" "github.com/bep/logg" qt "github.com/frankban/quicktest" "github.com/gohugoio/hugo/common/version" ) func TestHugoInfo(t *testing.T) { c := qt.New(t) conf := testConfig{environment: "production", workingDir: "/mywork", running: false} hugoInfo := NewInfo(conf, nil) c.Assert(hugoInfo.Version(), qt.Equals, CurrentVersion.Version()) c.Assert(fmt.Sprintf("%T", version.VersionString("")), qt.Equals, fmt.Sprintf("%T", hugoInfo.Version())) c.Assert(hugoInfo.WorkingDir(), qt.Equals, "/mywork") bi := getBuildInfo() if bi != nil { c.Assert(hugoInfo.CommitHash, qt.Equals, bi.Revision) c.Assert(hugoInfo.BuildDate, qt.Equals, bi.RevisionTime) c.Assert(hugoInfo.GoVersion, qt.Equals, bi.GoVersion) } c.Assert(hugoInfo.Environment, qt.Equals, "production") c.Assert(string(hugoInfo.Generator()), qt.Contains, fmt.Sprintf("Hugo %s", hugoInfo.Version())) c.Assert(hugoInfo.IsDevelopment(), qt.Equals, false) c.Assert(hugoInfo.IsProduction(), qt.Equals, true) c.Assert(hugoInfo.IsExtended(), qt.Equals, IsExtended) c.Assert(hugoInfo.IsServer(), qt.Equals, false) devHugoInfo := NewInfo(testConfig{environment: "development", running: true}, nil) c.Assert(devHugoInfo.IsDevelopment(), qt.Equals, true) c.Assert(devHugoInfo.IsProduction(), qt.Equals, false) c.Assert(devHugoInfo.IsServer(), qt.Equals, true) } func TestDeprecationLogLevelFromVersion(t *testing.T) { c := qt.New(t) c.Assert(deprecationLogLevelFromVersion("0.55.0"), qt.Equals, logg.LevelError) ver := CurrentVersion c.Assert(deprecationLogLevelFromVersion(ver.String()), qt.Equals, logg.LevelInfo) ver.Minor -= 3 c.Assert(deprecationLogLevelFromVersion(ver.String()), qt.Equals, logg.LevelWarn) ver.Minor -= 4 c.Assert(deprecationLogLevelFromVersion(ver.String()), qt.Equals, logg.LevelWarn) ver.Minor -= 13 c.Assert(deprecationLogLevelFromVersion(ver.String()), qt.Equals, logg.LevelError) // Added just to find the threshold for where we can remove deprecated items. // Subtract 5 from the minor version of the first ERRORed version => 0.122.0. c.Assert(deprecationLogLevelFromVersion("0.127.0"), qt.Equals, logg.LevelError) } func TestMarkupScope(t *testing.T) { c := qt.New(t) conf := testConfig{environment: "production", workingDir: "/mywork", running: false} info := NewInfo(conf, nil) ctx := context.Background() ctx = SetMarkupScope(ctx, "foo") c.Assert(info.Context.MarkupScope(ctx), qt.Equals, "foo") } type testConfig struct { environment string running bool workingDir string multihost bool multilingual bool } func (c testConfig) Environment() string { return c.environment } func (c testConfig) Running() bool { return c.running } func (c testConfig) WorkingDir() string { return c.workingDir } func (c testConfig) IsMultihost() bool { return c.multihost } func (c testConfig) IsMultilingual() bool { return c.multilingual }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/hugo/hugo_integration_test.go
common/hugo/hugo_integration_test.go
// Copyright 2024 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_test import ( "strings" "testing" "github.com/gohugoio/hugo/hugolib" ) func TestIsMultilingualAndIsMultihost(t *testing.T) { t.Parallel() files := ` -- hugo.toml -- disableKinds = ['page','rss','section','sitemap','taxonomy','term'] defaultContentLanguageInSubdir = true [languages.de] baseURL = 'https://de.example.org/' [languages.en] baseURL = 'https://en.example.org/' -- content/_index.md -- --- title: home --- -- layouts/home.html -- multilingual={{ hugo.IsMultilingual }} multihost={{ hugo.IsMultihost }} ` b := hugolib.Test(t, files) b.AssertFileContent("public/de/index.html", "multilingual=true", "multihost=true", ) b.AssertFileContent("public/en/index.html", "multilingual=true", "multihost=true", ) files = strings.ReplaceAll(files, "baseURL = 'https://de.example.org/'", "") files = strings.ReplaceAll(files, "baseURL = 'https://en.example.org/'", "") b = hugolib.Test(t, files) b.AssertFileContent("public/de/index.html", "multilingual=true", "multihost=false", ) b.AssertFileContent("public/en/index.html", "multilingual=true", "multihost=false", ) files = strings.ReplaceAll(files, "[languages.de]", "") files = strings.ReplaceAll(files, "[languages.en]", "") b = hugolib.Test(t, files) b.AssertFileContent("public/en/index.html", "multilingual=false", "multihost=false", ) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/para/para.go
common/para/para.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 para implements parallel execution helpers. package para import ( "context" "golang.org/x/sync/errgroup" ) // Workers configures a task executor with the most number of tasks to be executed in parallel. type Workers struct { sem chan struct{} } // Runner wraps the lifecycle methods of a new task set. // // Run will block until a worker is available or the context is cancelled, // and then run the given func in a new goroutine. // Wait will wait for all the running goroutines to finish. type Runner interface { Run(func() error) Wait() error } type errGroupRunner struct { *errgroup.Group w *Workers ctx context.Context } func (g *errGroupRunner) Run(fn func() error) { select { case g.w.sem <- struct{}{}: case <-g.ctx.Done(): return } g.Go(func() error { err := fn() <-g.w.sem return err }) } // New creates a new Workers with the given number of workers. func New(numWorkers int) *Workers { return &Workers{ sem: make(chan struct{}, numWorkers), } } // Start starts a new Runner. func (w *Workers) Start(ctx context.Context) (Runner, context.Context) { g, ctx := errgroup.WithContext(ctx) return &errGroupRunner{ Group: g, ctx: ctx, w: w, }, ctx }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/para/para_test.go
common/para/para_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 para import ( "context" "runtime" "sort" "sync" "sync/atomic" "testing" "time" "github.com/gohugoio/hugo/htesting" qt "github.com/frankban/quicktest" ) func TestPara(t *testing.T) { if runtime.NumCPU() < 4 { t.Skipf("skip para test, CPU count is %d", runtime.NumCPU()) } // TODO(bep) if htesting.IsCI() { t.Skip("skip para test when running on CI") } c := qt.New(t) c.Run("Order", func(c *qt.C) { n := 500 ints := make([]int, n) for i := range n { ints[i] = i } p := New(4) r, _ := p.Start(context.Background()) var result []int var mu sync.Mutex for i := range n { r.Run(func() error { mu.Lock() defer mu.Unlock() result = append(result, i) return nil }) } c.Assert(r.Wait(), qt.IsNil) c.Assert(result, qt.HasLen, len(ints)) c.Assert(sort.IntsAreSorted(result), qt.Equals, false, qt.Commentf("Para does not seem to be parallel")) sort.Ints(result) c.Assert(result, qt.DeepEquals, ints) }) c.Run("Time", func(c *qt.C) { const n = 100 p := New(5) r, _ := p.Start(context.Background()) start := time.Now() var counter int64 for range n { r.Run(func() error { atomic.AddInt64(&counter, 1) time.Sleep(1 * time.Millisecond) return nil }) } c.Assert(r.Wait(), qt.IsNil) c.Assert(counter, qt.Equals, int64(n)) since := time.Since(start) limit := n / 2 * time.Millisecond c.Assert(since < limit, qt.Equals, true, qt.Commentf("%s >= %s", since, limit)) }) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/urls/ref.go
common/urls/ref.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 urls // RefLinker is implemented by those who support reference linking. // args must contain a path, but can also point to the target // language or output format. type RefLinker interface { Ref(args map[string]any) (string, error) RelRef(args map[string]any) (string, error) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/urls/baseURL.go
common/urls/baseURL.go
// Copyright 2024 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 urls import ( "fmt" "net/url" "strconv" "strings" ) // A BaseURL in Hugo is normally on the form scheme://path, but the // form scheme: is also valid (mailto:hugo@rules.com). type BaseURL struct { url *url.URL WithPath string WithPathNoTrailingSlash string WithoutPath string BasePath string BasePathNoTrailingSlash string } func (b BaseURL) String() string { return b.WithPath } func (b BaseURL) Path() string { return b.url.Path } func (b BaseURL) Port() int { p, _ := strconv.Atoi(b.url.Port()) return p } // HostURL returns the URL to the host root without any path elements. func (b BaseURL) HostURL() string { return strings.TrimSuffix(b.String(), b.Path()) } // WithProtocol returns the BaseURL prefixed with the given protocol. // The Protocol is normally of the form "scheme://", i.e. "webcal://". func (b BaseURL) WithProtocol(protocol string) (BaseURL, error) { u := b.URL() scheme := protocol isFullProtocol := strings.HasSuffix(scheme, "://") isOpaqueProtocol := strings.HasSuffix(scheme, ":") if isFullProtocol { scheme = strings.TrimSuffix(scheme, "://") } else if isOpaqueProtocol { scheme = strings.TrimSuffix(scheme, ":") } u.Scheme = scheme if isFullProtocol && u.Opaque != "" { u.Opaque = "//" + u.Opaque } else if isOpaqueProtocol && u.Opaque == "" { return BaseURL{}, fmt.Errorf("cannot determine BaseURL for protocol %q", protocol) } return newBaseURLFromURL(u) } func (b BaseURL) WithPort(port int) (BaseURL, error) { u := b.URL() u.Host = u.Hostname() + ":" + strconv.Itoa(port) return newBaseURLFromURL(u) } // URL returns a copy of the internal URL. // The copy can be safely used and modified. func (b BaseURL) URL() *url.URL { c := *b.url return &c } func NewBaseURLFromString(b string) (BaseURL, error) { u, err := url.Parse(b) if err != nil { return BaseURL{}, err } return newBaseURLFromURL(u) } func newBaseURLFromURL(u *url.URL) (BaseURL, error) { // A baseURL should always have a trailing slash, see #11669. if !strings.HasSuffix(u.Path, "/") { u.Path += "/" } baseURL := BaseURL{url: u, WithPath: u.String(), WithPathNoTrailingSlash: strings.TrimSuffix(u.String(), "/")} baseURLNoPath := baseURL.URL() baseURLNoPath.Path = "" baseURL.WithoutPath = baseURLNoPath.String() baseURL.BasePath = u.Path baseURL.BasePathNoTrailingSlash = strings.TrimSuffix(u.Path, "/") return baseURL, nil }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/urls/baseURL_test.go
common/urls/baseURL_test.go
// Copyright 2024 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 urls import ( "testing" qt "github.com/frankban/quicktest" ) func TestBaseURL(t *testing.T) { c := qt.New(t) b, err := NewBaseURLFromString("http://example.com/") c.Assert(err, qt.IsNil) c.Assert(b.String(), qt.Equals, "http://example.com/") b, err = NewBaseURLFromString("http://example.com") c.Assert(err, qt.IsNil) c.Assert(b.String(), qt.Equals, "http://example.com/") c.Assert(b.WithPathNoTrailingSlash, qt.Equals, "http://example.com") c.Assert(b.BasePath, qt.Equals, "/") p, err := b.WithProtocol("webcal://") c.Assert(err, qt.IsNil) c.Assert(p.String(), qt.Equals, "webcal://example.com/") p, err = b.WithProtocol("webcal") c.Assert(err, qt.IsNil) c.Assert(p.String(), qt.Equals, "webcal://example.com/") _, err = b.WithProtocol("mailto:") c.Assert(err, qt.Not(qt.IsNil)) b, err = NewBaseURLFromString("mailto:hugo@rules.com") c.Assert(err, qt.IsNil) c.Assert(b.String(), qt.Equals, "mailto:hugo@rules.com") // These are pretty constructed p, err = b.WithProtocol("webcal") c.Assert(err, qt.IsNil) c.Assert(p.String(), qt.Equals, "webcal:hugo@rules.com") p, err = b.WithProtocol("webcal://") c.Assert(err, qt.IsNil) c.Assert(p.String(), qt.Equals, "webcal://hugo@rules.com") // Test with "non-URLs". Some people will try to use these as a way to get // relative URLs working etc. b, err = NewBaseURLFromString("/") c.Assert(err, qt.IsNil) c.Assert(b.String(), qt.Equals, "/") b, err = NewBaseURLFromString("") c.Assert(err, qt.IsNil) c.Assert(b.String(), qt.Equals, "/") // BaseURL with sub path b, err = NewBaseURLFromString("http://example.com/sub") c.Assert(err, qt.IsNil) c.Assert(b.String(), qt.Equals, "http://example.com/sub/") c.Assert(b.WithPathNoTrailingSlash, qt.Equals, "http://example.com/sub") c.Assert(b.BasePath, qt.Equals, "/sub/") c.Assert(b.BasePathNoTrailingSlash, qt.Equals, "/sub") b, err = NewBaseURLFromString("http://example.com/sub/") c.Assert(err, qt.IsNil) c.Assert(b.String(), qt.Equals, "http://example.com/sub/") c.Assert(b.HostURL(), qt.Equals, "http://example.com") }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/constants/constants.go
common/constants/constants.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 constants // Error/Warning IDs. // Do not change these values. const ( // IDs for remote errors in tpl/data. ErrRemoteGetJSON = "error-remote-getjson" ErrRemoteGetCSV = "error-remote-getcsv" WarnFrontMatterParamsOverrides = "warning-frontmatter-params-overrides" WarnRenderShortcodesInHTML = "warning-rendershortcodes-in-html" WarnGoldmarkRawHTML = "warning-goldmark-raw-html" WarnPartialSuperfluousPrefix = "warning-partial-superfluous-prefix" WarnHomePageIsLeafBundle = "warning-home-page-is-leaf-bundle" ) // Field/method names with special meaning. const ( FieldRelPermalink = "RelPermalink" FieldPermalink = "Permalink" ) // IsFieldRelOrPermalink returns whether the given name is a RelPermalink or Permalink. func IsFieldRelOrPermalink(name string) bool { return name == FieldRelPermalink || name == FieldPermalink } // Resource transformations. const ( ResourceTransformationFingerprint = "fingerprint" ) // IsResourceTransformationPermalinkHash returns whether the given name is a resource transformation that changes the permalink based on the content. func IsResourceTransformationPermalinkHash(name string) bool { return name == ResourceTransformationFingerprint }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/loggers/loggerglobal.go
common/loggers/loggerglobal.go
// Copyright 2024 The Hugo Authors. All rights reserved. // Some functions in this file (see comments) is based on the Go source code, // copyright The Go Authors and governed by a BSD-style license. // // 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 loggers import ( "sync" "github.com/bep/logg" ) // SetGlobalLogger sets the global logger. // This is used in a few places in Hugo, e.g. deprecated functions. func SetGlobalLogger(logger Logger) { logMu.Lock() defer logMu.Unlock() log = logger } func initGlobalLogger(level logg.Level, panicOnWarnings bool) { logMu.Lock() defer logMu.Unlock() var logHookLast func(e *logg.Entry) error if panicOnWarnings { logHookLast = PanicOnWarningHook } log = New( Options{ Level: level, DistinctLevel: logg.LevelInfo, HandlerPost: logHookLast, }, ) } var logMu sync.Mutex func Log() Logger { logMu.Lock() defer logMu.Unlock() return log } // The global logger. var log Logger func init() { initGlobalLogger(logg.LevelWarn, false) }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/loggers/logger_test.go
common/loggers/logger_test.go
// Copyright 2024 The Hugo Authors. All rights reserved. // Some functions in this file (see comments) is based on the Go source code, // copyright The Go Authors and governed by a BSD-style license. // // 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 loggers_test import ( "io" "strings" "testing" "github.com/bep/logg" qt "github.com/frankban/quicktest" "github.com/gohugoio/hugo/common/loggers" ) func TestLogDistinct(t *testing.T) { c := qt.New(t) opts := loggers.Options{ DistinctLevel: logg.LevelWarn, StoreErrors: true, StdOut: io.Discard, StdErr: io.Discard, } l := loggers.New(opts) for range 10 { l.Errorln("error 1") l.Errorln("error 2") l.Warnln("warn 1") } c.Assert(strings.Count(l.Errors(), "error 1"), qt.Equals, 1) c.Assert(l.LoggCount(logg.LevelError), qt.Equals, 2) c.Assert(l.LoggCount(logg.LevelWarn), qt.Equals, 1) } func TestHookLast(t *testing.T) { c := qt.New(t) opts := loggers.Options{ HandlerPost: func(e *logg.Entry) error { panic(e.Message) }, StdOut: io.Discard, StdErr: io.Discard, } l := loggers.New(opts) c.Assert(func() { l.Warnln("warn 1") }, qt.PanicMatches, "warn 1") } func TestOptionStoreErrors(t *testing.T) { c := qt.New(t) var sb strings.Builder opts := loggers.Options{ StoreErrors: true, StdErr: &sb, StdOut: &sb, } l := loggers.New(opts) l.Errorln("error 1") l.Errorln("error 2") errorsStr := l.Errors() c.Assert(errorsStr, qt.Contains, "error 1") c.Assert(errorsStr, qt.Not(qt.Contains), "ERROR") c.Assert(sb.String(), qt.Contains, "error 1") c.Assert(sb.String(), qt.Contains, "ERROR") } func TestLogCount(t *testing.T) { c := qt.New(t) opts := loggers.Options{ StoreErrors: true, } l := loggers.New(opts) l.Errorln("error 1") l.Errorln("error 2") l.Warnln("warn 1") c.Assert(l.LoggCount(logg.LevelError), qt.Equals, 2) c.Assert(l.LoggCount(logg.LevelWarn), qt.Equals, 1) c.Assert(l.LoggCount(logg.LevelInfo), qt.Equals, 0) } func TestSuppressStatements(t *testing.T) { c := qt.New(t) opts := loggers.Options{ StoreErrors: true, SuppressStatements: map[string]bool{ "error-1": true, }, } l := loggers.New(opts) l.Error().WithField(loggers.FieldNameStatementID, "error-1").Logf("error 1") l.Errorln("error 2") errorsStr := l.Errors() c.Assert(errorsStr, qt.Not(qt.Contains), "error 1") c.Assert(errorsStr, qt.Contains, "error 2") c.Assert(l.LoggCount(logg.LevelError), qt.Equals, 1) } func TestReset(t *testing.T) { c := qt.New(t) opts := loggers.Options{ StoreErrors: true, DistinctLevel: logg.LevelWarn, StdOut: io.Discard, StdErr: io.Discard, } l := loggers.New(opts) for range 3 { l.Errorln("error 1") l.Errorln("error 2") l.Errorln("error 1") c.Assert(l.LoggCount(logg.LevelError), qt.Equals, 2) l.Reset() errorsStr := l.Errors() c.Assert(errorsStr, qt.Equals, "") c.Assert(l.LoggCount(logg.LevelError), qt.Equals, 0) } }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/loggers/handlerterminal.go
common/loggers/handlerterminal.go
// Copyright 2024 The Hugo Authors. All rights reserved. // Some functions in this file (see comments) is based on the Go source code, // copyright The Go Authors and governed by a BSD-style license. // // 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 loggers import ( "fmt" "io" "regexp" "strings" "sync" "github.com/bep/logg" ) // newNoAnsiEscapeHandler creates a new noAnsiEscapeHandler func newNoAnsiEscapeHandler(outWriter, errWriter io.Writer, noLevelPrefix bool, predicate func(*logg.Entry) bool) *noAnsiEscapeHandler { if predicate == nil { predicate = func(e *logg.Entry) bool { return true } } return &noAnsiEscapeHandler{ noLevelPrefix: noLevelPrefix, outWriter: outWriter, errWriter: errWriter, predicate: predicate, } } type noAnsiEscapeHandler struct { mu sync.Mutex outWriter io.Writer errWriter io.Writer predicate func(*logg.Entry) bool noLevelPrefix bool } func (h *noAnsiEscapeHandler) HandleLog(e *logg.Entry) error { if !h.predicate(e) { return nil } h.mu.Lock() defer h.mu.Unlock() var w io.Writer if e.Level > logg.LevelInfo { w = h.errWriter } else { w = h.outWriter } var prefix string for _, field := range e.Fields { if field.Name == FieldNameCmd { prefix = fmt.Sprint(field.Value) break } } if prefix != "" { prefix = prefix + ": " } msg := stripANSI(e.Message) if h.noLevelPrefix { fmt.Fprintf(w, "%s%s", prefix, msg) } else { fmt.Fprintf(w, "%s %s%s", levelString[e.Level], prefix, msg) } for _, field := range e.Fields { if strings.HasPrefix(field.Name, reservedFieldNamePrefix) { continue } fmt.Fprintf(w, " %s %v", field.Name, field.Value) } fmt.Fprintln(w) return nil } var ansiRe = regexp.MustCompile(`\x1b\[[0-9;]*m`) // stripANSI removes ANSI escape codes from s. func stripANSI(s string) string { return ansiRe.ReplaceAllString(s, "") }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/loggers/handlerterminal_test.go
common/loggers/handlerterminal_test.go
// Copyright 2024 The Hugo Authors. All rights reserved. // Some functions in this file (see comments) is based on the Go source code, // copyright The Go Authors and governed by a BSD-style license. // // 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 loggers import ( "bytes" "testing" "github.com/bep/logg" qt "github.com/frankban/quicktest" "github.com/gohugoio/hugo/common/terminal" ) func TestNoAnsiEscapeHandler(t *testing.T) { c := qt.New(t) test := func(s string) { c.Assert(stripANSI(terminal.Notice(s)), qt.Equals, s) } test(`error in "file.md:1:2"`) var buf bytes.Buffer h := newNoAnsiEscapeHandler(&buf, &buf, false, nil) h.HandleLog(&logg.Entry{Message: terminal.Notice(`error in "file.md:1:2"`), Level: logg.LevelInfo}) c.Assert(buf.String(), qt.Equals, "INFO error in \"file.md:1:2\"\n") }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/loggers/handlerdefault.go
common/loggers/handlerdefault.go
// Copyright 2024 The Hugo Authors. All rights reserved. // Some functions in this file (see comments) is based on the Go source code, // copyright The Go Authors and governed by a BSD-style license. // // 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 loggers contains some basic logging setup. package loggers import ( "fmt" "io" "strings" "sync" "github.com/bep/logg" "github.com/fatih/color" ) // levelColor mapping. var levelColor = [...]*color.Color{ logg.LevelTrace: color.New(color.FgWhite), logg.LevelDebug: color.New(color.FgWhite), logg.LevelInfo: color.New(color.FgBlue), logg.LevelWarn: color.New(color.FgYellow), logg.LevelError: color.New(color.FgRed), } // levelString mapping. var levelString = [...]string{ logg.LevelTrace: "TRACE", logg.LevelDebug: "DEBUG", logg.LevelInfo: "INFO ", logg.LevelWarn: "WARN ", logg.LevelError: "ERROR", } // newDefaultHandler handler. func newDefaultHandler(outWriter, errWriter io.Writer) logg.Handler { return &defaultHandler{ outWriter: outWriter, errWriter: errWriter, Padding: 0, } } // Default Handler implementation. // Based on https://github.com/apex/log/blob/master/handlers/cli/cli.go type defaultHandler struct { mu sync.Mutex outWriter io.Writer // Defaults to os.Stdout. errWriter io.Writer // Defaults to os.Stderr. Padding int } // HandleLog implements logg.Handler. func (h *defaultHandler) HandleLog(e *logg.Entry) error { color := levelColor[e.Level] level := levelString[e.Level] h.mu.Lock() defer h.mu.Unlock() var w io.Writer if e.Level > logg.LevelInfo { w = h.errWriter } else { w = h.outWriter } var prefix string for _, field := range e.Fields { if field.Name == FieldNameCmd { prefix = fmt.Sprint(field.Value) break } } if prefix != "" { prefix = prefix + ": " } color.Fprintf(w, "%s %s%s", fmt.Sprintf("%*s", h.Padding+1, level), color.Sprint(prefix), e.Message) for _, field := range e.Fields { if strings.HasPrefix(field.Name, reservedFieldNamePrefix) { continue } fmt.Fprintf(w, " %s %v", color.Sprint(field.Name), field.Value) } fmt.Fprintln(w) return nil }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false
gohugoio/hugo
https://github.com/gohugoio/hugo/blob/5ea3e13db6e436904ee8154bba77af8247b7e534/common/loggers/logger.go
common/loggers/logger.go
// Copyright 2024 The Hugo Authors. All rights reserved. // Some functions in this file (see comments) is based on the Go source code, // copyright The Go Authors and governed by a BSD-style license. // // 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 loggers import ( "fmt" "io" "os" "strings" "time" "github.com/bep/logg" "github.com/bep/logg/handlers/multi" "github.com/gohugoio/hugo/common/terminal" ) var ( reservedFieldNamePrefix = "__h_field_" // FieldNameCmd is the name of the field that holds the command name. FieldNameCmd = reservedFieldNamePrefix + "_cmd" // Used to suppress statements. FieldNameStatementID = reservedFieldNamePrefix + "__h_field_statement_id" ) // Options defines options for the logger. type Options struct { Level logg.Level StdOut io.Writer StdErr io.Writer DistinctLevel logg.Level StoreErrors bool HandlerPost func(e *logg.Entry) error SuppressStatements map[string]bool } // New creates a new logger with the given options. func New(opts Options) Logger { if opts.StdOut == nil { opts.StdOut = os.Stdout } if opts.StdErr == nil { opts.StdErr = os.Stderr } if opts.Level == 0 { opts.Level = logg.LevelWarn } var logHandler logg.Handler if terminal.PrintANSIColors(os.Stderr) { logHandler = newDefaultHandler(opts.StdErr, opts.StdErr) } else { logHandler = newNoAnsiEscapeHandler(opts.StdErr, opts.StdErr, false, nil) } errorsw := &strings.Builder{} logCounters := newLogLevelCounter() handlers := []logg.Handler{ logCounters, } if opts.Level == logg.LevelTrace { // Trace is used during development only, and it's useful to // only see the trace messages. handlers = append(handlers, logg.HandlerFunc(func(e *logg.Entry) error { if e.Level != logg.LevelTrace { return logg.ErrStopLogEntry } return nil }), ) } handlers = append(handlers, whiteSpaceTrimmer(), logHandler) if opts.HandlerPost != nil { var hookHandler logg.HandlerFunc = func(e *logg.Entry) error { opts.HandlerPost(e) return nil } handlers = append(handlers, hookHandler) } if opts.StoreErrors { h := newNoAnsiEscapeHandler(io.Discard, errorsw, true, func(e *logg.Entry) bool { return e.Level >= logg.LevelError }) handlers = append(handlers, h) } logHandler = multi.New(handlers...) var logOnce *logOnceHandler if opts.DistinctLevel != 0 { logOnce = newLogOnceHandler(opts.DistinctLevel) logHandler = newStopHandler(logOnce, logHandler) } if len(opts.SuppressStatements) > 0 { logHandler = newStopHandler(newSuppressStatementsHandler(opts.SuppressStatements), logHandler) } logger := logg.New( logg.Options{ Level: opts.Level, Handler: logHandler, }, ) l := logger.WithLevel(opts.Level) reset := func() { logCounters.mu.Lock() defer logCounters.mu.Unlock() logCounters.counters = make(map[logg.Level]int) errorsw.Reset() if logOnce != nil { logOnce.reset() } } return &logAdapter{ logCounters: logCounters, errors: errorsw, reset: reset, stdOut: opts.StdOut, stdErr: opts.StdErr, level: opts.Level, logger: logger, tracel: l.WithLevel(logg.LevelTrace), debugl: l.WithLevel(logg.LevelDebug), infol: l.WithLevel(logg.LevelInfo), warnl: l.WithLevel(logg.LevelWarn), errorl: l.WithLevel(logg.LevelError), } } // NewDefault creates a new logger with the default options. func NewDefault() Logger { opts := Options{ DistinctLevel: logg.LevelWarn, Level: logg.LevelWarn, } return New(opts) } func NewTrace() Logger { opts := Options{ DistinctLevel: logg.LevelWarn, Level: logg.LevelTrace, } return New(opts) } func LevelLoggerToWriter(l logg.LevelLogger) io.Writer { return logWriter{l: l} } type Logger interface { Debug() logg.LevelLogger Debugf(format string, v ...any) Debugln(v ...any) Error() logg.LevelLogger Errorf(format string, v ...any) Erroridf(id, format string, v ...any) Errorln(v ...any) Errors() string Info() logg.LevelLogger InfoCommand(command string) logg.LevelLogger Infof(format string, v ...any) Infoln(v ...any) Level() logg.Level LoggCount(logg.Level) int Logger() logg.Logger StdOut() io.Writer StdErr() io.Writer Printf(format string, v ...any) Println(v ...any) PrintTimerIfDelayed(start time.Time, name string) Reset() Warn() logg.LevelLogger WarnCommand(command string) logg.LevelLogger Warnf(format string, v ...any) Warnidf(id, format string, v ...any) Warnln(v ...any) Deprecatef(fail bool, format string, v ...any) Trace(s logg.StringFunc) } type logAdapter struct { logCounters *logLevelCounter errors *strings.Builder reset func() stdOut io.Writer stdErr io.Writer level logg.Level logger logg.Logger tracel logg.LevelLogger debugl logg.LevelLogger infol logg.LevelLogger warnl logg.LevelLogger errorl logg.LevelLogger } func (l *logAdapter) Debug() logg.LevelLogger { return l.debugl } func (l *logAdapter) Debugf(format string, v ...any) { l.debugl.Logf(format, v...) } func (l *logAdapter) Debugln(v ...any) { l.debugl.Logf(l.sprint(v...)) } func (l *logAdapter) Info() logg.LevelLogger { return l.infol } func (l *logAdapter) InfoCommand(command string) logg.LevelLogger { return l.infol.WithField(FieldNameCmd, command) } func (l *logAdapter) Infof(format string, v ...any) { l.infol.Logf(format, v...) } func (l *logAdapter) Infoln(v ...any) { l.infol.Logf(l.sprint(v...)) } func (l *logAdapter) Level() logg.Level { return l.level } func (l *logAdapter) LoggCount(level logg.Level) int { l.logCounters.mu.RLock() defer l.logCounters.mu.RUnlock() return l.logCounters.counters[level] } func (l *logAdapter) Logger() logg.Logger { return l.logger } func (l *logAdapter) StdOut() io.Writer { return l.stdOut } func (l *logAdapter) StdErr() io.Writer { return l.stdErr } // PrintTimerIfDelayed prints a time statement to the FEEDBACK logger // if considerable time is spent. func (l *logAdapter) PrintTimerIfDelayed(start time.Time, name string) { elapsed := time.Since(start) milli := int(1000 * elapsed.Seconds()) if milli < 500 { return } fmt.Fprintf(l.stdErr, "%s in %v ms", name, milli) } func (l *logAdapter) Printf(format string, v ...any) { // Add trailing newline if not present. if !strings.HasSuffix(format, "\n") { format += "\n" } fmt.Fprintf(l.stdOut, format, v...) } func (l *logAdapter) Println(v ...any) { fmt.Fprintln(l.stdOut, v...) } func (l *logAdapter) Reset() { l.reset() } func (l *logAdapter) Warn() logg.LevelLogger { return l.warnl } func (l *logAdapter) Warnf(format string, v ...any) { l.warnl.Logf(format, v...) } func (l *logAdapter) WarnCommand(command string) logg.LevelLogger { return l.warnl.WithField(FieldNameCmd, command) } func (l *logAdapter) Warnln(v ...any) { l.warnl.Logf(l.sprint(v...)) } func (l *logAdapter) Error() logg.LevelLogger { return l.errorl } func (l *logAdapter) Errorf(format string, v ...any) { l.errorl.Logf(format, v...) } func (l *logAdapter) Errorln(v ...any) { l.errorl.Logf(l.sprint(v...)) } func (l *logAdapter) Errors() string { return l.errors.String() } func (l *logAdapter) Erroridf(id, format string, v ...any) { id = strings.ToLower(id) format += l.idfInfoStatement("error", id, format) l.errorl.WithField(FieldNameStatementID, id).Logf(format, v...) } func (l *logAdapter) Warnidf(id, format string, v ...any) { id = strings.ToLower(id) format += l.idfInfoStatement("warning", id, format) l.warnl.WithField(FieldNameStatementID, id).Logf(format, v...) } func (l *logAdapter) idfInfoStatement(what, id, format string) string { return fmt.Sprintf("\nYou can suppress this %s by adding the following to your site configuration:\nignoreLogs = ['%s']", what, id) } func (l *logAdapter) Trace(s logg.StringFunc) { l.tracel.Log(s) } func (l *logAdapter) sprint(v ...any) string { return strings.TrimRight(fmt.Sprintln(v...), "\n") } func (l *logAdapter) Deprecatef(fail bool, format string, v ...any) { format = "DEPRECATED: " + format if fail { l.errorl.Logf(format, v...) } else { l.warnl.Logf(format, v...) } } type logWriter struct { l logg.LevelLogger } func (w logWriter) Write(p []byte) (n int, err error) { w.l.Log(logg.String(string(p))) return len(p), nil } func TimeTrackf(l logg.LevelLogger, start time.Time, fields logg.Fields, format string, a ...any) { elapsed := time.Since(start) if fields != nil { l = l.WithFields(fields) } l.WithField("duration", elapsed).Logf(format, a...) } func TimeTrackfn(fn func() (logg.LevelLogger, error)) error { start := time.Now() l, err := fn() elapsed := time.Since(start) l.WithField("duration", elapsed).Logf("") return err }
go
Apache-2.0
5ea3e13db6e436904ee8154bba77af8247b7e534
2026-01-07T08:35:43.452707Z
false