refresh.cc
Go to the documentation of this file.
1/*
2 * Copyright (C) 1996-2023 The Squid Software Foundation and contributors
3 *
4 * Squid software is distributed under GPLv2+ license and includes
5 * contributions from numerous individuals and organizations.
6 * Please see the COPYING and CONTRIBUTORS files for details.
7 */
8
9/* DEBUG: section 22 Refresh Calculation */
10
11#ifndef USE_POSIX_REGEX
12#define USE_POSIX_REGEX /* put before includes; always use POSIX */
13#endif
14
15#include "squid.h"
16#include "base/PackableStream.h"
17#include "HttpHdrCc.h"
18#include "HttpReply.h"
19#include "HttpRequest.h"
20#include "MemObject.h"
21#include "mgr/Registration.h"
22#include "refresh.h"
23#include "RefreshPattern.h"
24#include "SquidConfig.h"
25#include "Store.h"
26#include "util.h"
27
28typedef enum {
31#if USE_HTCP
33#endif
34#if USE_CACHE_DIGESTS
36#endif
40
44typedef struct {
45 bool expires;
46 bool min;
47 bool lmfactor;
48 bool max;
50
51/*
52 * This enumerated list assigns specific values, ala HTTP/FTP status
53 * codes. All Fresh codes are in the range 100-199 and all stale
54 * codes are 200-299. We might want to use these codes in logging,
55 * so best to keep them consistent over time.
56 */
57enum {
73 STALE_DEFAULT = 299
74};
75
76static struct RefreshCounts {
77 const char *proto;
78 int total;
81
83static int refreshStaleness(const StoreEntry * entry, time_t check_time, const time_t age, const RefreshPattern * R, stale_flags * sf);
84
86
91const RefreshPattern *
92refreshLimits(const char *url)
93{
94 for (auto R = Config.Refresh; R; R = R->next) {
95 ++(R->stats.matchTests);
96 if (R->regex().match(url)) {
97 ++(R->stats.matchCount);
98 return R;
99 }
100 }
101
102 return nullptr;
103}
104
106static const RefreshPattern *
108{
109 for (auto R = Config.Refresh; R; R = R->next) {
110 if (R->regex().isDot())
111 return R;
112 }
113
114 return nullptr;
115}
116
138static int
139refreshStaleness(const StoreEntry * entry, time_t check_time, const time_t age, const RefreshPattern * R, stale_flags * sf)
140{
141 // 1. If the cached object has an explicit expiration time, then we rely on this and
142 // completely ignore the Min, Percent and Max values in the refresh_pattern.
143 if (entry->expires > -1) {
144 sf->expires = true;
145
146 if (entry->expires > check_time) {
147 debugs(22, 3, "FRESH: expires " << entry->expires <<
148 " >= check_time " << check_time << " ");
149
150 return -1;
151 } else {
152 debugs(22, 3, "STALE: expires " << entry->expires <<
153 " < check_time " << check_time << " ");
154
155 return (check_time - entry->expires);
156 }
157 }
158
159 debugs(22, 3, "No explicit expiry given, using heuristics to determine freshness");
160
161 // 2. If the entry is older than the maximum age in the refresh_pattern, it is STALE.
162 if (age > R->max) {
163 debugs(22, 3, "STALE: age " << age << " > max " << R->max << " ");
164 sf->max = true;
165 return (age - R->max);
166 }
167
168 // 3. If there is a Last-Modified header, try the last-modified factor algorithm.
169 const time_t lastmod_delta = entry->timestamp - entry->lastModified();
170 if (lastmod_delta > 0) {
171 /* stale_age is the age of the response when it became/becomes stale according to
172 * the last-modified factor algorithm. It's how long we can consider the response
173 * fresh from the time we cached it.
174 */
175 time_t stale_age = static_cast<time_t>(lastmod_delta * R->pct);
176
177 debugs(22,3, "Last modified " << lastmod_delta << " sec before we cached it, L-M factor " <<
178 (100.0 * R->pct) << "% = " << stale_age << " sec freshness lifetime");
179 sf->lmfactor = true;
180
181 if (age >= stale_age) {
182 debugs(22, 3, "STALE: age " << age << " > stale_age " << stale_age);
183 return (age - stale_age);
184 } else {
185 debugs(22, 3, "FRESH: age " << age << " <= stale_age " << stale_age);
186 return -1;
187 }
188 }
189
190 // 4. If the entry is not as old as the minimum age in the refresh_pattern, it is FRESH.
191 if (age < R->min) {
192 debugs(22, 3, "FRESH: age (" << age << " sec) is less than configured minimum (" << R->min << " sec)");
193 sf->min = true;
194 return -1;
195 }
196
197 // 5. default is stale, by the amount we missed the minimum by
198 debugs(22, 3, "STALE: No explicit expiry, no last modified, and older than configured minimum.");
199 return (age - R->min);
200}
201
256static int
257refreshCheck(const StoreEntry * entry, HttpRequest * request, time_t delta)
258{
259 time_t age = 0;
260 time_t check_time = squid_curtime + delta;
261 int staleness;
262 stale_flags sf;
263
264 // get the URL of this entry, if there is one
265 static const SBuf nilUri("<none>");
266 SBuf uri = nilUri;
267 if (entry->mem_obj)
268 uri = entry->mem_obj->storeId();
269 else if (request)
270 uri = request->effectiveRequestUri();
271
272 debugs(22, 3, "checking freshness of URI: " << uri);
273
274 // age is not necessarily the age now, but the age at the given check_time
275 if (check_time > entry->timestamp)
276 age = check_time - entry->timestamp;
277
278 // XXX: what to do when age < 0 or counter overflow?
279 assert(age >= 0);
280
281 /* We need a refresh rule. In order of preference:
282 *
283 * 1. the rule that matches this URI by regex
284 * 2. the "." rule from the config file
285 * 3. the default "." rule
286 */
287 // XXX: performance regression. c_str() reallocates
288 const RefreshPattern *R = (uri != nilUri) ? refreshLimits(uri.c_str()) : refreshFirstDotRule();
289 if (nullptr == R)
290 R = &DefaultRefresh;
291
292 debugs(22, 3, "Matched '" << *R << '\'');
293
294 debugs(22, 3, "\tage:\t" << age);
295
296 debugs(22, 3, "\tcheck_time:\t" << Time::FormatRfc1123(check_time));
297
298 debugs(22, 3, "\tentry->timestamp:\t" << Time::FormatRfc1123(entry->timestamp));
299
300 if (request && !request->flags.ignoreCc) {
301 const HttpHdrCc *const cc = request->cache_control;
302 int minFresh = -1;
303 if (cc && cc->hasMinFresh(&minFresh)) {
304 debugs(22, 3, "\tage + min-fresh:\t" << age << " + " <<
305 minFresh << " = " << age + minFresh);
306 debugs(22, 3, "\tcheck_time + min-fresh:\t" << check_time << " + "
307 << minFresh << " = " <<
308 Time::FormatRfc1123(check_time + minFresh));
309 age += minFresh;
310 check_time += minFresh;
311 }
312 }
313
314 memset(&sf, '\0', sizeof(sf));
315
316 staleness = refreshStaleness(entry, check_time, age, R, &sf);
317
318 debugs(22, 3, "Staleness = " << staleness);
319
320 const auto reply = entry->hasFreshestReply(); // may be nil
321
322 // stale-if-error requires any failure be passed thru when its period is over.
323 int staleIfError = -1;
324 if (request && reply && reply->cache_control &&
325 reply->cache_control->hasStaleIfError(&staleIfError) &&
326 staleIfError < staleness) {
327
328 debugs(22, 3, "stale-if-error period expired. Will produce error if validation fails.");
329 request->flags.failOnValidationError = true;
330 }
331
332 /* If the origin server specified either of:
333 * Cache-Control: must-revalidate
334 * Cache-Control: proxy-revalidate
335 * the spec says the response must always be revalidated if stale.
336 */
337 const bool revalidateAlways = EBIT_TEST(entry->flags, ENTRY_REVALIDATE_ALWAYS);
338 if (revalidateAlways || (staleness > -1 &&
340 debugs(22, 3, "YES: Must revalidate stale object (origin set " <<
341 (revalidateAlways ? "no-cache or private" :
342 "must-revalidate, proxy-revalidate or s-maxage") << ")");
343 if (request)
344 request->flags.failOnValidationError = true;
346 }
347
348 /* request-specific checks */
349 if (request && !request->flags.ignoreCc) {
350 HttpHdrCc *cc = request->cache_control;
351
352 /* If the request is an IMS request, and squid is configured NOT to service this from cache
353 * (either by 'refresh-ims' in the refresh pattern or 'refresh_all_ims on' globally)
354 * then force a reload from the origin.
355 */
356 if (request->flags.ims && (R->flags.refresh_ims || Config.onoff.refresh_all_ims)) {
357 // The client's no-cache header is changed into a IMS query
358 debugs(22, 3, "YES: Client IMS request forcing revalidation of object (refresh-ims option)");
359 return STALE_FORCED_RELOAD;
360 }
361
362#if USE_HTTP_VIOLATIONS
363 /* Normally a client reload request ("Cache-Control: no-cache" or "Pragma: no-cache")
364 * means we must treat this response as STALE and fetch a new one.
365 *
366 * However, some options exist to override this behaviour. For example, we might just
367 * revalidate our existing response, or even just serve it up without revalidating it.
368 *
369 * ---- Note on the meaning of nocache_hack -----
370 *
371 * The nocache_hack flag has a very specific and complex meaning:
372 *
373 * (a) this is a reload request ("Cache-Control: no-cache" or "Pragma: no-cache" header)
374 * and (b) the configuration file either has at least one refresh_pattern with
375 * ignore-reload or reload-into-ims (not necessarily the rule matching this request) or
376 * the global reload_into_ims is set to on
377 *
378 * In other words: this is a client reload, and we might need to override
379 * the default behaviour (but we might not).
380 *
381 * "nocache_hack" is a pretty deceptive name for such a complicated meaning.
382 */
383 if (request->flags.noCacheHack()) {
384
385 if (R->flags.ignore_reload) {
386 /* The client's no-cache header is ignored completely - we'll try to serve
387 * what we have (assuming it's still fresh, etc.)
388 */
389 debugs(22, 3, "MAYBE: Ignoring client reload request - trying to serve from cache (ignore-reload option)");
391 /* The client's no-cache header is not honoured completely - we'll just try
392 * to revalidate our cached copy (IMS to origin) instead of fetching a new
393 * copy with an unconditional GET.
394 */
395 debugs(22, 3, "YES: Client reload request - cheating, only revalidating with origin (reload-into-ims option)");
397 } else {
398 /* The client's no-cache header is honoured - we fetch a new copy from origin */
399 debugs(22, 3, "YES: Client reload request - fetching new copy from origin");
400 request->flags.noCache = true;
401 return STALE_FORCED_RELOAD;
402 }
403 }
404#endif
405
406 // Check the Cache-Control client request header
407 if (nullptr != cc) {
408
409 // max-age directive
410 int maxAge = -1;
411 if (cc->hasMaxAge(&maxAge)) {
412
413 // RFC 8246: reply contains CC:immutable then ignore client CC:max-age=N
414 if (reply && reply->cache_control && reply->cache_control->hasImmutable()) {
415 debugs(22, 3, "MAYBE: Ignoring client CC:max-age=" << maxAge << " request - 'Cache-Control: immutable'");
416
417#if USE_HTTP_VIOLATIONS
418 // Ignore of client "Cache-Control: max-age=0" header
419 } else if (R->flags.ignore_reload && maxAge == 0) {
420 debugs(22, 3, "MAYBE: Ignoring client reload request - trying to serve from cache (ignore-reload option)");
421#endif
422
423 // Honour client "Cache-Control: max-age=x" header
424 } else if (age > maxAge || maxAge == 0) {
425 debugs(22, 3, "YES: Revalidating object - client 'Cache-Control: max-age=" << maxAge << "'");
427 }
428 }
429
430 // max-stale directive
431 int maxStale = -1;
432 if (cc->hasMaxStale(&maxStale) && staleness > -1) {
433 if (maxStale==HttpHdrCc::MAX_STALE_ANY) {
434 debugs(22, 3, "NO: Client accepts a stale response of any age - 'Cache-Control: max-stale'");
436 } else if (staleness < maxStale) {
437 debugs(22, 3, "NO: Client accepts a stale response - 'Cache-Control: max-stale=" << maxStale << "'");
439 }
440 }
441 }
442 }
443
444 // If the object is fresh, return the right FRESH_ code
445 if (-1 == staleness) {
446 debugs(22, 3, "Object isn't stale..");
447 if (sf.expires) {
448 debugs(22, 3, "returning FRESH_EXPIRES");
449 return FRESH_EXPIRES;
450 }
451
452 assert(!sf.max);
453
454 if (sf.lmfactor) {
455 debugs(22, 3, "returning FRESH_LMFACTOR_RULE");
456 return FRESH_LMFACTOR_RULE;
457 }
458
459 assert(sf.min);
460
461 debugs(22, 3, "returning FRESH_MIN_RULE");
462 return FRESH_MIN_RULE;
463 }
464
465 /*
466 * At this point the response is stale, unless one of
467 * the override options kicks in.
468 * NOTE: max-stale config blocks the overrides.
469 */
470 int max_stale = (R->max_stale >= 0 ? R->max_stale : Config.maxStale);
471 if ( max_stale >= 0 && staleness > max_stale) {
472 debugs(22, 3, "YES: refresh_pattern max-stale=N limit from squid.conf");
473 if (request)
474 request->flags.failOnValidationError = true;
475 return STALE_MAX_STALE;
476 }
477
478 if (sf.expires) {
479#if USE_HTTP_VIOLATIONS
480
481 if (R->flags.override_expire && age < R->min) {
482 debugs(22, 3, "NO: Serving from cache - even though explicit expiry has passed, we enforce Min value (override-expire option)");
484 }
485
486#endif
487 return STALE_EXPIRES;
488 }
489
490 if (sf.max)
491 return STALE_MAX_RULE;
492
493 if (sf.lmfactor) {
494#if USE_HTTP_VIOLATIONS
495 if (R->flags.override_lastmod && age < R->min) {
496 debugs(22, 3, "NO: Serving from cache - even though L-M factor says the object is stale, we enforce Min value (override-lastmod option)");
498 }
499#endif
500 debugs(22, 3, "YES: L-M factor says the object is stale'");
501 return STALE_LMFACTOR_RULE;
502 }
503
504 debugs(22, 3, "returning STALE_DEFAULT");
505 return STALE_DEFAULT;
506}
507
518bool
520{
521 /*
522 * Don't look at the request to avoid no-cache and other nuisances.
523 * the object should have a mem_obj so the URL will be found there.
524 * minimum_expiry_time seconds delta (defaults to 60 seconds), to
525 * avoid objects which expire almost immediately, and which can't
526 * be refreshed.
527 */
528 int reason = refreshCheck(entry, nullptr, Config.minimum_expiry_time);
530 ++ refreshCounts[rcStore].status[reason];
531
532 if (reason < STALE_MUST_REVALIDATE)
533 /* Does not need refresh. This is certainly cachable */
534 return true;
535
536 if (entry->lastModified() < 0)
537 /* We should know entry's modification time to do a refresh */
538 return false;
539
540 if (entry->mem_obj == nullptr)
541 /* no mem_obj? */
542 return true;
543
544 if (entry->mem_obj->baseReply().content_length == 0)
545 /* No use refreshing (caching?) 0 byte objects */
546 return false;
547
548 /* This seems to be refreshable. Cache it */
549 return true;
550}
551
553static bool
554refreshIsStaleIfHit(const int reason)
555{
556 switch (reason) {
557 case FRESH_MIN_RULE:
559 case FRESH_EXPIRES:
560 return false;
561 default:
562 return true;
563 }
564}
565
574int
575refreshCheckHTTP(const StoreEntry * entry, HttpRequest * request)
576{
577 int reason = refreshCheck(entry, request, 0);
579 ++ refreshCounts[rcHTTP].status[reason];
580 request->flags.staleIfHit = refreshIsStaleIfHit(reason);
581 // TODO: Treat collapsed responses as fresh but second-hand.
582 return (Config.onoff.offline || reason < 200) ? 0 : 1;
583}
584
586int
587refreshCheckICP(const StoreEntry * entry, HttpRequest * request)
588{
589 int reason = refreshCheck(entry, request, 30);
591 ++ refreshCounts[rcICP].status[reason];
592 return (reason < 200) ? 0 : 1;
593}
594
595#if USE_HTCP
597int
598refreshCheckHTCP(const StoreEntry * entry, HttpRequest * request)
599{
600 int reason = refreshCheck(entry, request, 10);
602 ++ refreshCounts[rcHTCP].status[reason];
603 return (reason < 200) ? 0 : 1;
604}
605
606#endif
607
608#if USE_CACHE_DIGESTS
610int
611refreshCheckDigest(const StoreEntry * entry, time_t delta)
612{
613 int reason = refreshCheck(entry,
614 entry->mem_obj ? entry->mem_obj->request.getRaw() : nullptr,
615 delta);
617 ++ refreshCounts[rcCDigest].status[reason];
618 return (reason < 200) ? 0 : 1;
619}
620#endif
621
632time_t
633getMaxAge(const char *url)
634{
635 const RefreshPattern *R;
636 debugs(22, 3, "getMaxAge: '" << url << "'");
637
638 if ((R = refreshLimits(url)))
639 return R->max;
640 else
641 return REFRESH_DEFAULT_MAX;
642}
643
644static int
645refreshCountsStatsEntry(StoreEntry * sentry, struct RefreshCounts &rc, int code, const char *desc)
646{
647 storeAppendPrintf(sentry, "%6d\t%6.2f\t%s\n", rc.status[code], xpercent(rc.status[code], rc.total), desc);
648 return rc.status[code];
649}
650
651static void
653{
654 if (!rc.total)
655 return;
656
657 storeAppendPrintf(sentry, "\n\n%s histogram:\n", rc.proto);
658 storeAppendPrintf(sentry, "Count\t%%Total\tCategory\n");
659
660 refreshCountsStatsEntry(sentry, rc, FRESH_REQUEST_MAX_STALE_ALL, "Fresh: request max-stale wildcard");
661 refreshCountsStatsEntry(sentry, rc, FRESH_REQUEST_MAX_STALE_VALUE, "Fresh: request max-stale value");
662 refreshCountsStatsEntry(sentry, rc, FRESH_EXPIRES, "Fresh: expires time not reached");
663 refreshCountsStatsEntry(sentry, rc, FRESH_LMFACTOR_RULE, "Fresh: refresh_pattern last-mod factor percentage");
664 refreshCountsStatsEntry(sentry, rc, FRESH_MIN_RULE, "Fresh: refresh_pattern min value");
665 refreshCountsStatsEntry(sentry, rc, FRESH_OVERRIDE_EXPIRES, "Fresh: refresh_pattern override-expires");
666 refreshCountsStatsEntry(sentry, rc, FRESH_OVERRIDE_LASTMOD, "Fresh: refresh_pattern override-lastmod");
667 refreshCountsStatsEntry(sentry, rc, STALE_MUST_REVALIDATE, "Stale: response has must-revalidate");
668 refreshCountsStatsEntry(sentry, rc, STALE_RELOAD_INTO_IMS, "Stale: changed reload into IMS");
669 refreshCountsStatsEntry(sentry, rc, STALE_FORCED_RELOAD, "Stale: request has no-cache directive");
670 refreshCountsStatsEntry(sentry, rc, STALE_EXCEEDS_REQUEST_MAX_AGE_VALUE, "Stale: age exceeds request max-age value");
671 refreshCountsStatsEntry(sentry, rc, STALE_EXPIRES, "Stale: expires time reached");
672 refreshCountsStatsEntry(sentry, rc, STALE_MAX_RULE, "Stale: refresh_pattern max age rule");
673 refreshCountsStatsEntry(sentry, rc, STALE_LMFACTOR_RULE, "Stale: refresh_pattern last-mod factor percentage");
674 refreshCountsStatsEntry(sentry, rc, STALE_DEFAULT, "Stale: by default");
675 storeAppendPrintf(sentry, "\n");
676}
677
678static void
680{
681 // display per-rule counts of usage and tests
682 storeAppendPrintf(sentry, "\nRefresh pattern usage:\n\n");
683 storeAppendPrintf(sentry, " Used \tChecks \t%% Matches\tPattern\n");
684 for (const RefreshPattern *R = Config.Refresh; R; R = R->next) {
685 storeAppendPrintf(sentry, " %10" PRIu64 "\t%10" PRIu64 "\t%6.2f\t",
686 R->stats.matchCount,
687 R->stats.matchTests,
688 xpercent(R->stats.matchCount, R->stats.matchTests));
689 PackableStream os(*sentry);
690 R->printPattern(os);
691 os << "\n";
692 }
693
694 int i;
695 int total = 0;
696
697 /* get total usage count */
698
699 for (i = 0; i < rcCount; ++i)
700 total += refreshCounts[i].total;
701
702 /* protocol usage histogram */
703 storeAppendPrintf(sentry, "\nRefreshCheck calls per protocol\n\n");
704
705 storeAppendPrintf(sentry, "Protocol\t#Calls\t%%Calls\n");
706
707 for (i = 0; i < rcCount; ++i)
708 storeAppendPrintf(sentry, "%10s\t%6d\t%6.2f\n",
709 refreshCounts[i].proto,
710 refreshCounts[i].total,
711 xpercent(refreshCounts[i].total, total));
712
713 /* per protocol histograms */
714 storeAppendPrintf(sentry, "\n\nRefreshCheck histograms for various protocols\n");
715
716 for (i = 0; i < rcCount; ++i)
718}
719
720const RegexPattern &
722{
723 assert(regex_);
724 return *regex_;
725}
726
727void
728RefreshPattern::printPattern(std::ostream &os) const
729{
730 if (regex_)
731 regex_->print(os, nullptr); // refresh lines do not inherit line flags
732 else
733 os << "<none>";
734}
735
736void
737RefreshPattern::printHead(std::ostream &os) const
738{
739 printPattern(os);
740 os <<
741 // these adjustments are safe: raw values were configured using integers
742 ' ' << intmax_t(min/60) << // to minutes
743 ' ' << intmax_t(100.0 * pct + 0.5) << '%' << // to percentage points
744 ' ' << intmax_t(max/60); // to minutes
745}
746
747static void
749{
750 Mgr::RegisterAction("refresh", "Refresh Algorithm Statistics", refreshStats, 0, 1);
751}
752
753void
755{
756 memset(refreshCounts, 0, sizeof(refreshCounts));
757 refreshCounts[rcHTTP].proto = "HTTP";
758 refreshCounts[rcICP].proto = "ICP";
759#if USE_HTCP
760
761 refreshCounts[rcHTCP].proto = "HTCP";
762#endif
763
764 refreshCounts[rcStore].proto = "On Store";
765#if USE_CACHE_DIGESTS
766
767 refreshCounts[rcCDigest].proto = "Cache Digests";
768#endif
769
771}
772
time_t squid_curtime
Definition: stub_libtime.cc:20
#define REFRESH_DEFAULT_MAX
class SquidConfig Config
Definition: SquidConfig.cc:12
#define assert(EX)
Definition: assert.h:17
bool hasMaxStale(int32_t *val=nullptr) const
Definition: HttpHdrCc.h:132
bool hasMinFresh(int32_t *val=nullptr) const
Definition: HttpHdrCc.h:140
static const int32_t MAX_STALE_ANY
Definition: HttpHdrCc.h:53
bool hasMaxAge(int32_t *val=nullptr) const
Definition: HttpHdrCc.h:122
bool hasStaleIfError(int32_t *val=nullptr) const
Definition: HttpHdrCc.h:150
RequestFlags flags
Definition: HttpRequest.h:141
const SBuf & effectiveRequestUri() const
RFC 7230 section 5.5 - Effective Request URI.
Definition: HttpRequest.cc:744
int64_t content_length
Definition: Message.h:83
HttpHdrCc * cache_control
Definition: Message.h:76
HttpRequestPointer request
Definition: MemObject.h:212
const char * storeId() const
Definition: MemObject.cc:53
const HttpReply & baseReply() const
Definition: MemObject.h:60
C * getRaw() const
Definition: RefCount.h:89
a representation of a refresh pattern.
struct RefreshPattern::@89 flags
RefreshPattern * next
void printPattern(std::ostream &os) const
reports the configured pattern or a fake pattern of the implicit rule
Definition: refresh.cc:728
const RegexPattern & regex() const
configured regex; do not use except when iterating configured rules
Definition: refresh.cc:721
RegexPointer regex_
configured regex or, for the implicit refresh_pattern rule, nil
void printHead(std::ostream &) const
reports configuration excluding trailing options
Definition: refresh.cc:737
bool noCacheHack() const
Definition: RequestFlags.h:133
bool failOnValidationError
Definition: RequestFlags.h:52
Definition: SBuf.h:94
const char * c_str()
Definition: SBuf.cc:516
int reload_into_ims
Definition: SquidConfig.h:293
struct SquidConfig::@106 onoff
RefreshPattern * Refresh
Definition: SquidConfig.h:421
time_t maxStale
Definition: SquidConfig.h:104
time_t minimum_expiry_time
Definition: SquidConfig.h:502
int refresh_all_ims
Definition: SquidConfig.h:290
uint16_t flags
Definition: Store.h:232
time_t expires
Definition: Store.h:226
void lastModified(const time_t when)
Definition: Store.h:176
time_t timestamp
Definition: Store.h:224
MemObject * mem_obj
Definition: Store.h:221
const HttpReply * hasFreshestReply() const
Definition: Store.h:57
A const & min(A const &lhs, A const &rhs)
#define debugs(SECTION, LEVEL, CONTENT)
Definition: Stream.h:194
#define EBIT_TEST(flag, bit)
Definition: defines.h:69
@ ENTRY_REVALIDATE_STALE
Definition: enums.h:100
@ ENTRY_REVALIDATE_ALWAYS
Definition: enums.h:85
void OBJH(StoreEntry *)
Definition: forward.h:44
void RegisterAction(char const *action, char const *desc, OBJH *handler, int pw_req_flag, int atomic)
Definition: Registration.cc:16
const char * FormatRfc1123(time_t)
Definition: rfc1123.cc:196
time_t getMaxAge(const char *url)
Definition: refresh.cc:633
static int refreshCountsStatsEntry(StoreEntry *sentry, struct RefreshCounts &rc, int code, const char *desc)
Definition: refresh.cc:645
const RefreshPattern * refreshLimits(const char *url)
Definition: refresh.cc:92
void refreshInit(void)
Definition: refresh.cc:754
int refreshCheckHTCP(const StoreEntry *entry, HttpRequest *request)
Definition: refresh.cc:598
@ STALE_FORCED_RELOAD
Definition: refresh.cc:67
@ FRESH_OVERRIDE_EXPIRES
Definition: refresh.cc:63
@ STALE_MAX_STALE
Definition: refresh.cc:72
@ FRESH_REQUEST_MAX_STALE_ALL
Definition: refresh.cc:58
@ STALE_RELOAD_INTO_IMS
Definition: refresh.cc:66
@ FRESH_EXPIRES
Definition: refresh.cc:60
@ STALE_EXCEEDS_REQUEST_MAX_AGE_VALUE
Definition: refresh.cc:68
@ FRESH_REQUEST_MAX_STALE_VALUE
Definition: refresh.cc:59
@ FRESH_MIN_RULE
Definition: refresh.cc:62
@ STALE_LMFACTOR_RULE
Definition: refresh.cc:71
@ STALE_MUST_REVALIDATE
Definition: refresh.cc:65
@ FRESH_LMFACTOR_RULE
Definition: refresh.cc:61
@ STALE_MAX_RULE
Definition: refresh.cc:70
@ STALE_EXPIRES
Definition: refresh.cc:69
@ FRESH_OVERRIDE_LASTMOD
Definition: refresh.cc:64
@ STALE_DEFAULT
Definition: refresh.cc:73
static struct RefreshCounts refreshCounts[rcCount]
static int refreshCheck(const StoreEntry *entry, HttpRequest *request, time_t delta)
Definition: refresh.cc:257
static void refreshCountsStats(StoreEntry *sentry, struct RefreshCounts &rc)
Definition: refresh.cc:652
static int refreshStaleness(const StoreEntry *entry, time_t check_time, const time_t age, const RefreshPattern *R, stale_flags *sf)
Definition: refresh.cc:139
int refreshCheckICP(const StoreEntry *entry, HttpRequest *request)
Definition: refresh.cc:587
static OBJH refreshStats
Definition: refresh.cc:82
bool refreshIsCachable(const StoreEntry *entry)
Definition: refresh.cc:519
refreshCountsEnum
Definition: refresh.cc:28
@ rcHTCP
Definition: refresh.cc:32
@ rcStore
Definition: refresh.cc:37
@ rcCDigest
Definition: refresh.cc:35
@ rcCount
Definition: refresh.cc:38
@ rcHTTP
Definition: refresh.cc:29
@ rcICP
Definition: refresh.cc:30
static bool refreshIsStaleIfHit(const int reason)
whether reply is stale if it is a hit
Definition: refresh.cc:554
int refreshCheckDigest(const StoreEntry *entry, time_t delta)
Definition: refresh.cc:611
static void refreshRegisterWithCacheManager(void)
Definition: refresh.cc:748
static RefreshPattern DefaultRefresh(nullptr)
int refreshCheckHTTP(const StoreEntry *entry, HttpRequest *request)
Definition: refresh.cc:575
static const RefreshPattern * refreshFirstDotRule()
the first explicit refresh_pattern rule that uses a "." regex (or nil)
Definition: refresh.cc:107
int code
Definition: smb-errors.c:145
void storeAppendPrintf(StoreEntry *e, const char *fmt,...)
Definition: store.cc:841
const char * proto
Definition: refresh.cc:77
int status[STALE_DEFAULT+1]
Definition: refresh.cc:79
bool expires
Expires: header absolute timestamp limit.
Definition: refresh.cc:45
bool lmfactor
Last-Modified with heuristic determines limit.
Definition: refresh.cc:47
bool max
Configured maximum age limit.
Definition: refresh.cc:48
bool min
Heuristic minimum age limited.
Definition: refresh.cc:46
#define PRIu64
Definition: types.h:114
SQUIDCEXTERN double xpercent(double part, double whole)
Definition: util.c:40

 

Introduction

Documentation

Support

Miscellaneous

Web Site Translations

Mirrors