[Django]-Django : saving form to database

4๐Ÿ‘

1) Change posted_on to automatically add the date posted.

posted_on = models.DateTimeField(auto_now_add=True)

2) Django will handle the pk id creation for you.

3) Why not use a ModelForm for this? Documentation.

class RecipeForm(ModelForm):
    class Meta:
        model = Recipe

You can either use exclude or include on fields to make sure your form only contains the fields from Recipe that you want to include in your form.

2๐Ÿ‘

models.py

class Recipe(models.Model):
    title = models.CharField(max_length=100)
    ingredients = models.TextField(max_length=200,help_text="Put the ingredients required for the recepies here !")
    instructions = models.TextField(max_length=500)

    posted_on = models.DateTimeField(auto_add_now=True)

    def __unicode__(self):
            return self.title

page.html

<!DOCTYPE html>

<head><title>New Recipe</title></head>
<body>
<h1>Add A new Recipe Here</h1>

<form action="/recipes/add/" method="post">
{% csrf_token  %}
     {% form.as_p %}
     <input type="submit" value="submit">
</form>
</body>
</html>

views.py

from django.contrib import messages
from django.core.urlresolvers import reverse
from django.http import HttpResponseRedirect
from django.shortcuts import render

def add(request):
    if request.method == 'POST':
            form = RecipeForm(request.POST)
            if form.is_valid():
                form.save()
                    return HttpResponseRedirect(reverse('app_name:url'))
            else:
                messages.error(request, "Error")
    return render(request, 'myApp/add.html', {'form': RecipeForm()})

Leave a comment