Django存储匿名用户数据

时间:2012-12-18 18:01:23

标签: django django-forms

我有一个django模型,它存储来自表单输入的用户和产品数据:

def ProductSelection(request, template_name='product_selection.html'):
    ...
    if user.is_authenticated():
        user = request.user
    else:
        # deal with anonymous user info
    project = Project.objects.create(
        user=user,
        product=form.cleaned_data["product"],
        quantity=form.cleaned_data["product_quantity"],
    )

当然,这对于经过身份验证的用户来说很好,但我也希望能够存储匿名用户项目,如果可能的话,在最终注册和验证时将它们与用户关联起来。

我的想法是创建名称为some_variable的匿名用户(时间戳与随机哈希串联?),然后将该用户名保存在会话数据中。如果我确保该会话变量(如果存在)用于记录该用户的所有项目活动,我应该能够在注册时使用用户的真实凭据更新项目。

这是否过于复杂和脆弱?我是否有可能不必要地节省数千行数据?这个常见问题的最佳方法是什么?

对此的任何指导都将非常感激。

2 个答案:

答案 0 :(得分:16)

您可以使用Django's session framework存储匿名用户数据。

然后,您可以在Project模型中添加字段,以保留匿名用户的session_key值,

project = Project.objects.create(
    user=request.user,  # can be anonymous user
    session=request.session.session_key,
    product=form.cleaned_data["product"],
    quantity=form.cleaned_data["product_quantity"])

或只是存储Project实例在会话中的所有数据

if user.is_authenticated():
    project = Project.objects.create(
        user=request.user,
        product=form.cleaned_data["product"],
        quantity=form.cleaned_data["product_quantity"])
else:
    # deal with anonymous user info
    request.session['project'] = {
        "product": form.cleaned_data["product"],
        "quantity": form.cleaned_Data["product_quantity"]}

以后,您可以在创建合适的用户时从会话中检索数据。

答案 1 :(得分:7)

为了澄清一下,下面的代码是我在案例中实现解决方案的方式:

        project = Project.objects.create(
            session=request.session.session_key,
            # save all other fields
            ...
        )
        if request.user.is_authenticated():
            project.user = request.user
        else:
            # make a copy of the session key
            # this is done because the session_key changes
            # on login/ register 
            request.session['key_copy'] = request.session.session_key
        project.save()

在我的models.py中:

 class Project(models.Model):
     user = models.ForeignKey(User, null=True, blank=True)
     ...

因此,用户字段可以为null,在这种情况下,我们使用session_key来跟踪事物。