• Home
  • Features
  • Pricing
  • Docs
  • Announcements
  • Sign In

mendersoftware / mender-server / 1979462190

12 Aug 2025 09:25AM UTC coverage: 65.751% (+0.3%) from 65.495%
1979462190

Pull #856

gitlab-ci

alfrunes
test(workflows): Clean up compose file command override

The command override was a workaround for a test that no longer exists.

Signed-off-by: Alf-Rune Siqveland <alf.rune@northern.tech>
Pull Request #856: fix(workflows): move inventory to end of decommission workflow

29256 of 44495 relevant lines covered (65.75%)

1.45 hits per line

Source File
Press 'n' to go to next uncovered line, 'b' for previous

0.0
/backend/pkg/rate/limit_http.go
1
package rate
2

3
import (
4
        "bytes"
5
        "context"
6
        "encoding/json"
7
        "errors"
8
        "fmt"
9
        "math"
10
        "net/http"
11
        "strconv"
12
        "text/template"
13
        "time"
14

15
        "github.com/gin-gonic/gin"
16

17
        "github.com/mendersoftware/mender-server/pkg/identity"
18
        "github.com/mendersoftware/mender-server/pkg/requestid"
19
        "github.com/mendersoftware/mender-server/pkg/rest.utils"
20
)
21

22
// TooManyRequestsError is the error type returned when hitting the rate
23
// limits.
24
type TooManyRequestsError struct {
25
        Delay time.Duration
26
}
27

28
func (err *TooManyRequestsError) Error() string {
×
29
        return "too many requests"
×
30
}
×
31

32
type templateEventLimiter struct {
33
        limiter       EventLimiter
34
        eventTemplate *template.Template
35
}
36

37
// HTTPLimiter combines a set of EventLimiter (groups) and a http.ServeMux
38
// for routing API endpoints to a EventLimiter.
39
//
40
// Every EventLimiter comes with an eventTemplate for grouping events by
41
// a Go template expression. The data to the Go template can be customized by
42
// calling WithTemplateDataFunc and WithTemplateFuncs.
43
//
44
// Additional routes are added by calling MatchHTTPPattern which accepts a HTTP
45
// pattern and a target group which also accepts Go template expressions.
46
//
47
// The HTTPLimiter implements both the standard http.Handler and
48
// gin.HandlerFunc (see (*HTTPLimiter).MiddlewareGin) for use with either the
49
// standard library or as a middleware for the gin-gonic framework.
50
type HTTPLimiter struct {
51
        // rootTemplate stores the root Template that is inherited by all
52
        // template string parameters (event and group strings).
53
        rootTemplate *template.Template
54
        // templateDataCallback is a callback that is called before executing
55
        // template strings and should output the template data used.
56
        //
57
        // See defaultTemplateData.
58
        templateDataCallback func(r *http.Request) any
59

60
        // httpMux implements the request router to a ratelimiter match instance
61
        httpMux *http.ServeMux
62

63
        // limiterGroups maps the group name to rate limiters.
64
        limiterGroups map[string]*templateEventLimiter
65

66
        // rewriteRequests decides whether to autmatically rewrite the request
67
        // URL using X-Forwarded-* headers.
68
        rewriteRequests bool
69

70
        // fallbackReservation is the reservation returned when no rules
71
        // matches. It is either returning a constant OK Reservation (default)
72
        // or Reject all requests if WithRejectUnmatched is set.
73
        fallbackReservation Reservation
74
}
75

76
// defaultTemplateData is the default callback for executing template strings.
77
func defaultTemplateData(r *http.Request) any {
×
78
        id := identity.FromContext(r.Context())
×
79
        ctx := map[string]any{
×
80
                "Identity": id,
×
81
                // "Request":  r, // not needed, but could be handy
×
82
        }
×
83
        return ctx
×
84
}
×
85

86
// NewHTTPLimiter initializes an empty HTTPLimiter.
87
// The limiter is built by calling AddRateLimitGroup and AddMatchExpression.
88
func NewHTTPLimiter() *HTTPLimiter {
×
89
        return &HTTPLimiter{
×
90
                rootTemplate:         template.New("").Option("missingkey=zero"),
×
91
                httpMux:              http.NewServeMux(),
×
92
                templateDataCallback: defaultTemplateData,
×
93
                limiterGroups:        make(map[string]*templateEventLimiter),
×
94
                fallbackReservation:  okReservation{},
×
95
        }
×
96
}
×
97

98
func (h *HTTPLimiter) WithTemplateDataFunc(f func(*http.Request) any) *HTTPLimiter {
×
99
        h.templateDataCallback = f
×
100
        return h
×
101
}
×
102

103
func (h *HTTPLimiter) WithTemplateFuncs(funcs map[string]any) *HTTPLimiter {
×
104
        h.rootTemplate.Funcs(funcs)
×
105
        return h
×
106
}
×
107

108
func (h *HTTPLimiter) WithRewriteRequests(rewrite bool) *HTTPLimiter {
×
109
        h.rewriteRequests = rewrite
×
110
        return h
×
111
}
×
112

113
func (h *HTTPLimiter) WithRejectUnmatched() *HTTPLimiter {
×
114
        h.fallbackReservation = rejectReservation{}
×
115
        return h
×
116
}
×
117

118
func (h *HTTPLimiter) AddRateLimitGroup(limiter EventLimiter, group, eventTemplate string) error {
×
119
        t, err := h.rootTemplate.Clone()
×
120
        if err == nil {
×
121
                _, err = t.Parse(eventTemplate)
×
122
        }
×
123
        if err != nil {
×
124
                return fmt.Errorf("failed to compile event template: %w", err)
×
125
        }
×
126
        h.limiterGroups[group] = &templateEventLimiter{
×
127
                limiter:       limiter,
×
128
                eventTemplate: t,
×
129
        }
×
130
        return nil
×
131
}
132

