Skip to content

Commit c9caaff

Browse files
committed
Releasing wsgi-request-logger v0.4
1 parent 2ffff50 commit c9caaff

File tree

10 files changed

+295
-328
lines changed

10 files changed

+295
-328
lines changed

.gitignore

+15
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,15 @@
1+
dist/
2+
MANIFEST
3+
__pycache__
4+
*.pyc
5+
*.pyo
6+
*~
7+
.DS_Store
8+
build/
9+
dist/
10+
.project
11+
.pydevproject
12+
.settings/
13+
*.DS_Store
14+
*.swp
15+

.hgignore

-46
This file was deleted.

LICENSE

+27
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,27 @@
1+
Copyright (c) 2013, Philipp Klaus. All rights reserved.
2+
Copyright (c) 2007-2011 L. C. Rees. All rights reserved.
3+
4+
Redistribution and use in source and binary forms, with or without
5+
modification, are permitted provided that the following conditions are met:
6+
7+
1. Redistributions of source code must retain the above copyright notice,
8+
this list of conditions and the following disclaimer.
9+
2. Redistributions in binary form must reproduce the above copyright
10+
notice, this list of conditions and the following disclaimer in the
11+
documentation and/or other materials provided with the distribution.
12+
3. Neither the name of the Portable Site Information Project nor the names
13+
of its contributors may be used to endorse or promote products derived from
14+
this software without specific prior written permission.
15+
16+
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
17+
AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
18+
IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
19+
ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE
20+
LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
21+
CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
22+
SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
23+
INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
24+
CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
25+
ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
26+
POSSIBILITY OF SUCH DAMAGE.
27+

README.md

