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
|
import os
import cgi
import urlparse
from jsbuild import CSSComboFile, JSComboFile
def parse_url(url):
"""Parse a combo URL.
Returns the list of arguments in the original order.
"""
scheme, loc, path, query, frag = urlparse.urlsplit(url)
return parse_qs(query)
def parse_qs(query):
"""Parse a query string.
Returns the list of arguments in the original order.
"""
params = cgi.parse_qsl(query, keep_blank_values=True)
return tuple([param for param, value in params])
def combine_files(fnames, root, resource_prefix="",
minify_css=True, rewrite_urls=True):
"""Combine many files into one.
Returns an iterator with the combined content of all the
files. The relative path to root will be included as a comment
between each file.
"""
combo_by_kind = {
".css": CSSComboFile([], os.path.join(root, "combo.css"),
resource_prefix, minify_css, rewrite_urls),
".js": JSComboFile([], os.path.join(root, "combo.js")),
}
for fname in fnames:
combo = combo_by_kind.get(os.path.splitext(fname)[-1])
if combo is None:
continue
full = os.path.abspath(os.path.join(root, fname))
yield combo.get_file_header(full)
if not full.startswith(root) or not os.path.exists(full):
yield combo.get_comment("[missing]")
else:
f = open(full, "r")
content = f.read()
f.close()
yield combo.filter_file_content(content, full)
def combo_app(root, resource_prefix="", minify_css=True, rewrite_urls=True):
"""A simple YUI Combo Service WSGI app.
Serves any files under C{root}, setting an appropriate
C{Content-Type} header.
"""
root = os.path.abspath(root)
def app(environ, start_response, root=root):
fnames = parse_qs(environ["QUERY_STRING"])
content_type = "text/plain"
if fnames:
if fnames[0].endswith(".js"):
content_type = "text/javascript"
elif fnames[0].endswith(".css"):
content_type = "text/css"
else:
start_response("404 Not Found", [("Content-Type", content_type)])
return ("Not Found",)
start_response("200 OK", [("Content-Type", content_type)])
return combine_files(fnames, root, resource_prefix,
minify_css, rewrite_urls)
return app
|