Skip to content

Commit 7f0f50b

Browse files
committed
Make cascade front matter order deterministic
Fixes #12594
1 parent 77a8e34 commit 7f0f50b

File tree

10 files changed

+318
-48
lines changed

10 files changed

+318
-48
lines changed

‎common/hashing/hashing.go

+12-4
Original file line numberDiff line numberDiff line change
@@ -123,16 +123,24 @@ func HashUint64(vs ...any) uint64 {
123123
o = elements
124124
}
125125

126-
hashOpts := getHashOpts()
127-
defer putHashOpts(hashOpts)
128-
129-
hash, err := hashstructure.Hash(o, hashOpts)
126+
hash, err := Hash(o)
130127
if err != nil {
131128
panic(err)
132129
}
133130
return hash
134131
}
135132

133+
// Hash returns a hash from vs.
134+
func Hash(vs ...any) (uint64, error) {
135+
hashOpts := getHashOpts()
136+
defer putHashOpts(hashOpts)
137+
var v any = vs
138+
if len(vs) == 1 {
139+
v = vs[0]
140+
}
141+
return hashstructure.Hash(v, hashOpts)
142+
}
143+
136144
type keyer interface {
137145
Key() string
138146
}

‎common/maps/ordered.go

+133
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,133 @@
1+
// Copyright 2024 The Hugo Authors. All rights reserved.
2+
//
3+
// Licensed under the Apache License, Version 2.0 (the "License");
4+
// you may not use this file except in compliance with the License.
5+
// You may obtain a copy of the License at
6+
// http://www.apache.org/licenses/LICENSE-2.0
7+
//
8+
// Unless required by applicable law or agreed to in writing, software
9+
// distributed under the License is distributed on an "AS IS" BASIS,
10+
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
11+
// See the License for the specific language governing permissions and
12+
// limitations under the License.
13+
14+
package maps
15+
16+
import (
17+
"github.com/gohugoio/hugo/common/hashing"
18+
)
19+
20+
// Ordered is a map that can be iterated in the order of insertion.
21+
// Note that insertion order is not affected if a key is re-inserted into the map.
22+
// In a nil map, all operations are no-ops.
23+
// This is not thread safe.
24+
type Ordered[K comparable, T any] struct {
25+
// The keys in the order they were added.
26+
keys []K
27+
// The values.
28+
values map[K]T
29+
}
30+
31+
// NewOrdered creates a new Ordered map.
32+
func NewOrdered[K comparable, T any]() *Ordered[K, T] {
33+
return &Ordered[K, T]{values: make(map[K]T)}
34+
}
35+
36+
// Set sets the value for the given key.
37+
// Note that insertion order is not affected if a key is re-inserted into the map.
38+
func (m *Ordered[K, T]) Set(key K, value T) {
39+
if m == nil {
40+
return
41+
}
42+
// Check if key already exists.
43+
if _, found := m.values[key]; !found {
44+
m.keys = append(m.keys, key)
45+
}
46+
m.values[key] = value
47+
}
48+
49+
// Get gets the value for the given key.
50+
func (m *Ordered[K, T]) Get(key K) (T, bool) {
51+
if m == nil {
52+
var v T
53+
return v, false
54+
}
55+
value, found := m.values[key]
56+
return value, found
57+
}
58+
59+
// Delete deletes the value for the given key.
60+
func (m *Ordered[K, T]) Delete(key K) {
61+
if m == nil {
62+
return
63+
}
64+
delete(m.values, key)
65+
for i, k := range m.keys {
66+
if k == key {
67+
m.keys = append(m.keys[:i], m.keys[i+1:]...)
68+
break
69+
}
70+
}
71+
}
72+
73+
// Clone creates a shallow copy of the map.
74+
func (m *Ordered[K, T]) Clone() *Ordered[K, T] {
75+
if m == nil {
76+
return nil
77+
}
78+
clone := NewOrdered[K, T]()
79+
for _, k := range m.keys {
80+
clone.Set(k, m.values[k])
81+
}
82+
return clone
83+
}
84+
85+
// Keys returns the keys in the order they were added.
86+
func (m *Ordered[K, T]) Keys() []K {
87+
if m == nil {
88+
return nil
89+
}
90+
return m.keys
91+
}
92+
93+
// Values returns the values in the order they were added.
94+
func (m *Ordered[K, T]) Values() []T {
95+
if m == nil {
96+
return nil
97+
}
98+
var values []T
99+
for _, k := range m.keys {
100+
values = append(values, m.values[k])
101+
}
102+
return values
103+
}
104+
105+
// Len returns the number of items in the map.
106+
func (m *Ordered[K, T]) Len() int {
107+
if m == nil {
108+
return 0
109+
}
110+
return len(m.keys)
111+
}
112+
113+
// Range calls f sequentially for each key and value present in the map.
114+
// If f returns false, range stops the iteration.
115+
// TODO(bep) replace with iter.Seq2 when we bump go Go 1.24.
116+
func (m *Ordered[K, T]) Range(f func(key K, value T) bool) {
117+
if m == nil {
118+
return
119+
}
120+
for _, k := range m.keys {
121+
if !f(k, m.values[k]) {
122+
return
123+
}
124+
}
125+
}
126+
127+
// Hash calculates a hash from the values.
128+
func (m *Ordered[K, T]) Hash() (uint64, error) {
129+
if m == nil {
130+
return 0, nil
131+
}
132+
return hashing.Hash(m.values)
133+
}

