3

我正在为 web 应用程序使用带有cherrypy(提供 WSGI)的瓶子。CherryPy 在此设置中不记录 Web 访问。目前,我几乎正在使用瓶子的钩子插件记录所有内容,如下所示:

import bottle
from bottle import route, static_file, get, post, error, request, template, redirect, response, hook

@hook('after_request')
def log_after_request():
    try:
        length = response.content_length
    except:
        try:
            length = len(response.body)
        except:
            length = '???'
    print '{ip} - - [{time}] "{method} {uri} {protocol}" {status} {length}'.format(
        ip=request.environ.get('REMOTE_ADDR'),
        time=datetime.datetime.now().strftime('%Y-%m-%d %H:%M:%S'),
        method=request.environ.get('REQUEST_METHOD'),
        uri=request.environ.get('REQUEST_URI'),
        protocol=request.environ.get('SERVER_PROTOCOL'),
        status=response.status_code,
        length=length,
    )

@route('/index.html')
def index_handler():
    return '<h1>Hello, world!</h1>'

app = bottle.default_app()
bottle.run(host='0.0.0.0', port='80', app=app, server='cherrypy', request_queue_size=300, debug=True)

这会向 STDOUT 提供日志条目,如下所示:

192.168.1.1 - - [2013-07-23 17:04:04] "GET /index.html HTTP/1.1" 200 0

这几乎是正确的,除了内容长度始终为 0。瓶子似乎不知道cherrypy返回的内容长度。这是一个正确的评估吗,更重要的是,有没有办法检索它,所以我可以记录它?

我愿意接受更好的方法来使用bottle和cherrypy获取访问日志。

谢谢!

4

2 回答 2

5

我可以想到几种方法,但这是我认为最好的一种:使用中间件应用程序来记录请求。

这是基于您问题中的代码的完整示例。(我没有改变log_after_request;大部分动作都在AccessLogMiddleware.__call__。)

import datetime
import bottle
from bottle import route, static_file, get, post, error, request, template, redirect, response, hook

# unchanged from OP
@route('/index.html')
def index_handler():
    return '<h1>Hello, world!</h1>'

# unchanged from OP
def log_after_request():
    try:
        length = response.content_length
    except:
        try:
            length = len(response.body)
        except:
            length = '???'
    print 'MYLOG:', '{ip} - - [{time}] "{method} {uri} {protocol}" {status} {length}'.format(
        ip=request.environ.get('REMOTE_ADDR'),
        time=datetime.datetime.now().strftime('%Y-%m-%d %H:%M:%S'),
        method=request.environ.get('REQUEST_METHOD'),
        uri=request.environ.get('REQUEST_URI'),
        protocol=request.environ.get('SERVER_PROTOCOL'),
        status=response.status_code,
        length=length,
    )

# code I've added begins here
class AccessLogMiddleware(object):
    def __init__(self, app):
        self.app = app

    def __call__(self, e, h):
        # call bottle and store the return value
        ret_val = self.app(e, h)

        # log the request
        log_after_request()

        # return bottle's return value
        return ret_val


app = bottle.app()
logged_app = AccessLogMiddleware(app)
bottle.run(host='0.0.0.0', port='8000', app=logged_app)

这应该够了吧; 如果没有,请告诉我,我会提供帮助。

于 2013-07-24T03:19:34.360 回答
1

当您更新到尚未正式发布的 Bottle 0.13-dev 分支时,原始问题中的代码现在可以工作。最新的稳定版 0.12.18 发布的分支仍然存在此错误,并且响应内容长度仍将返回 0。

更新到 0.13(您可以在此处获取:https ://github.com/bottlepy/bottle )后,代码现在可以工作了。

于 2020-10-23T19:39:04.337 回答