2016-09-04 49 views
0

这里是模型我一起工作Django管理页面上的数据:Django的 - 无法查看

class Customer(models.Model): 
    customer_id = models.AutoField(primary_key=True, unique=True) 
    full_name = models.CharField(max_length=50) 
    user_email = models.EmailField(max_length=50) 
    user_pass = models.CharField(max_length=30) 

    def __str__(self): 
     return "%s" % self.full_name 

class CustomerDetail(models.Model): 
    phone_regex = RegexValidator(regex = r'^\d{10}$', message = "Invalid format! E.g. 4088385778") 
    date_regex = RegexValidator(regex = r'^(\d{2})[/.-](\d{2})[/.-](\d{2})$', message = "Invalid format! E.g. 05/16/91") 

    customer = models.OneToOneField(
     Customer, 
     on_delete=models.CASCADE, 
     primary_key=True, 
    ) 
    address = models.CharField(max_length=100) 
    date_of_birth = models.CharField(validators = [date_regex], max_length = 10, blank = True) 
    company = models.CharField(max_length=30) 
    home_phone = models.CharField(validators = [phone_regex], max_length = 10, blank = True) 
    work_phone = models.CharField(validators = [phone_regex], max_length = 10, blank = True) 

    def __str__(self): 
     return "%s" % self.customer.full_name 

这里是forms.py

from django.forms import ModelForm 

from .models import CustomerDetail 

class CustomerDetailForm(ModelForm): 
    class Meta: 
     model = CustomerDetail 
     fields = ['address', 'date_of_birth', 'company', 'home_phone', 'work_phone',] 

我有一个观点在我的应用程序(用户登录后)调用create_profile,要求用户提供更多详细信息,并使用ModelForm实例来实现它。下面是从views.py片断:

def create_profile(request): 
if request.POST: 
    form = CustomerDetailForm(request.POST) 
    if form.is_valid(): 

     address = form.cleaned_data['address'] 
     date_of_birth = form.cleaned_data['date_of_birth'] 
     company = form.cleaned_data['company'] 
     home_phone = form.cleaned_data['home_phone'] 
     work_phone = form.cleaned_data['work_phone'] 

     profdata = CustomerDetail(address = address, date_of_birth = date_of_birth, company = company, home_phone = home_phone, work_phone = work_phone) 
     profdata.save() 

     return render(request, 'newuser/profile_created.html', {form: form}) 
else: 
    return redirect(create_profile) 

当我填写在相应的模板HTML表单并点击提交,它让我看到连续页面,但是当我检查管理页面上为CustomerDetail条目,我看到了' - '代替实际记录。我在哪里错了?它是否与重写clean()方法有关?请帮忙。谢谢!

回答

0

你不需要重写cleaned_data你的情况。因为您已经使用ModelForm其中save方法调用后创建CustomerDetail实例。
查看可能是这样的:

def create_profile(request): 
    if request.method == 'POST': 
     form = CustomerDetailForm(request.POST) 
     if form.is_valid(): 
      form.save() 
      return render(request, 'newuser/profile_created.html', {'form': form}) 
    else: 
     form = CustomerDetailForm() 
    return render(request, 'path_to_create_profile.html', {'form': form}) 

check the docs about forms

+0

你能解释一下什么是这里的其他部分发生了什么? –

+0

@KrithikaRaghavendran其他形式对于'GET'响应是空的 –

+0

'form.save()'不工作,数据记录不显示在管理页面 –