‎common/maps/ordered_test.go

+99
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,99 @@
1+
// Copyright 2024 The Hugo Authors. All rights reserved.
2+
//
3+
// Licensed under the Apache License, Version 2.0 (the "License");
4+
// you may not use this file except in compliance with the License.
5+
// You may obtain a copy of the License at
6+
// http://www.apache.org/licenses/LICENSE-2.0
7+
//
8+
// Unless required by applicable law or agreed to in writing, software
9+
// distributed under the License is distributed on an "AS IS" BASIS,
10+
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
11+
// See the License for the specific language governing permissions and
12+
// limitations under the License.
13+
14+
package maps
15+
16+
import (
17+
"testing"
18+
19+
qt "github.com/frankban/quicktest"
20+
)
21+
22+
func TestOrdered(t *testing.T) {
23+
c := qt.New(t)
24+
25+
m := NewOrdered[string, int]()
26+
m.Set("a", 1)
27+
m.Set("b", 2)
28+
m.Set("c", 3)
29+
30+
c.Assert(m.Keys(), qt.DeepEquals, []string{"a", "b", "c"})
31+
c.Assert(m.Values(), qt.DeepEquals, []int{1, 2, 3})
32+
33+
v, found := m.Get("b")
34+
c.Assert(found, qt.Equals, true)
35+
c.Assert(v, qt.Equals, 2)
36+
37+
m.Set("b", 22)
38+
c.Assert(m.Keys(), qt.DeepEquals, []string{"a", "b", "c"})
39+
c.Assert(m.Values(), qt.DeepEquals, []int{1, 22, 3})
40+
41+
m.Delete("b")
42+
43+
c.Assert(m.Keys(), qt.DeepEquals, []string{"a", "c"})
44+
c.Assert(m.Values(), qt.DeepEquals, []int{1, 3})
45+
}
46+
47+
func TestOrderedHash(t *testing.T) {
48+
c := qt.New(t)
49+
50+
m := NewOrdered[string, int]()
51+
m.Set("a", 1)
52+
m.Set("b", 2)
53+
m.Set("c", 3)
54+
55+
h1, err := m.Hash()
56+
c.Assert(err, qt.IsNil)
57+
58+
m.Set("d", 4)
59+
60+
h2, err := m.Hash()
61+
c.Assert(err, qt.IsNil)
62+
63+
c.Assert(h1, qt.Not(qt.Equals), h2)
64+
65+
m = NewOrdered[string, int]()
66+
m.Set("b", 2)
67+
m.Set("a", 1)
68+
m.Set("c", 3)
69+
70+
h3, err := m.Hash()
71+
c.Assert(err, qt.IsNil)
72+
// Order does not matter.
73+
c.Assert(h1, qt.Equals, h3)
74+
}
75+
76+
func TestOrderedNil(t *testing.T) {
77+
c := qt.New(t)
78+
79+
var m *Ordered[string, int]
80+
81+
m.Set("a", 1)
82+
c.Assert(m.Keys(), qt.IsNil)
83+
c.Assert(m.Values(), qt.IsNil)
84+
v, found := m.Get("a")
85+
c.Assert(found, qt.Equals, false)
86+
c.Assert(v, qt.Equals, 0)
87+
m.Delete("a")
88+
var b bool
89+
m.Range(func(k string, v int) bool {
90+
b = true
91+
return true
92+
})
93+
c.Assert(b, qt.Equals, false)
94+
c.Assert(m.Len(), qt.Equals, 0)
95+
c.Assert(m.Clone(), qt.IsNil)
96+
h, err := m.Hash()
97+
c.Assert(err, qt.IsNil)
98+
c.Assert(h, qt.Equals, uint64(0))
99+
}

‎config/allconfig/allconfig.go