+61
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,61 @@
1+
## Request Logging for WSGI Web Applications
2+
3+
This is a middleware which you can use to log requests to your WSGI based site.
4+
It's even imitating Apache's combined log format to allow you to use any of the
5+
many tools for Apache log file analysis.
6+
7+
By making use of Python's Logger Facilities, you can easily log to STDOUT, time rotated log files, email, syslog, etc.
8+
9+
#### Installation
10+
11+
Simply install this Python module via
12+
13+
pip install wsgi-request-logger
14+
15+
#### Usage
16+
17+
To add this plugin to your WSGI `application` and log to the file *access.log*, do:
18+
19+
from requestlogger import ApacheLogger
20+
from logging.handlers import TimedRotatingFileHandler
21+
22+
def application(environ, start_response):
23+
response_body = 'The request method was %s' % environ['REQUEST_METHOD']
24+
response_body = response_body.encode('utf-8')
25+
response_headers = [('Content-Type', 'text/plain'),
26+
('Content-Length', str(len(response_body)))]
27+
start_response('200 OK', response_headers)
28+
return [response_body]
29+
30+
handlers = [ TimedRotatingFileHandler('access.log', 'd', 7) , ]
31+
loggingapp = ApacheLogger(application, handlers)
32+
33+
if __name__ == '__main__':
34+
from wsgiref.simple_server import make_server
35+
http = make_server('', 8080, loggingapp)
36+
http.serve_forever()
37+
38+
39+
#### The Authors
40+
41+
This WSGI middlewre was originally developed under the name [wsgilog](https://pypi.python.org/pypi/wsgilog/) by **L. C. Rees**.
42+
It was forked by **Philipp Klaus** in 2013 to build a WSGI middleware for request logging rather than exception handling and logging.
43+
44+
45+
#### License
46+
47+
This software, *wsgi-request-logger*, is published under a *3-clause BSD license*.
48+
49+
#### Developers' Resources
50+
51+
* To read about your options for the logging handler, you may want to read [Python's Logging Cookbook](http://docs.python.org/3/howto/logging-cookbook.html).
52+
* Documentation on Apache's log format can be found [here](http://httpd.apache.org/docs/current/mod/mod_log_config.html#logformat).
53+
* The [WSGI](http://en.wikipedia.org/wiki/Web_Server_Gateway_Interface) - Web Server Gateway Interface - is defined in [PEP 333](http://www.python.org/dev/peps/pep-0333/) with an update for Python 3 in [PEP 3333](http://www.python.org/dev/peps/pep-3333/).
54+
55+
#### General References
56+
57+
* PyPI's [listing of wsgi-request-logger](https://pypi.python.org/pypi/wsgi-request-logger)
58+
* The source code for this Python module is [hosted on Github](https://github.com/pklaus/wsgi-request-logger).
59+
60+
61+

README.rst

-18
This file was deleted.

TODO.md

+4
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,4 @@
1+
### ToDo
2+
3+
* The [extraction of the request and response meta data (done manually using the environ variable right now) could also be done](http://docs.webob.org/en/latest/comment-example.html#the-middleware) using webob's [Request](http://docs.webob.org/en/latest/modules/webob.html#request) and [Response](http://docs.webob.org/en/latest/modules/webob.html#response) classes.
4+
Or using [pylons.util](http://stackoverflow.com/a/2655396/183995).

requestlogger/__init__.py

+108
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,108 @@
1+
# -*- coding: utf-8 -*-
2+
3+
"""
4+
Apache-like combined logging for WSGI Web Applications.
5+
6+
Homepage: https://github.com/pklaus/wsgi-request-logger
7+
8+
Copyright (c) 2013, Philipp Klaus. All rights reserved.
9+
Copyright (c) 2007-2011 L. C. Rees. All rights reserved.
10+
11+
License: BSD (see LICENSE for details)
12+
"""
13+
14+
import time
15+
from datetime import datetime as dt
16+
import logging
17+
18+
from .timehacks import Local
19+
20+
__all__ = ['WSGILogger', 'ApacheFormatter', 'log']
21+
22+
class WSGILogger(object):
23+
''' This is the generalized WSGI middleware for any style request logging. '''
24+
25+
def __init__(self, application, handlers, formatter=None, **kw):
26+
self.formatter = formatter or WSGILogger.standard_formatter
27+
self.logger = logging.getLogger('requestlogger')
28+
self.logger.setLevel(logging.DEBUG)
29+
for handler in handlers:
30+
self.logger.addHandler(handler)
31+
self.application = application
32+
33+
def __call__(self, environ, start_response):
34+
start = time.clock()
35+
status_codes = []
36+
content_lengths = []
37+
def custom_start_response(status, response_headers, exc_info=None):
38+
status_codes.append(int(status.partition(' ')[0]))
39+
for name, value in response_headers:
40+
if name.lower() == 'content-length':
41+
content_lengths.append(int(value))
42+
break
43+
return start_response(status, response_headers, exc_info)
44+
retval = self.application(environ, custom_start_response)
45+
runtime = int((time.clock() - start) * 10**6)
46+
content_length = content_lengths[0] if content_lengths else len(b''.join(retval))
47+
msg = self.formatter(status_codes[0], environ, content_length, rt_ms=runtime)
48+
self.logger.info(msg)
49+
return retval
50+
51+
@staticmethod
52+
def standard_formater(status_code, environ, content_length):
53+
return "{} {}".format(dt.now().isoformat(), status_code)
54+
55+
def ApacheFormatter(with_response_time=True):
56+
''' A factory that returns the wanted formatter '''
57+
if with_response_time:
58+
return ApacheFormatters.format_with_response_time
59+
else:
60+
return ApacheFormatters.format_NCSA_log
61+
62+
class ApacheFormatters(object):
63+
64+
@staticmethod
65+
def format_NCSA_log(status_code, environ, content_length):
66+
"""
67+
Apache log format 'NCSA extended/combined log':
68+
"%h %l %u %t \"%r\" %>s %b \"%{Referer}i\" \"%{User-agent}i\""
69+
see http://httpd.apache.org/docs/current/mod/mod_log_config.html#formats
70+
"""
71+
72+
# Let's collect log values
73+
val = dict()
74+
val['host'] = environ.get('REMOTE_ADDR', '')
75+
val['logname'] = '-'
76+
val['user'] = '-'
77+
val['time'] = dt.now(tz=Local).strftime("%d/%b/%Y:%H:%M:%S %z")
78+
val['request'] = "{} {} {}".format(
79+
environ.get('REQUEST_METHOD', ''),
80+
environ.get('PATH_INFO', ''),
81+
environ.get('SERVER_PROTOCOL', '')
82+
)
83+
val['status'] = status_code
84+
val['size'] = content_length
85+
val['referer'] = environ.get('HTTP_REFERER', '')
86+
val['agent'] = environ.get('HTTP_USER_AGENT', '')
87+
88+
# see http://docs.python.org/3/library/string.html#format-string-syntax
89+
FORMAT = '{host} {logname} {user} [{time}] "{request}" '
90+
FORMAT += '{status} {size} "{referer}" "{agent}"'
91+
return FORMAT.format(**val)
92+
93+
@staticmethod
94+
def format_with_response_time(*args, **kw):
95+
"""
96+
The dict kw should contain 'rt_ms', the response time in milliseconds.
97+
This is the format for TinyLogAnalyzer:
98+
https://pypi.python.org/pypi/TinyLogAnalyzer
99+
"""
100+
rt_ms = kw.get('rt_ms')
101+
return ApacheFormatters.format_NCSA_log(*args) + " {}/{}".format(int(rt_ms/1000000), rt_ms)
102+
103+
def log(handlers, formatter=ApacheFormatter(), **kw):
104+
'''Decorator for logging middleware.'''
105+
def decorator(application):
106+
return WSGILogger(application, handlers, **kw)
107+
return decorator
108+

requestlogger/timehacks.py

+45
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,45 @@
1+
# -*- coding: utf-8 -*-
2+
3+
"""
4+
Source: http://docs.python.org/3/library/datetime.html → "Example tzinfo classes"
5+
Idea: http://stackoverflow.com/a/2071364/183995
6+
"""
7+
8+
from datetime import datetime as dt, tzinfo, timedelta
9+
import time as _time
10+
11+
STDOFFSET = timedelta(seconds = -_time.timezone)
12+
if _time.daylight:
13+
DSTOFFSET = timedelta(seconds = -_time.altzone)
14+
else:
15+
DSTOFFSET = STDOFFSET
16+
17+
DSTDIFF = DSTOFFSET - STDOFFSET
18+
19+
class LocalTimezone(tzinfo):
20+
21+
def utcoffset(self, dt):
22+
if self._isdst(dt):
23+
return DSTOFFSET
24+
else:
25+
return STDOFFSET
26+
27+
def dst(self, dt):
28+
if self._isdst(dt):
29+
return DSTDIFF
30+
else:
31+
return ZERO
32+
33+
def tzname(self, dt):
34+
return _time.tzname[self._isdst(dt)]
35+
36+
def _isdst(self, dt):
37+
tt = (dt.year, dt.month, dt.day,
38+
dt.hour, dt.minute, dt.second,
39+
dt.weekday(), 0, 0)
40+
stamp = _time.mktime(tt)
41+
tt = _time.localtime(stamp)
42+
return tt.tm_isdst > 0
43+
44+
Local = LocalTimezone()
45+

0 commit comments

Comments
 (0)