-
Notifications
You must be signed in to change notification settings - Fork 18
/
cache.go
611 lines (499 loc) · 15.2 KB
/
cache.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
package httpcache
import (
"bytes"
"context"
"crypto/sha1"
"encoding/json"
"fmt"
"hash/crc32"
"io"
"math"
"net/http"
"net/url"
"strconv"
"strings"
"sync"
"time"
"github.com/caddyserver/caddy/v2"
"github.com/pquerna/cachecontrol/cacheobject"
"github.com/sillygod/cdp-cache/backends"
"github.com/sillygod/cdp-cache/extends/distributed"
)
// Module lifecycle
// 1. Loaded (the Unmarshaler?)
// 2. Provisioned and validated
// 3. used
// 4. cleaned up
var (
entries []map[string][]*Entry
entriesLock []*sync.RWMutex
l sync.RWMutex
keyBufPool = sync.Pool{
New: func() interface{} {
return new(bytes.Buffer)
},
}
)
// intend to mock for test
var now = func() time.Time { return time.Now().UTC() }
// RuleMatcherType specifies the type of matching rule to cache.
type RuleMatcherType string
// the following list the different way to decide the request
// whether is matched or not to be cached it's response.
const (
MatcherTypePath RuleMatcherType = "path"
MatcherTypeHeader RuleMatcherType = "header"
)
// RuleMatcherRawWithType stores the marshal content for unmarshalling in provision stage
type RuleMatcherRawWithType struct {
Type RuleMatcherType
Data json.RawMessage
}
// RuleMatcher determines whether the request should be cached or not.
type RuleMatcher interface {
matches(*http.Request, int, http.Header) bool
}
// PathRuleMatcher determines whether the request's path is matched.
type PathRuleMatcher struct {
Path string `json:"path"`
}
func (p *PathRuleMatcher) matches(req *http.Request, statusCode int, resHeaders http.Header) bool {
return strings.HasPrefix(req.URL.Path, p.Path)
}
// HeaderRuleMatcher determines whether the request's header is matched.
type HeaderRuleMatcher struct {
Header string `json:"header"`
Value []string `json:"value"`
}
func (h *HeaderRuleMatcher) matches(req *http.Request, statusCode int, resHeaders http.Header) bool {
headerValues := resHeaders.Get(h.Header)
for _, value := range h.Value {
if value == headerValues {
return true
}
}
return false
}
func expirationObject(obj *cacheobject.Object, rv *cacheobject.ObjectResults) {
/**
* Okay, lets calculate Freshness/Expiration now. woo:
* http://tools.ietf.org/html/rfc7234#section-4.2
*/
/*
o If the cache is shared and the s-maxage response directive
(Section 5.2.2.9) is present, use its value, or
o If the max-age response directive (Section 5.2.2.8) is present,
use its value, or
o If the Expires response header field (Section 5.3) is present, use
its value minus the value of the Date response header field, or
o Otherwise, no explicit expiration time is present in the response.
A heuristic freshness lifetime might be applicable; see
Section 4.2.2.
*/
var expiresTime time.Time
if obj.RespDirectives.SMaxAge != -1 && !obj.CacheIsPrivate {
expiresTime = obj.NowUTC.Add(time.Second * time.Duration(obj.RespDirectives.SMaxAge))
} else if obj.RespDirectives.MaxAge != -1 {
expiresTime = obj.NowUTC.UTC().Add(time.Second * time.Duration(obj.RespDirectives.MaxAge))
} else if !obj.RespExpiresHeader.IsZero() {
serverDate := obj.RespDateHeader
if serverDate.IsZero() {
// common enough case when a Date: header has not yet been added to an
// active response.
serverDate = obj.NowUTC
}
expiresTime = obj.NowUTC.Add(obj.RespExpiresHeader.Sub(serverDate))
} else {
expiresTime = obj.NowUTC
}
rv.OutExpirationTime = expiresTime
}
func judgeResponseShouldCacheOrNot(req *http.Request,
statusCode int,
respHeaders http.Header,
privateCache bool) ([]cacheobject.Reason, time.Time, []cacheobject.Warning, *cacheobject.Object, error) {
var reqHeaders http.Header
var reqMethod string
var reqDir *cacheobject.RequestCacheDirectives
respDir, err := cacheobject.ParseResponseCacheControl(respHeaders.Get("Cache-Control"))
if err != nil {
return nil, time.Time{}, nil, nil, err
}
if req != nil {
reqDir, err = cacheobject.ParseRequestCacheControl(req.Header.Get("Cache-Control"))
if err != nil {
return nil, time.Time{}, nil, nil, err
}
reqHeaders = req.Header
reqMethod = req.Method
}
var expiresHeader time.Time
var dateHeader time.Time
var lastModifiedHeader time.Time
if respHeaders.Get("Expires") != "" {
expiresHeader, err = http.ParseTime(respHeaders.Get("Expires"))
if err != nil {
// sometimes servers will return `Expires: 0` or `Expires: -1` to
// indicate expired content
expiresHeader = time.Time{}
}
expiresHeader = expiresHeader.UTC()
}
if respHeaders.Get("Date") != "" {
dateHeader, err = http.ParseTime(respHeaders.Get("Date"))
if err != nil {
return nil, time.Time{}, nil, nil, err
}
dateHeader = dateHeader.UTC()
}
if respHeaders.Get("Last-Modified") != "" {
lastModifiedHeader, err = http.ParseTime(respHeaders.Get("Last-Modified"))
if err != nil {
return nil, time.Time{}, nil, nil, err
}
lastModifiedHeader = lastModifiedHeader.UTC()
}
obj := cacheobject.Object{
CacheIsPrivate: privateCache,
RespDirectives: respDir,
RespHeaders: respHeaders,
RespStatusCode: statusCode,
RespExpiresHeader: expiresHeader,
RespDateHeader: dateHeader,
RespLastModifiedHeader: lastModifiedHeader,
ReqDirectives: reqDir,
ReqHeaders: reqHeaders,
ReqMethod: reqMethod,
NowUTC: now(),
}
rv := cacheobject.ObjectResults{}
cacheobject.CachableObject(&obj, &rv)
if rv.OutErr != nil {
return nil, time.Time{}, nil, nil, rv.OutErr
}
expirationObject(&obj, &rv)
if rv.OutErr != nil {
return nil, time.Time{}, nil, nil, rv.OutErr
}
return rv.OutReasons, rv.OutExpirationTime, rv.OutWarnings, &obj, nil
}
func getCacheStatus(req *http.Request, response *Response, config *Config) (bool, time.Time) {
// NOTE: it seems that we can remove lock timeout
if response.Code == http.StatusPartialContent || response.snapHeader.Get("Content-Range") != "" {
return false, now().Add(config.LockTimeout)
}
if response.Code == http.StatusNotModified {
return false, now()
}
reasonsNotToCache, expiration, _, _, err := judgeResponseShouldCacheOrNot(req, response.Code, response.snapHeader, false)
if err != nil {
return false, time.Time{}
}
isPublic := len(reasonsNotToCache) == 0
if !isPublic {
return false, now().Add(config.LockTimeout)
}
varyHeader := response.snapHeader.Get("Vary")
if varyHeader == "*" {
return false, now().Add(config.LockTimeout)
}
for _, rule := range config.RuleMatchers {
if !rule.matches(req, response.Code, response.snapHeader) {
return false, now()
}
}
if now().After(expiration.Add(-1 * time.Second)) {
expiration = now().Add(config.DefaultMaxAge)
}
return true, expiration
}
func matchVary(curReq *http.Request, entry *Entry) bool {
// NOTE: https://httpwg.org/specs/rfc7231.html#header.vary
vary := entry.Response.HeaderMap.Get("Vary")
for _, searchedHeader := range strings.Split(vary, ",") {
searchedHeader = strings.TrimSpace(searchedHeader)
if curReq.Header.Get(searchedHeader) != entry.Request.Header.Get(searchedHeader) {
return false
}
}
return true
}
// Entry consists of a cache key and one or more response corresponding to
// the prior requests.
// https://httpwg.org/specs/rfc7234.html#caching.overview
type Entry struct {
isPublic bool
expiration time.Time
key string
Request *http.Request
Response *Response
}
// NewEntry creates a new Entry for the given request and response
// and it also calculates whether it is public or not
func NewEntry(key string, request *http.Request, response *Response, config *Config) *Entry {
isPublic, expiration := getCacheStatus(request, response, config)
return &Entry{
isPublic: isPublic,
key: key,
expiration: expiration,
Request: request,
Response: response,
}
}
// Key return the key for the entry
func (e *Entry) Key() string {
return e.key
}
// Clean purges the cache
func (e *Entry) Clean() error {
return e.Response.Clean()
}
func (e *Entry) writePublicResponse(w http.ResponseWriter) error {
// TODO: Maybe we can redesign here to get a better performance
reader, err := e.Response.GetReader()
if err != nil {
return err
}
defer reader.Close()
// In io.copy will write the status code.
// https://golang.org/pkg/net/http/#ResponseWriter
length := w.Header().Get("Content-Length")
if length == "" {
contentLength := strconv.Itoa(e.Response.body.Length())
if contentLength != "0" {
w.Header().Set("Content-Length", contentLength)
}
}
// wow, we should write the header before calling this function
w.WriteHeader(e.Response.Code)
_, err = io.Copy(w, reader)
return err
}
func (e *Entry) writePrivateResponse(w http.ResponseWriter) error {
// wrap the original response writer
w.WriteHeader(e.Response.Code)
e.Response.SetBody(backends.WrapResponseWriterToBackend(w))
e.Response.WaitClose()
return nil
}
// WriteBodyTo sends the body to the http.ResponseWritter
func (e *Entry) WriteBodyTo(w http.ResponseWriter) error {
// the definition of private response seems come from
// the package cacheobject
if !e.isPublic {
return e.writePrivateResponse(w)
}
return e.writePublicResponse(w)
}
// IsFresh indicates this entry is not expired
func (e *Entry) IsFresh() bool {
return e.expiration.After(time.Now())
}
func (e *Entry) keyWithRespectVary() string {
// https://cloud.google.com/cdn/docs/caching#vary-headers
buf := keyBufPool.Get().(*bytes.Buffer)
buf.Reset()
buf.WriteString(e.key)
defer keyBufPool.Put(buf)
vary := e.Response.snapHeader.Get("Vary")
for _, header := range strings.Split(vary, ",") {
buf.WriteString(e.Request.Header.Get(header))
}
return url.PathEscape(buf.String())
}
func (e *Entry) setBackend(ctx context.Context, config *Config) error {
var backend backends.Backend
var err error
switch config.Type {
case file:
backend, err = backends.NewFileBackend(config.Path)
case inMemory:
backend, err = backends.NewInMemoryBackend(ctx, e.keyWithRespectVary(), e.expiration)
case redis:
backend, err = backends.NewRedisBackend(ctx, e.keyWithRespectVary(), e.expiration)
}
e.Response.SetBody(backend)
return err
}
// HTTPCache is a http cache for http request which is focus on static files
type HTTPCache struct {
cacheKeyTemplate string
cacheBucketsNum int
entries []map[string][]*Entry
entriesLock []*sync.RWMutex
isDistributed bool
}
// NewHTTPCache new a HTTPCache to handle cache entries
func NewHTTPCache(config *Config, distributedOn bool) *HTTPCache {
// TODO: how to handle when the bucket's num is changed
l.Lock()
defer l.Unlock()
if entries == nil {
entries = make([]map[string][]*Entry, config.CacheBucketsNum)
for i := 0; i < config.CacheBucketsNum; i++ {
entries[i] = make(map[string][]*Entry)
}
}
if entriesLock == nil {
entriesLock = make([]*sync.RWMutex, config.CacheBucketsNum)
for i := 0; i < config.CacheBucketsNum; i++ {
entriesLock[i] = new(sync.RWMutex)
}
}
return &HTTPCache{
cacheKeyTemplate: config.CacheKeyTemplate,
cacheBucketsNum: config.CacheBucketsNum,
entries: entries,
entriesLock: entriesLock,
isDistributed: distributedOn,
}
}
func (h *HTTPCache) getBucketIndexForKey(key string) uint32 {
return uint32(math.Mod(float64(crc32.ChecksumIEEE([]byte(key))), float64(h.cacheBucketsNum)))
}
// In caddy2, it is automatically add the map by addHTTPVarsToReplacer
func getKey(cacheKeyTemplate string, r *http.Request) string {
repl := r.Context().Value(caddy.ReplacerCtxKey).(*caddy.Replacer)
// Add contentlength and bodyhash when not added before
if _, ok := repl.Get("http.request.contentlength"); !ok {
repl.Set("http.request.contentlength", r.ContentLength)
repl.Map(func(key string) (interface{}, bool) {
if key == "http.request.bodyhash" {
return bodyHash(r), true
}
return nil, false
})
}
return repl.ReplaceKnown(cacheKeyTemplate, "")
}
// bodyHash calculates a hash value of the request body
func bodyHash(r *http.Request) string {
body, err := io.ReadAll(r.Body)
if err != nil {
return ""
}
h := sha1.New()
h.Write(body)
bs := h.Sum(nil)
result := fmt.Sprintf("%x", bs)
r.Body = io.NopCloser(bytes.NewBuffer(body))
return result
}
// Get returns the cached response
func (h *HTTPCache) Get(key string, request *http.Request, includeStale bool) (*Entry, bool) {
b := h.getBucketIndexForKey(key)
h.entriesLock[b].RLock()
defer h.entriesLock[b].RUnlock()
previousEntries, exists := h.entries[b][key]
if !exists {
return nil, false
}
for _, entry := range previousEntries {
if (entry.IsFresh() || includeStale) && matchVary(request, entry) {
return entry, true
}
}
return nil, false
}
// Keys list the keys holden by this cache
func (h *HTTPCache) Keys() []string {
keys := []string{}
for index, l := range h.entriesLock {
l.RLock()
for k, v := range h.entries[index] {
if len(v) != 0 {
keys = append(keys, k)
}
}
l.RUnlock()
}
return keys
}
// Del purge the key immediately
func (h *HTTPCache) Del(key string) error {
b := h.getBucketIndexForKey(key)
h.entriesLock[b].RLock()
previousEntries, exists := h.entries[b][key]
h.entriesLock[b].RUnlock()
if !exists {
return nil
}
// the schedule will clean the entry automatically
for _, entry := range previousEntries {
if entry.IsFresh() {
err := h.cleanEntry(entry)
if err != nil {
caddy.Log().Named("http.handlers.http_cache").Error(fmt.Sprintf("clean entry error: %s", err.Error()))
return err
}
}
}
return nil
}
// Put adds the entry in the cache
func (h *HTTPCache) Put(request *http.Request, entry *Entry, config *Config) {
key := entry.Key()
bucket := h.getBucketIndexForKey(key)
h.entriesLock[bucket].Lock()
defer h.entriesLock[bucket].Unlock()
h.scheduleCleanEntry(entry, config.StaleMaxAge)
for i, previousEntry := range h.entries[bucket][key] {
if matchVary(entry.Request, previousEntry) {
go previousEntry.Clean()
h.entries[bucket][key][i] = entry
return
}
}
h.entries[bucket][key] = append(h.entries[bucket][key], entry)
}
func (h *HTTPCache) distributedClean(key string, entry *Entry) error {
// implement a simple Leader Election system
// acquire a distributed lock here if the distributed mode on
dl, err := distributed.NewDistributedLock(key)
if err != nil {
return err
}
leaderCh, err := dl.Lock()
if err != nil {
return nil
}
if leaderCh == nil {
dl.Unlock()
return nil
}
select {
case <-leaderCh:
default:
// do clean entry if this node is leader
caddy.Log().Named("distributed cache").Debug("perform clean entry")
err = entry.Clean()
// sleep a little time wait for other nodes performing deleting cache
time.Sleep(3 * time.Second)
}
dl.Unlock()
return err
}
func (h *HTTPCache) cleanEntry(entry *Entry) error {
key := entry.Key()
bucket := h.getBucketIndexForKey(key)
h.entriesLock[bucket].Lock()
defer h.entriesLock[bucket].Unlock()
for i, otherEntry := range h.entries[bucket][key] {
if entry == otherEntry {
h.entries[bucket][key] = append(h.entries[bucket][key][:i], h.entries[bucket][key][i+1:]...)
if !h.isDistributed {
return entry.Clean()
}
return h.distributedClean(key, entry)
}
}
return nil
}
func (h *HTTPCache) scheduleCleanEntry(entry *Entry, staleMaxAge time.Duration) {
go func(entry *Entry) {
expiration := entry.expiration
expiration = expiration.Add(staleMaxAge)
time.Sleep(expiration.Sub(time.Now()))
h.cleanEntry(entry)
}(entry)
}