使用OneToOne字段保存模型

Tom*_*sen 0 python django django-models django-users

我创建了一个配置文件模型来扩展默认的django用户(使用django 1.6)但是我无法正确保存配置文件模型.

这是我的模型:

from django.contrib.auth.models import User

class Profile(models.Model):
    user = models.OneToOneField(User)
    mobilephone = models.CharField(max_length=20, blank=True)  
Run Code Online (Sandbox Code Playgroud)

这是我的celery-task,用于从wdsl文件更新personrecords:

@task()
def update_local(user_id):

    url = 'http://webservice.domain.com/webservice/Person.cfc?wsdl'

    try:
        #Make SUDS.Client from WSDL url
        client = Client(url)
    except socket.error, exc: 
        raise update_local.retry(exc=exc)
    except BadStatusLine, exc:
        raise update_local.retry(exc=exc)


    #Make dict with parameters for WSDL query
    d = dict(CustomerId='xxx', Password='xxx', PersonId=user_id)

    try:
        #Get result from WSDL query
        result = client.service.GetPerson(**d)
    except (socket.error, WebFault), exc:
        raise update_local.retry(exc=exc)
    except BadStatusLine, exc:
        raise update_local.retry(exc=exc)



    #Soup the result
    soup = BeautifulSoup(result)


    #Firstname
    first_name = soup.personrecord.firstname.string

    #Lastname
    last_name = soup.personrecord.lastname.string

    #Email
    email = soup.personrecord.email.string

    #Mobilephone
    mobilephone = soup.personrecord.mobilephone.string



    #Get the user    
    django_user = User.objects.get(username__exact=user_id)

    #Update info to fields
    if first_name:
        django_user.first_name = first_name.encode("UTF-8")

    if last_name:    
        django_user.last_name = last_name.encode("UTF-8")

    if email:
        django_user.email = email


    django_user.save() 



    #Get the profile    
    profile_user = Profile.objects.get_or_create(user=django_user)

    if mobilephone:
        profile_user.mobilephone = mobilephone

    profile_user.save()
Run Code Online (Sandbox Code Playgroud)

django_user.save()工作正常,但profile_user.save()不能正常工作.我得到这个错误:AttributeError: 'tuple' object has no attribute 'mobilephone'

谁知道我做错了什么?

dyd*_*dek 6

我在你的代码中发现了2个错误:

  • get_or_create 方法返回元组(对象,已创建),因此您必须将代码更改为:

    profile_user = Profile.objects.get_or_create(user=django_user)[0]

    或者,如果您需要有关返回对象状态(刚刚创建或未创建)的信息,您应该使用

    profile_user, created = Profile.objects.get_or_create(user=django_user)

    然后其余的代码将正常工作.

  • 在您的配置文件模型中,该字段models.CharField必须max_length声明参数.

  • 你不需要()@task装饰器中使用.如果将参数传递给装饰器,则只需执行此操作.

  • 此外,您可以使用django自定义用户模型避免使用一对一数据库连接构建用户配置文件.

希望这可以帮助.