In my project as soon as user signup it is redirected to update view where he has to fill this information.Since the user has also logged in automatically after signup I want that user field to be filled automatically and can’t be edited.
models.py
JavaScript
x
12
12
1
class Userpro(models.Model):
2
user = models.OneToOneField(User)
3
dob = models.DateField(default=datetime.date.today)
4
country = models.CharField(max_length=50, default='')
5
qualification = models.CharField(max_length=10, choices=CHO,
6
default='No')
7
university = models.CharField(max_length=100, default='')
8
location = models.CharField(max_length=100, default='')
9
10
def __str__(self):
11
return str(self.user)
12
forms.py
JavaScript
1
5
1
class UserProForm(forms.ModelForm):
2
class Meta:
3
model = Userpro
4
fields = '__all__'
5
views.py
JavaScript
1
12
12
1
def update(request):
2
if request.method == 'POST':
3
form = UserProForm(request.POST or None)
4
if form.is_valid():
5
form.save()
6
return redirect('/')
7
else:
8
redirect('/')
9
else:
10
form = UserProForm()
11
return render(request, 'app/update.html', {'form': form})
12
All the required libraries are imported.
Advertisement
Answer
You can use widgets
for your form. Something like this(code below is not tested).
JavaScript
1
24
24
1
from django.forms import TextInput
2
3
4
class UserProForm(forms.ModelForm):
5
class Meta:
6
model = Userpro
7
fields = '__all__'
8
widgets = {
9
'user': TextInput(attrs={'readonly': 'readonly'})
10
}
11
12
def update(request):
13
instance = Userpro.objects.filter(user=request.user).first()
14
if request.method == 'POST':
15
form = UserProForm(request.POST, instance=instance)
16
if form.is_valid():
17
form.save()
18
return redirect('/')
19
else:
20
return redirect('/')
21
else:
22
form = UserProForm(instance=instance)
23
return render(request, 'app/update.html', {'form': form})
24
Edited: we should pass user inside dict like this:
form = UserProForm({'user': request.user})
Edited 2: You should find profile object first and then pass it to the form
JavaScript
1
3
1
instance = Userpro.objects.filter(user=request.user).first()
2
form = UserProForm(request.POST, instance=instance)
3