Home > front end >  How can I implement update and delete in django view?
How can I implement update and delete in django view?

Time:07-17

I am creating a movie review website. In it, I want to be able to allow a User to make one comment on one movie and then Update or Delete that comment. But I am only able to implement POST right now. How do I change the view, html or model?

Questions to ask

How can I keep the comments posted by a user at the top of the comment list so that they can be updated and deleted?

An example of what we would like to implement is Rotten Tomatoes.

class Comment_movie(models.Model):
    comment     = models.TextField(max_length=1000)
    stars       = models.FloatField(
                     blank=False,
                     null=False,
                     default=0, 
                     validators=[MinValueValidator(0.0),
                     MaxValueValidator(10.0)]
                  )

    user        = models.ForeignKey(CustomUser, on_delete=models.CASCADE)
    movie       = models.ForeignKey(Movie, on_delete=models.CASCADE)
    created_at  = models.DateTimeField(default=datetime.now)
    updated_at  = models.DateTimeField(auto_now=True)
    class Meta:
        unique_together = ('user', 'movie')
        indexes = [
        models.Index(fields=['user', 'movie']),
        ]
def view_movie_detail(request, movie_id):
    if not(Movie.objects.filter(id=movie_id)):
        Movie(id = movie_id).save()
    movie = Movie.objects.get(id=movie_id)
    if request.method == "POST":
        form = Comment_movie_CreateForm(request.POST)
        if form.is_valid():
            Comment_movie(
                comment = form.cleaned_data['comment'], 
                user = request.user,
                stars = form.cleaned_data['stars'],
                movie = movie
            ).save()
        return redirect('view_movie_detail', movie_id=movie_id)
        
    else:
        form = Comment_movie_CreateForm()
        data = requests.get(f"https://api.themoviedb.org/3/movie/{movie_id}?api_key={TMDB_API_KEY}&language=en-US")
        recommendations = requests.get(f"https://api.themoviedb.org/3/movie/{movie_id}/recommendations?api_key={TMDB_API_KEY}&language=en-US")
        comments = reversed(Comment_movie.objects.filter(movie_id=movie_id))
        average = movie.average_stars()
        context = {
            "data": data.json(),
            "recommendations": recommendations.json(),
            "type": "movie",
            "comments": comments,
            "average" : average,
            "form": form,
        }
        return render(request, "Movie/movie_detail.html", context)
<h2>Comments</h2>
    {% if form.errors %}
        <div class = "error_list">
            {% for errors in form.errors.values %}
                {% for error in errors %}
                    {{ error }}<br>
                {% endfor %}
            {% endfor %}
        </div>
    {% endif %}
    <form method="POST" enctype="multipart/form-data">
        {% csrf_token %}
        {{ form }}
        <button type="submit">Post Comment</button>
    </form>
    {% endif %}
    <hr>

CodePudding user response:

Looks like you want to do multiple actions in one view. One form for each action and a template field to differentiate actions would be a solution. In this specific case, 'create' action and 'update' action can be automatically determined if we take advantage of unique_together.

from django.shortcuts import get_object_or_404

def view_movie_detail(request, movie_id):

    # It makes little sense you create a movie with just an id attr
    # So I use get_object_or_404 instead
    movie = get_object_or_404(Movie, id=movie_id)

    try:
        comment_movie = Comment_movie.objects.get(user=request.user, movie=movie)
    except Comment_movie.DoesNotExist:
        comment_movie = None

    if request.method == 'POST':
        if request.POST.get('action') == 'delete':
            comment_movie.delete()
            return redirect('view_movie_detail', movie_id=movie_id)
        else:
            form = Comment_movie_CreateForm(request.POST, instance=comment_movie)
            if form.is_valid():
                form.save()
                return redirect('view_movie_detail', movie_id=movie_id)
    else:
        form = Comment_movie_CreateForm(instance=comment_movie)

    # Put your view logic outside of the conditional expression. 
    # Otherwise your code breaks when the form validates to False
    data = requests.get(f"https://api.themoviedb.org/3/movie/{movie_id}?api_key={TMDB_API_KEY}&language=en-US")
    recommendations = requests.get(f"https://api.themoviedb.org/3/movie/{movie_id}/recommendations?api_key={TMDB_API_KEY}&language=en-US")
    comments = reversed(Comment_movie.objects.filter(movie_id=movie_id).exclude(user=request.user))
    average = movie.average_stars()
    context = {
        "data": data.json(),
        "recommendations": recommendations.json(),
        "type": "movie",
        "comments": comments,
        "average" : average,
        "form": form,
        "comment_movie": comment_movie, # NOTE add the comment to context
    }
    return render(request, "Movie/movie_detail.html", context)

Note instance=coment_movie will make form use instance attribute when rendering in template.

And in your templates, render all three forms, and add ‘action’ to each form. One good place would be the submit button.

<h2>Comments</h2>
    {% if form.errors %}
        <div class = "error_list">
            {% for errors in form.errors.values %}
                {% for error in errors %}
                    {{ error }}<br>
                {% endfor %}
            {% endfor %}
        </div>
    {% endif %}
    <form method="POST" enctype="multipart/form-data">
        {% csrf_token %}
        {{ form }}
        {% if comment_movie %}
        <button type="submit">Edit Comment</button>
        <button type="submit" name="action" value="delete">Delete Comment</button>
        {% else %}
        <button type="submit">Post Comment</button>
        {% endif %}
    </form>
    {% endif %}
    <hr>
    {% for comment in comments %}
       <div>{{ comment.comment }}</div>
    {% endfor %}

Check out django-multi-form-view. This module does not fit your question perfectly, but shares some basic ideas.

Note two addtional submit buttons in template. They are rendered only if comment is not None, which means user has made comment before. The second button coresponds to action='delete'

To your question: Render the form first, and render the rest comments after the form such that user comment is always at top.

  • Related