After setting up Varnish ESI caching, we can clear the cache when required. The example below written in Python shows you how to purge the ESI fragments.
In the VCL file, you'll have to add this somewhere at the top of the file. I put it under the backend declarations.
1.
# Allow PURGE requests from the following web servers
2.
acl purge_acl {
3.
"yourhost.com.au"
;
4.
"anotherserver.com.au"
;
5.
}
And under "sub vcl_recv", add:
1.
# Allow PURGE requests from our web servers
2.
if
(req.request ==
"PURGE"
) {
3.
if
(!client.ip ~ purge_acl) {
4.
error 405
"Not allowed"
;
5.
}
6.
7.
return
(lookup);
8.
}
Lastly, add in:
1.
sub vcl_hit {
2.
# Clear the cache if a PURGE has been requested
3.
if
(req.request ==
"PURGE"
) {
4.
set
obj.ttl = 0s;
5.
error 200
"Purged."
;
6.
}
7.
}
Now you can send PURGE requests to Varnish. When varnish detects a purge command, it'll clear the ESI cache for the given fragment.
For the following code, you'll have to send the full URL to the site's URL. It can definitely be improved, but this should be enough for you to get started.
01.
from
urlparse
import
urlparse
02.
from
httplib
import
HTTPConnection
03.
04.
def
esi_purge_url(url):
05.
"""
06.
Clears the request for the given URL.
07.
Uses a HTTP PURGE to perform this action.
08.
The URL is run through urlparse and must point to the
09.
varnish instance, not the varnishadm
10.
11.
@param url: Complete with http://domain.com/absolute/path/
12.
"""
13.
url
=
urlparse(url)
14.
connection
=
HTTPConnection(url.hostname, url.port
or
80
)
15.
16.
path_bits
=
[]
17.
path_bits.append(url.path
or
'/'
)
18.
19.
if
url.query:
20.
path_bits.append(
'?'
)
21.
path_bits.append(url.query)
22.
23.
connection.request(
'PURGE'
, '
'.join(path_bits), '
', {'
Host': url.hostname})
24.
25.
response
=
connection.getresponse()
26.
27.
if
response.status !
=
200
:
28.
print
'Purge failed with status: %s'
%
response.status
29.
30.
return
response
Varnish also allows some sort of regex/wildcard purging, but I haven't implemented this yet. If you need mass purging, this post point you in the right direction.