Menu
  • HOME
  • TAGS

django admin filter data after selection

django,django-forms,django-admin

The most simple way is to implement author selection as a form with submit type GET and check the request.GET inside ModelAdmin class <form method="GET"> <select name="author"> <option>An author</option> </select> </form> def get_queryset(self, request): author = request.GET['author'] qs = super(BooksList, self).get_queryset(request) return qs.filter(author=author) ...

django form field regex validation for alphanumeric characters

python,django,django-forms

Regex isn't really necessary, you can simply use string functions to do this: import string def validate(password): letters = set(string.ascii_letters) digits = set(string.digits) pwd = set(password) return not (pwd.isdisjoint(letters) or pwd.isdisjoint(digits)) print(validate('123123')) # False print(validate('asdfsdf')) # False print(validate('12312sfdf')) # True ...

Django forms - how to override field validation

python,django,validation,django-forms

Why not write your own Field class, that has its own validate method, as this is called before the validator itself: class MyCustomChoiceField(ChoiceField): def validate(self): <do something to validate your field> then use it: gallery = MyCustomChoiceField(widget = gallery_widget) ...

Django form data not submitting/visable in mysql database

django,django-models,django-forms

Submitting data to a model form does not cause it to be saved automatically. If you want save data from a model form to the database, you need to call its save() method. You could do this in the wizard's done() method. def done(self, form_list, **kwargs): # I don't know...

Filter queryset between two or more models for search form in django

django,django-forms,django-class-based-views

you are looking for a many-to-one relationship https://docs.djangoproject.com/en/1.8/topics/db/examples/many_to_one/ you already set the related_name to "predio_propietario+" and with the '+' at the end this means there is no backwards relation to this model there is you example: queryset = Propietario.objects.filter(predio__nombre_predio__iexact=request.POST['nombre_predio']) Extra: class C(models.Model): c_text = models.CharField(max_length=100) class B(models.Model): b_text = models.CharField(max_length=100)...

Render a template instead a success_url in form_valid with FormView django

django,django-forms,django-class-based-views

The default implementation of form_valid is to redirect to success_url, you only need to override it to render some page. Here is the example. class ChangePasswordPage(FormView): template_name = 'core/password-change.html' form_class = PasswordChangeForm def form_valid(self, form): form.save() messages.success(self.request, "Your password is changed") return render(self.request, 'core/password-change-success.html', self.get_context_data()) ...

Using a FormSet in a ClassBasedView in django

python,django,django-forms,django-class-based-views,formset

If you will take a look on sources of Django views and check how FormView is working, you find that it just overrides default get and post methods of base View class and adds some additional methods for the form handling. So you can: try to assign your formset to...

Unable to access upvote/downvote input in a Django template

html,django,django-forms,django-templates

type="input" is not a valid button type. I'd get rid of the hidden input altogether, and change the buttons to inputs: <form method="POST" action="{% url 'vote' %}" class="vote_form"> {% csrf_token %} <input type="submit" name="btn1" value="upvote"> <input type="submit" name="btn1" value="downvote"> </form> Then, in your view, you can use: if request.method ==...

How to Check for Unique Data in Django Form?

python,django,forms,django-forms,formset

I think I fixed it by adding an 'if' statement to check for None. if (firstname or lastname) is not None: firstnames.append (firstname) lastnames.append (lastname) ...

Django - ModelForm: Add a field not belonging to the model

python,django,django-forms,django-crispy-forms

This is how you do it to a non django-crispy-forms form: from django import forms from . import models class DriftwoodForm(forms.ModelForm): class Meta: model = models.Driftwood fields = ('user', 'title', 'description', 'image') image = forms.ImageField() full documentation: https://docs.djangoproject.com/en/1.8/ref/forms/fields/#django.forms.ImageField Now what you have to do is simply use the form as...

Django - How do form template tags work?

django,django-forms,django-templates

{{ form }} is not a template tag, it is a context variable. By default Form instances are rendered using the Form.as_table() method. So you have to pass such variable to the template in the render() call: from django.shortcuts import render def add_task(request): if request.method == "POST": form = addtaskForm(request.POST)...

How to Display Django form errors using AngularJS?