+4-3
Original file line numberDiff line numberDiff line change
@@ -143,7 +143,7 @@ type Config struct {
143143

144144
// The cascade configuration section contains the top level front matter cascade configuration options,
145145
// a slice of page matcher and params to apply to those pages.
146-
Cascade *config.ConfigNamespace[[]page.PageMatcherParamsConfig, map[page.PageMatcher]maps.Params] `mapstructure:"-"`
146+
Cascade *config.ConfigNamespace[[]page.PageMatcherParamsConfig, *maps.Ordered[page.PageMatcher, maps.Params]] `mapstructure:"-"`
147147

148148
// The segments defines segments for the site. Used for partial/segmented builds.
149149
Segments *config.ConfigNamespace[map[string]segments.SegmentConfig, segments.Segments] `mapstructure:"-"`
@@ -766,9 +766,10 @@ type Configs struct {
766766
}
767767

768768
func (c *Configs) Validate(logger loggers.Logger) error {
769-
for p := range c.Base.Cascade.Config {
769+
c.Base.Cascade.Config.Range(func(p page.PageMatcher, params maps.Params) bool {
770770
page.CheckCascadePattern(logger, p)
771-
}
771+
return true
772+
})
772773
return nil
773774
}
774775

‎hugolib/cascade_test.go

+35
Original file line numberDiff line numberDiff line change
@@ -841,3 +841,38 @@ title: p1
841841
b.AssertFileExists("public/s1/index.html", false)
842842
b.AssertFileExists("public/s1/p1/index.html", false)
843843
}
844+
845+
// Issue 12594.
846+
func TestCascadeOrder(t *testing.T) {
847+
t.Parallel()
848+
849+
files := `
850+
-- hugo.toml --
851+
disableKinds = ['rss','sitemap','taxonomy','term', 'home']
852+
-- content/_index.md --
853+
---
854+
title: Home
855+
cascade:
856+
- _target:
857+
path: "**"
858+
params:
859+
background: yosemite.jpg
860+
- _target:
861+
params:
862+
background: goldenbridge.jpg
863+
---
864+
-- content/p1.md --
865+
---
866+
title: p1
867+
---
868+
-- layouts/_default/single.html --
869+
Background: {{ .Params.background }}|
870+
-- layouts/_default/list.html --
871+
{{ .Title }}|
872+
`
873+
874+
for i := 0; i < 10; i++ {
875+
b := Test(t, files)
876+
b.AssertFileContent("public/p1/index.html", "Background: yosemite.jpg")
877+
}
878+
}

‎hugolib/content_map_page.go

+6-6
Original file line numberDiff line numberDiff line change
@@ -1387,7 +1387,7 @@ func (sa *sitePagesAssembler) applyAggregates() error {
13871387
}
13881388

13891389
// Handle cascades first to get any default dates set.
1390-
var cascade map[page.PageMatcher]maps.Params
1390+
var cascade *maps.Ordered[page.PageMatcher, maps.Params]
13911391
if keyPage == "" {
13921392
// Home page gets it's cascade from the site config.
13931393
cascade = sa.conf.Cascade.Config
@@ -1399,7 +1399,7 @@ func (sa *sitePagesAssembler) applyAggregates() error {
13991399
} else {
14001400
_, data := pw.WalkContext.Data().LongestPrefix(keyPage)
14011401
if data != nil {
1402-
cascade = data.(map[page.PageMatcher]maps.Params)
1402+
cascade = data.(*maps.Ordered[page.PageMatcher, maps.Params])
14031403
}
14041404
}
14051405

@@ -1481,11 +1481,11 @@ func (sa *sitePagesAssembler) applyAggregates() error {
14811481
pageResource := rs.r.(*pageState)
14821482
relPath := pageResource.m.pathInfo.BaseRel(pageBundle.m.pathInfo)
14831483
pageResource.m.resourcePath = relPath
1484-
var cascade map[page.PageMatcher]maps.Params
1484+
var cascade *maps.Ordered[page.PageMatcher, maps.Params]
14851485
// Apply cascade (if set) to the page.
14861486
_, data := pw.WalkContext.Data().LongestPrefix(resourceKey)
14871487
if data != nil {
1488-
cascade = data.(map[page.PageMatcher]maps.Params)
1488+
cascade = data.(*maps.Ordered[page.PageMatcher, maps.Params])
14891489
}
14901490
if err := pageResource.setMetaPost(cascade); err != nil {
14911491
return false, err
@@ -1549,10 +1549,10 @@ func (sa *sitePagesAssembler) applyAggregatesToTaxonomiesAndTerms() error {
15491549
const eventName = "dates"
15501550

15511551
if p.Kind() == kinds.KindTerm {
1552-
var cascade map[page.PageMatcher]maps.Params
1552+
var cascade *maps.Ordered[page.PageMatcher, maps.Params]
15531553
_, data := pw.WalkContext.Data().LongestPrefix(s)
15541554
if data != nil {
1555-
cascade = data.(map[page.PageMatcher]maps.Params)
1555+
cascade = data.(*maps.Ordered[page.PageMatcher, maps.Params])
15561556
}
15571557
if err := p.setMetaPost(cascade); err != nil {
15581558
return false, err

0 commit comments

Comments
 (0)