0

我是新手,很困惑。我想创建一个模块来跟踪文章和博客模型的“热门”实例。我不想接触文章或博客模型的代码。这是中间件的候选人吗?看着HttpRequest.path

4

2 回答 2

1

查看 request.path 的中间件很难看,因为它引入了对用于显示文章和博客文章的 URL 模式细节的依赖。如果您不介意这种耦合,那么您不妨保存性能损失并在网络服务器日志文件上进行分析。(编辑视图中间件将是一个更好的选择,因为它为您提供了可调用的视图及其参数。我仍然更喜欢装饰器方法,因为它不会在不相关的视图上产生开销,但是如果您不想要,视图中间件也可以工作触摸博客/文章应用程序的 URLconf)。

我会使用一个视图装饰器,您可以将它包裹在 object_detail 视图(或您的自定义等效视图)周围。您可以直接在 URLconf 中执行此包装。像这样的东西:

def count_hits(func):
    def decorated(request, *args, **kwargs):
        # ... find object and update hit count for it...
        return func(request, *args, **kwargs)
    return decorated

你可以在views.py中应用它:

@count_hits
def detail_view(...

或在您的 URLconf 中:

url(r'^/blog/post...', count_hits(detail_view))
于 2009-05-21T02:05:04.153 回答
0

你可以创建一个通用的 Hit 模型

class Hit(models.Model):
    date = models.DateTimeFiles(auto_now=True)
    content_type = models.ForeignKey(ContentType)
    object_id = models.PositiveIntegerField()
    content_object = generic.GenericForeignKey('content_type', 'object_id')

在你的 view.py 你写这个函数:

def render_to_response_hit_count(request,template_path,keys,response):
    for  key in keys:
        for i in response[key]:
             Hit(content_object=i).save()
    return render_to_response(template_path, response)

以及您感兴趣的意见回报

return render_to_response_hit_count(request,   'map/list.html',['list',],
        {
            'list': l,
        })

这种方法使您不仅可以计算命中,还可以按时间、内容类型等过滤命中历史……

由于命中表可能会快速增长,您应该考虑删除策略。

于 2009-05-30T23:32:44.050 回答