angularjs,django,validation,django-forms

$http.post("/CMS/users", self.user).then(fetchUsers).catch(function(response){ //here you can manipulate the response from the server and display the message }); Actually .. per the documentation for $http, you should handle: .error(function(data, status, headers, config) { // called asynchronously if an error occurs // or server returns response with an error status. }) The answer...

How to specify Select and RadioSelect in a ModelForm?

django,django-models,django-forms

Django model doesn’t provide RadioSelect or Select widget. You need to add this in Model form. forms.py class SmartPhoneForm(forms.ModelForm): class Meta: model = Phone fields = ['smart_phone_ownership', 'smart_phone_usage'] widgets = { 'smart_phone_ownership': forms.RadioSelect, 'smart_phone_usage': forms.Select, } models.py class SmartPhone(models.Model): # Do you own a Smartphone? YES_SMARTPHONE = 'Yes' NO_SMARTPHONE =...

Complex multi-model object creation with CreateView in Django

django,django-forms,formset,inline-formset

I've solved this problem using the technique described here rather than using a formset: https://collingrady.wordpress.com/2008/02/18/editing-multiple-objects-in-django-with-newforms/...

Setting an example answer in a text input field

python,django,django-forms

You are setting an initial value but you're looking for a placeholder. You should try something like this: class VerbTestForm(forms.ModelForm): # Your code ... class Meta: # Your code ... widgets = { 'answer': forms.TextInput(attrs={'placeholder': tip.tip}), } or you can add the placeholder after defining the form like: form =...

Django administration panel filter list

django,django-forms,django-admin,django-filter

Generally speaking I would say that it's better to create a custom view for this purpose (in a public section of the site). But if you prefer to use admin then you can try get_queryset method. For example if you want to show all posts to admins and their own...

Display multiple rows as grid in django template

django,twitter-bootstrap,django-forms

Forms are for editing. Since you don't need to edit the values, you can simply pass a queryset in a context dictionary to your template. An example would be: views.py def fruit_list(request): context = {'fruit_list': Fruit.objects.all()} return render(request, 'fruits/fruit_list.html', context) fruits/fruit_list.html <table> <tr> <th>Name</th> <th>Color</th> <th>Price</th> </tr> {% for fruit...

How do you load a custom field in django

python,django,django-models,django-forms,django-admin

Override the form's __init__ method and set the initial property of the field: class YourModelForm(forms.ModelForm): extra_field = forms.CharField() def __init__(self, *args, **kwargs): super(YourModelForm, self).__init__(*args, **kwargs) initial = '%s*rnd' % self.instance.pk if self.instance.pk else 'new' self.fields['extra_field'].initial = initial ...

Django - Allow User to Edit Profile and then Show Updated Profile fields

django-forms,user

The action in your form is POSTing to profile_view and not edit_profile and your forms are self closing so they aren't being POSTed correctly. Change this: <form method="POST" action="/accounts/profile/" class="" /> To this: <form method="POST" action="/accounts/profile/edit" class="" > Or even better, use the django url template tag: <form method="POST" action="{%...

How to use models associated with a user in Django when rendering an HTML page

django,django-models,django-forms

{{ request.user.taskitem_set.all }} would give you all the related task items. Now, to display it in your template: {% for task_item in user.taskitem_set.all %} {{ task_item.task_n }} {% endfor %} would display the list of tasks. Here is the documentation on reverse-queries on foreign key (related_name) Also, read this...

Django: set_password isn't hashing passwords?

python,django,hash,django-forms,django-views

In your views, I think it should be user.save() below the line user.set_password(user.password) You didn't write the brackets (parentheses). That's why save method is not being called after you hash the password....

How to pass attrs to forms.DateField?

django,django-forms

That kind of information gets passed to widgets: date_of_birth = forms.DateField( widget=extras.SelectDateWidget( years=range(datetime.date.today().year - 15, 1920, -1), attrs={'class': 'form-control',} ) ) ...

In Django-admin, how to show foreignkey's foreignkey in the same page?

python,django,django-models,django-forms,django-admin

Maybe I did not describe clearly. but djang-nested-inline helps a lot. This allows we edit foreignkey's foreignkey in same page and nested for deep level....

Django 1.8 model form fields not showing when rendering template

python,html,django,django-models,django-forms

You're not passing the form to the template if the request is a GET. There's really no need to distinguish between the GET and POST in this case when creating the form instance. You can simply instantiate your form as such: form = BlockForm(request.POST or None) and drop the instantiation...

How to use ModelMultipleChoiceField in django-admin and django-form for SelectMultiple widget

django,django-forms,django-admin

Here is a simple example. If your model.py looks like: class YourCategory(models.Model): category_name = models.CharField(max_length=100) def __unicode__(self): return self.category_name class YourModel(models.Model): name = models.CharField(max_length=100) included_categories = models.ManyToManyField(Category) def __unicode__(self): return self.name You override in the admin the field you want as multiplechoice: class YourModelForm(forms.ModelForm): included_categories = forms.ModelMultipleChoiceField(widget=forms.CheckboxSelectMultiple(),...

How to save a form which has been generated by overriding __init__?

django,forms,django-forms

for field in self.fields Or do I miss something ? ...

Django ClearableFileInput - how to detect whether to delete the file

django,django-forms,django-crispy-forms

You shouldn't check the checkbox, but check the value of the file input field. If it is False, then you can delete the file. Otherwise it is the uploaded file. See: https://github.com/django/django/blob/339c01fb7552feb8df125ef7e5420dae04fd913f/django/forms/widgets.py#L434 # False signals to clear any existing value, as opposed to just None return False return upload ...

Overriding class attribute in Django ChoiceField / select

django,django-forms

You can simply use forms.Select(): widgets = { 'tags': forms.Select(attrs={'class': 'form-control'}), 'info': forms.TextInput(attrs={'class': 'form-control'}), } ...

Django ModelForm - form display values

django,django-forms

Subclass ModelMultipleChoiceField and override label_from_instance. from django.forms import ModelMultipleChoiceField class SchedulerProfileChoiceField(ModelMultipleChoiceField): def label_from_instance(self, obj): return "%s %s" % (obj.first_name, obj.last_name) Then use your multiple choice field in the model form. class OfficialProfileForm(forms.ModelForm): schedulers = SchedulerProfileChoiceField(queryset=SchedulerProfile.objects.all()) ...

DateField — “enter a valid date” message

django,django-forms,django-views

First in your Django ModelForm let's change the date model field's widget without adding an extra field. This is done in the __ init __ method : from django.forms.extras.widgets import SelectDateWidget class DeliveryDateForm(forms.ModelForm): def __init__(self, *args, **kwargs): super(DeliveryDateForm, self).__init__(*args, **kwargs) #Change date field's widget here self.fields['date'].widget = SelectDateWidget() class Meta:...

Error on raising ValidationError as dictionary

python,django,python-2.7,django-models,django-forms

Use raise ValidationError instead of raise ValueError: def clean(self): email = self.cleaned_data["email"] try: User._default_manager.get(email=email) except User.DoesNotExist: return self.cleaned_data raise ValidationError({'email':'Email already registered. Login to continue or use another email.'}) ...

Correct

django,django-forms,django-templates,django-views

Since your form is submitting to the same url, you can simply use action="". If you prefer, you can use action="/surveyone/" If you don't want to hardcode the url in your template, then you need to name your url patterns: url(r'^surveyone/$', SurveyWizardOne.as_view([ SurveyFormIT1, SurveyFormH, ... ]), name="survey_one"), You can then...

Custom Django Widgets/Fields: object has no attribute 'attrs'

django,django-forms

The problem is that you are calling init on an abstract class. super(MyFileField, self).__init__(fields=fields, *args, **kwargs) But the base class is abstract. Look at https://docs.djangoproject.com/en/1.8/ref/forms/fields/#multivaluefield and Python's super(), abstract base classes, and NotImplementedError...

django rest_auth extend User with UserProfile

django-models,django-forms,django-rest-framework

You are trying to add to a relation before the main object is saved, if the profiles are created in a signal they wont exist before the user.save() call. try user.first_name = self.cleaned_data['first_name'] user.last_name = self.cleaned_data['last_name'] user.save() user.profilo_utente.company_name = self.cleaned_data['company_name'] user.profilo_utente.save() ...

How to make a RadioSelect non manditory and remove default option in a ModelForm?

django,django-models,django-forms

Considering the answer by NickJ and use the RadioSelectNotNull as follows: forms.py from itertools import chain from django.forms import RadioSelect from django.utils.encoding import force_unicode class RadioSelectNotNull(RadioSelect): def get_renderer(self, name, value, attrs=None, choices=()): """Returns an instance of the renderer.""" if value is None: value = '' str_value = force_unicode(value) # Normalize...

Django Form Submit Update HTML

python,html,django,django-forms

You can use the messages framework: if form.is_valid(): messages.success(request, 'Success!') return HttpResponseRedirect('/contact/') And then in the template: {% if messages %} {% for message in messages %} <p>{{ message }}</p> {% endfor %} {% endif %} More advanced template can be found in the documentation....

Django form for querying database. Is form.py needed and how to leave fields empty for query?

forms,validation,python-3.x,django-forms

The query You should use a Q object for similar queries. from django.db.models import Q Incident.objects.filter( Q(incident_id=incident_id) | Q(equipment_id=equipment_id) ) More on Q objects. Also, IMO this code needs to live in some Form class. If it was me, I would have put this code in some The form class...

Reset field value in case of a ValidationError

django,django-forms

I have found a solution by setting up self.was_approved in the field’s to_python() method: def to_python(self, value): old_value = self.dbfield.value if ( self.dbfield.is_approved() and old_value != value): self.was_approved = True return '' if value is None else value and then using this was_approved property to change the return value of...

Django forms: How do I make it necessary to fill out one field but not possible to fill out both?

python,django,django-forms

Take a look at the Dango docs about the clean function for cleaning and validating fields that depend on each other. You can then, inside the clean, do a check for the values of the two fields. Something along these lines: from django import forms from django.core.exceptions import ValidationError class...

modelformset_factory: display more fields for specific instances

django,django-forms

You can specify the form in the modelformset_factory, so create a model form (in forms.py if you have one) override the __init__method to add extra fields. I would move the fields from the formsetfactory arguments to the form in forms.py (assuming you have one) class ProductForm(forms.ModelForm): model = Product def...

The right way to send some data alongside with form

ajax,django,django-forms

Use Django's QueryDict. from django.http import QueryDict # Encode your form data to a byte string. form_data = QueryDict(request.POST['form'].encode('ASCII')) order_form = OrderForm(data=form_data) Note: first part of the problem: Deserialize form in django...

How to set User-based form field choices in a django ModelForm (with django-allauth)

django,django-models,django-forms,django-allauth

Since this needs the currently logged in user then you have to do it in the View where you override the form characters QuerySet based on your user. form.character.queryset = Character.objects.filter(....) You can also pass the request.user to the form and do the filter there in the constructor. ...

Display image from ImageField by means of form

django,django-models,django-forms,django-uploads

As Selcuk mentioned the simplest solution was to create my own widget. class PictureWidget(forms.widgets.Widget): def render(self, name, value, attrs=None): html = Template("""<img src="$link"/>""") return mark_safe(html.substitute(link=value) class UserProfileForm(forms.ModelForm): photo = ImageField(widget=PictureWidget) ...

Django: Form check if field has no error

python,django,django-forms

You can check if the form has errors. <div class="form-group{% if field.errors %} has-error{% elif form.is_bound %} has-success{% endif %}"> This supposes the form variable in your template context is named form....

User specific data in automatic generated forms

django,django-forms,django-templates

In addition to awwester's answer I added this to my view class LearningObjectiveView( LoginRequiredMixin, FormView ): form_class = LearningObjectiveForm template_name = 'learningobjective.html' success_url = reverse_lazy( 'learning_objective' ) def get_context_data( self, **kwargs ): trainee = Trainee.objects.get( user = self.request.user ) context = super( LearningObjectiveView, self ).get_context_data( **kwargs ) context['learningobjective'] = LearningObjective.objects.filter(...

How to dynamically initialise FilteredSelectMultiple in django

jquery,django,django-forms,django-admin

The way the widget is written initializes it only on page load, so additional widgets that you add do NOT get initialized. The way to handle this is to link into the "added" event generated by the django dynamic formets. The following code I think will only work if you...

Cannot assign “u'2'”: “CartItem.product” must be a “Product” instance

django,django-models,django-forms,django-views

The issue lies at that line: cart_item = CartItem.objects.create(cart=cart, product=product) The create method expects product to be a Product instance, you are passing a string (u'2'). Use product_id instead of product: product_id = int(request.POST['product']) cart_item = CartItem.objects.create(cart=cart, product_id=product_id) This solves the code as it is but you should use the...

Form not showing in html - django

python,django,django-models,django-forms,modelform

Try using: return render(request, 'prueba.html', ctx) instead of return render_to_response('prueba.html',ctx,context_instance=RequestContext(request)) Also, don't foreget to import render as follows: from django.shortcuts import render ...

In Django-admin, how to add filter or search for foreign key select box?

python,django,django-models,django-forms,django-admin

Select2 is very handy to deal with such situation. You may check packages for Select2 integration with Django. django-select2 and django-easy-select2 both are good option to consider....

Return error message to custom form in Django

python,django,forms,django-models,django-forms

Answering my own question. I am a newbie and hence took a lot of time and effort to figure this our. I was simply missing this in my views: if form.is_valid(): #do something, add user ot DB return render(request, 'mudramantri/index.html', {'registered': True}) else: return render(request, 'mudramantri/index.html', {'form': form}) Since, I...

How to get a Django Prepopulated Model Form for User to *not* populate password

django,django-forms,modelform

Django ModelForm have widgets attribute and also you can use forms widgets PasswordInput for password field let's assume you already have working view..so I skip the full view here #views.py form = UserForm(request.POST, instance = user) set the widgets like #forms.py widgets = { 'password':forms.PasswordInput(render_value = True), } And using...

Show related model info in Django form

python,django,django-forms

Within your template is it possible to loop over the forms in a formset. See https://docs.djangoproject.com/en/1.7/topics/forms/formsets/#using-a-formset-in-views-and-templates. So I would make a FormSet containing PhoneNumber modelforms. While looping over the forms, use form.instance.person.address....

Django: Passing value from template to view

django,django-forms,django-views,streaming,httpresponse

EDIT : ModelForm part removed, no need to save the data in DB so using classic form this way : Method 1 : Classic Form without Model using Django in your forms.py from django import forms class InputNumeroForm(forms.Form): numero = forms.IntegerField() in your views.py from django.shortcuts import render def stream_response(request):...

How to DRY (myself) in Django form for Create and Edit Form

django,django-forms,django-templates,dry

There can be two ways to accomplish this:- 1) Make the name field required inside the model by adding 'blank=False'. name = models.CharField(blank=False) 2) If you don't want to modify blank setting for your fields inside models (doing so will break normal validation in admin site), you can do the...

'unicode' object has no attribute 'get' Django beginner

django,python-2.7,django-forms

Your post method is returning the result of reverse, which is a string, ie the URL. You actually need to return a redirect response. The redirect shortcut can do this for you directly: from django.shortcuts import redirect ... def post(self, request, *args, **kwargs): ... return redirect('detail_pasta', hash=item.url) ...

django override model save() method

django,django-models,django-forms,django-views

Don't do that in the model. Do it in the view. profile_form = ProfileForm(request.POST) if profile_form.is_valid(): profile = profile_form.save(commit=False) profile.user = request.user profile.save() ...

Django template/form for user input

python,django,django-forms,django-rest-framework

Ok, so you need a page with a form on it first of all; <form action="{% url 'searchview' %}" method="GET"> <label>A:</label> <input name="a"> <label>B:</label> <input name="b"> <button type="submit"> Search </button> </form> Then an URL to capture that; url(r'^search/(?P<a>\w+)/(?P<b>\w+)/$', 'views.search_view', name="searchview") Then a view to handle that URL; def search_view(request, a,...

Replace ArrayField for several fields from other models in django-admin

django,django-models,django-forms,django-admin

Well, I'll show my a bit dirty way to achieve this. I've overrided/created changeform_view of admin.ModelAdmin and corresponding functions/templates: get_rel_fieldsets, change_form.html maybe something else... The code below is designed for use with categories, which can inherit some parameters from ancestors (shown as ro) and specify themselves parameters (shown as rw)....

Adding another model to a form?

django,django-forms,django-views

You can't use this syntax to use multiple model in a form. Admin backend makes extensive use of InlineModelFormSet to handle such relations. Take a look to https://docs.djangoproject.com/en/1.8/topics/forms/modelforms/#inline-formsets

authentication in django with extending one-to-one relationship

django,django-forms,django-views,django-authentication,django-login

If you are using django's authentication function (i.e. from django.contrib.auth import authenticate), then you should check how authentication function has been implemented. check here from django's source code. Here in line 72: .... try: user = backend.authenticate(**credentials) except PermissionDenied: .... and backend.authenticate is implemented like this: def authenticate(self, username=None, password=None,...

Django Form Wizard With Fieldsets

django,forms,django-forms,django-formwizard

Oh I feel stupid. This was way easier than I expected. For some reason I completely misunderstood the {{wizard.form}} functionality. To use the fieldsets from django-form-utils. Just use {{wizard.form.fieldsets}}....

Posting data from a form into the database using Django

django,django-models,django-forms

Lot's of Changes needed to your code. I'm posting a working version so that you can try. Put profile.html file as bkmks/templates/bkmks/profile.html Get it working. Customize later. profile.html <form id="taskitem_form" method="post" action=""> {% csrf_token %} {{form}} <input type="submit" name="submit" value="Add Task" class ="btn btn-primary" /> </form> model as it is....

add foreign key fields to form

django,django-forms

You can add the first and last name fields to the AForm ModelForm in the following way: class AForm(ModelForm): first_name = forms.CharField(max_length=30, blank=True) last_name = forms.CharField(max_length=30, blank=True) class Meta: Model = A def __init__(self, *args, **kwargs): super(AForm, self).__init__(*args, **kwargs) self.fields['first_name'].initial = self.instance.u.first_name self.fields['last_name'].initial = self.instance.u.last_name def save(self, commit=True): self.instance.u.first_name =...

Django ModelForm: Making an “Other” Textarea manditory when the user selects “Other” from RadioSelect

django,django-models,django-forms

You have to define a custom clean method on you model (rather than on your form to make this validation more reusable) : models.py from django.core.exceptions import ValidationError class Person(models.Model): PARTY_BENEFIT = ( ('NO', 'No'), ('YES_DEMOCRAT', 'Yes, Democrat'), ('YES_REPUBLICAN', 'Yes, Republican'), ('YES_OTHER', 'Other') ) party_benefit = models.CharField(null=True, max_length=100, default=None, choices=PARTY_BENEFIT,...

Why is Django widgets for TimeInput not showing

django,django-forms,django-templates,django-views

The Django admin uses AdminTimeWidget to display time fields, not the TimeInput widget that you are using in your code. There isn't a documented way to reuse the AdminTimeWidget outside of the Django admin. Getting it to work is very hacky (see the answer on this question, which is probably...

admin registered staff user can't login django admin, form registered staff user can't

python,django,django-forms,django-admin,django-authentication

phew, I had to add something like this: AUTHENTICATION_BACKENDS = ( 'django.contrib.auth.backends.ModelBackend', ) ...

Django form validation: required fields not displaying errors when blank

python,django,django-forms,django-validation

Because you're redirecting even if the form is not valid. Instead, you should stay on the same view and re-render the form. The view should look like this: def create_advert(request): if request.POST: form = AdvertForm(request.POST, request.FILES) if form.is_valid(): ad = form.save(commit=False) ad.user = request.user ad.save() return HttpResponseRedirect('/adverts/list_adverts/0/') else: form =...

Django. UserCreationForm not rendering correctly

python,django,django-forms

If you look at the source code of the UserCreationForm you will see that these three fields are declaratively defined: class UserCreationForm(forms.ModelForm): ... username = forms.RegexField(...) password1 = forms.CharField(...) password2 = forms.CharField(...) ... According to the documentation, you cannot override them in Meta: Fields defined declaratively are left as-is, therefore...

Render in django can't passing an argument

django,django-forms,django-templates,django-views

The render statement isn't expecting a trailing comma like when you're defining a tuple, which is most likely what's causing the error, however your code could use some refactoring.... from django.contrib.auth.decorators import login_required from django.contrib.auth.models import User from django.core.urlresolvers import reverse from django.http import HttpResponseRedirect # assuming you're using your...

Django Model Design - Many-To-Many Fields

python,django,django-models,django-forms

Тhis is probably the simplest solution: models.py from django.db import models class CheckList(models.Model): name = models.CharField(max_length=255) checklist_type = models.ForeignKey('CheckListType') options = models.ManyToManyField('CheckListOption', blank=True) def __unicode__(self): return self.name class CheckListType(models.Model): name = models.CharField(max_length=255) options = models.ManyToManyField('CheckListOption') def __unicode__(self): return self.name class CheckListOption(models.Model): name =...

Why does my Django form keep saying “this field is required”

django,django-forms

Adding my comment as a proper answer: Please try adding enctype= multipart/form-data to your <form> element in your template file. If you don't have this element your request.FILES will always be empty. Copying from https://docs.djangoproject.com/en/1.7/topics/http/file-uploads/#basic-file-uploads: Note that request.FILES will only contain data if the request method was POST and the...

update / edit function in django one-to-one models

python,django,django-models,django-forms,django-views

You should construct UserProfileForm form with the UserProfile instance instead of User: profile = UserProfile.objects.filter(user=user).first() ... profile_form = UserProfileForm(data=request.POST, instance=profile) ... profile_form = UserProfileForm(instance=profile) If you are sure that profile is already exist then you can write: profile = user.userprofile instead of the filter().first() call....

Django add an attribute class form in __init__.py

python,django,forms,django-forms

You need to assign the field to form.fields, not just form. However this is not really the way to do this. Instead, you should make all your forms inherit from a shared parent class, which defines the captcha field....

django_countries does not display in the form on template

python,django,django-forms,django-countries

CountryField is a model field, not a form field. You're supposed to add it to your user model, in which case a modelform based on that model will automatically generate a country field. Since it looks like you have actually added a field called country to the User model, that's...

create input form for 540 fields in django. Best approach?

python,django,django-forms,django-formwizard

Django has a Form wizard that can store information accumulated across multiple pages, validating each step of the way. How it works Here’s the basic workflow for how a user would use a wizard: The user visits the first page of the wizard, fills in the form and submits it....

Get the django user in save while using django.form

python,django,django-models,django-forms,user-permissions

I finally solved the problem. The way I found was to save the form without the user but with the commit flag set to False and then calling the function save from the model with the user param. The form save method now looks like this def save(self, *args, **kwargs):...

Error saving all valid forms from a formset in django

python,django,django-forms,django-views

try this snippet function cloneMore(selector, type) { var newElement = $(selector).clone(true); var total = $('#id_' + type + '-TOTAL_FORMS').val(); newElement.find(':input').each(function() { var name = $(this).attr('name').replace('-' + (total-1) + '-','-' + total + '-'); var id = 'id_' + name; $(this).attr({'name': name, 'id': id}).val('').removeAttr('checked'); }); newElement.find('label').each(function() { var newFor = $(this).attr('for').replace('-'...

form.cleaned_data returns empty set

django,forms,django-models,django-forms

The basic problem here is within the definition of the form. Forms don't work with model fields, but need form fields instead. Only then are the fields built correctly. from django import forms class OrderForm(forms.Form): delivery_time = forms.CharField(max_length=100) address_city = forms.CharField(max_length=40) address_street = forms.CharField(max_length=40) address_building = forms.CharField(max_length=40) After that try...

How to check field type in django form?

django,django-forms

You can access the field object through field, and from there you'll have access to the widget object, which has an input_type for inputs: {{ field.field.widget.input_type }} ...

Form fields are not shown in django templates, only submit button

python,django,django-forms

Replace forms.Form with forms.ModelForm. This should work. class MyForm(forms.ModelForm): class Meta: model = User fields = ['username', 'first_name', 'last_name', 'email', 'password'] ...

Form Widget for CommaSeparatedIntegerField

django,django-models,django-forms

That is because the CheckboxSelectMultiple's value will be deserialized by Django to list a values (ex: ['1', '2']), not to a comma separated integer list (ex: '1,2') which CommaSeparatedIntegerField expects. A solution is to make subclass of CheckboxSelectMultiple that does what you want: class CommaSeparatedCheckboxSelectMultiple(CheckboxSelectMultiple): def value_from_datadict(self, *args, **kwargs): data_list...

ManagementForm Data is Missing When Using Formset Prefix

python,django,django-forms,django-views,formset

The problem is in method cars rendering to a response.html page and displaying the rendered form at url http://..../vehicle/cars instead of vehicle/trucks. The "Management Form Error" was raised because "POST" happened the second times while still at url vehicle/cars form and not in vehicle/trucks form. Updated 5 hinted the problem....

request.GET vs request.POST/Redirect/GET in django

django,django-forms

That depends on what your form does. If you're creating/modifying data, use POST. Otherwise, use GET (see http://en.wikipedia.org/wiki/Hypertext_Transfer_Protocol#Request_methods). You can still use form.cleaned_data with GET, you just have to pass request.GET to the form....

How to create Django form for a photo grid?

python,django,django-forms,django-templates,django-views

On the contrary, this is exactly a job for formsets: 'multiple identical form "components" all within the same form' is precisely what they are. class ReviewPhotosForm(forms.Form): DECISION_CHOICES = ( ('approve', 'Approve'), ('reject', 'Reject') ) ROTATE_CHOICES = ( ('none,', 'None'), ('right', 'Right'), ('left', 'Left'), ('flip', 'Flip') ) # hidden field to...

Replacing ManyToMany-Relation with ModelChoiceField

python,django,django-models,django-forms

After fiddling around I got an working solution. Wtowers proposal is not working. Why? Read that one: http://stackoverflow.com/a/13336492/2153744 So we have to handle everything on our own. forms.py # helper class: returning full_name instead of username class UserModelChoiceField(forms.ModelChoiceField): def label_from_instance(self, obj): return obj.get_full_name() class ProjectForm(forms.ModelForm): manager = UserModelChoiceField(queryset=User.objects.all(), label='Manager', required=True)...

How to save the value of a jQuery sliderbar into a Person model?

jquery,django,django-models,django-forms,django-views

I eventually found a way of solving this. The overarching problem was that I was trying to add information to my Person Model which was not 'generated/originated' from my forms.py / models.py in the traditional way but rather was being 'generated' on the page from my jQuery script. I knew...

DjangoRestFramework - How to pass a serializer form to the frontend?

django,angularjs,django-models,django-forms,django-rest-framework

Well here are a few things I think we might need to point out. Django forms are normally what you would use to create a new user, with a post request just like you are trying to do through DRF. Now you can do this through DRF, but thats not...

Pass json and deserialize form in django

json,django,django-forms,django-serializer

The form data is not encoded in JSON but as a query string. You can use urlparse.parse_qs from the standard library to parse that query string. Example: from urlparse import parse_qs form_data = parse_qs(request.POST['form'].encode('ASCII')) # Query strings use only ASCII code points so it is safe. # To access address_city:...

Where did Django form wizard go in django 1.8?

django,django-forms,django-views

The wizard is part of the formtools package which has been split off into a separate repository. New project: https://github.com/django/django-formtools/ More info: https://docs.djangoproject.com/en/1.8/releases/1.8/#removal-of-django-contrib-formtools...

Persistence of Redirect URL when redirecting after a POST and passing data

django,django-forms,http-post,http-redirect

You can use the Django session to achieve that.Here is the example by using your code. def register(request): if request.method == 'POST': if the_form.is_valid(): my_id = the_form.cleaned_data['myid'] email_addr = the_form.cleanedJ_data['emailaddr'] request.session['registration'] = {'my_id': my_id, 'email_addr': email_addr } request.session['form-submitted'] = True return HttpResponseRedirect(reverse('polls:registration_success')) def registration_success(request): if not request.session.get('form-submitted', False): # handle...