133
// AddMatchExpression creates a new route using pattern to apply the
134
// rate limiter that is matched by groupTemplate Go Template.
135
func (h *HTTPLimiter) AddMatchExpression(
136
        pattern, groupTemplate string,
137
) error {
×
138
        var (
×
139
                t   *template.Template
×
140
                err error
×
141
        )
×
142
        // Compile eventTemplate:
×
143
        t, err = h.rootTemplate.Clone()
×
144
        if err == nil {
×
145
                _, err = t.Parse(groupTemplate)
×
146
        }
×
147
        if err != nil {
×
148
                return fmt.Errorf("error parsing group_template: %w", err)
×
149
        }
×
150
        limiterMatcher := matcher{
×
151
                HTTPLimiter:   h,
×
152
                groupTemplate: t,
×
153
        }
×
154
        h.httpMux.Handle(pattern, limiterMatcher)
×
155
        return nil
×
156
}
157

158
// matcher is the HTTPHandle
159
type matcher struct {
160
        *HTTPLimiter
161
        groupTemplate *template.Template
162
}
163

164
func (h *HTTPLimiter) handleRequest(r *http.Request) error {
×
165
        if h.rewriteRequests {
×
166
                r = rest.RewriteForwardedRequest(r)
×
167
        }
×
168
        res, err := h.Reserve(r)
×
169
        if err != nil {
×
170
                return err
×
171
        }
×
172
        if res == nil || res.OK() {
×
173
                return nil
×
174
        } else {
×
175
                return &TooManyRequestsError{
×
176
                        Delay: res.Delay(),
×
177
                }
×
178
        }
×
179
}
180

181
func handleError(ctx context.Context, w http.ResponseWriter, err error) {
×
182
        var tooManyRequests *TooManyRequestsError
×
183
        status := http.StatusInternalServerError
×
184
        hdr := w.Header()
×
185
        hdr.Set("Content-Type", "application/json")
×
186
        if errors.As(err, &tooManyRequests) {
×
187
                status = http.StatusTooManyRequests
×
188
                retryAfter := int64(math.Ceil(tooManyRequests.Delay.Abs().Seconds()))
×
189
                hdr.Set("Retry-After", strconv.FormatInt(retryAfter, 10))
×
190
        }
×
191
        w.WriteHeader(status)
×
192
        b, _ := json.Marshal(rest.Error{
×
193
                Err:       err.Error(),
×
194
                RequestID: requestid.FromContext(ctx),
×
195
        })
×
196
        _, _ = w.Write(b)
×
197
}
198

199
// ServeHTTP implements a basic http.Handler so that handler can be used
200
// as a handler for the mux. It will only write on errors and is expected
201
// to continue to the actual handler on success.
202
func (h *HTTPLimiter) ServeHTTP(w http.ResponseWriter, r *http.Request) {
×
203
        err := h.handleRequest(r)
×
204
        if err != nil {
×
205
                handleError(r.Context(), w, err)
×
206
        }
×
207
}
208

209
// MiddlewareGin implements rate limiting as a middleware for gin-gonic
210
// web framework.
211
func (h *HTTPLimiter) MiddlewareGin(c *gin.Context) {
×
212
        err := h.handleRequest(c.Request)
×
213
        if err != nil {
×
214
                _ = c.Error(err)
×
215
                handleError(c.Request.Context(), c.Writer, err)
×
216
                c.Abort()
×
217
        }
×
218
}
219

220
type okReservation struct{}
221

222
func (k okReservation) OK() bool             { return true }
×
223
func (k okReservation) Delay() time.Duration { return 0 }
×
224
func (k okReservation) Tokens() int64        { return math.MaxInt64 }
×
225

226
type rejectReservation struct{}
227

228
func (k rejectReservation) OK() bool             { return false }
×
229
func (k rejectReservation) Delay() time.Duration { return math.MaxInt64 }
×
230
func (k rejectReservation) Tokens() int64        { return -1 }
×
231

232
func (m *HTTPLimiter) Reserve(r *http.Request) (Reservation, error) {
×
233
        var b bytes.Buffer
×
234
        var eventLimiter *templateEventLimiter
×
235
        templateData := m.templateDataCallback(r)
×
236
        ctx := r.Context()
×
237
        h, _ := m.httpMux.Handler(r)
×
238
        hh, ok := h.(matcher)
×
239
        if ok && hh.groupTemplate != nil {
×
240
                err := hh.groupTemplate.Execute(&b, templateData)
×
241
                if err != nil {
×
242
                        return nil, fmt.Errorf("error executing ratelimit group template: %w", err)
×
243
                }
×
244
                eventLimiter = m.limiterGroups[b.String()]
×
245
                if eventLimiter == nil {
×
246
                        return m.fallbackReservation, nil
×
247
                }
×
248
                b.Reset()
×
249
        } else {
×
250
                return m.fallbackReservation, nil
×
251
        }
×
252
        err := eventLimiter.eventTemplate.Execute(&b, templateData)
×
253
        if err != nil {
×
254
                return nil, fmt.Errorf("error executing template for event ID: %w", err)
×
255
        }
×
256
        return eventLimiter.limiter.ReserveEvent(ctx, b.String())
×
257
}
STATUS · Troubleshooting · Open an Issue · Sales · Support · CAREERS · ENTERPRISE · START FREE · SCHEDULE DEMO
ANNOUNCEMENTS · TWITTER · TOS & SLA · Supported CI Services · What's a CI service? · Automated Testing

© 2025 Coveralls, Inc