Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Django - TypeError - save() got an unexpected keyword argument 'force_insert'

Tags:

python

django

Im new in Django and I can't figure out this error. Help please. It gave TypeError - save() got an unexpected keyword argument 'force_insert'. I tested the code below and they were able to save the new user registration but now it won't save anymore...

Here is part of the views.py that i think got some problem:

    from django.shortcuts import render, redirect
    from django.contrib.auth.forms import UserCreationForm
    from django.contrib import messages
    from django.contrib.auth.decorators import login_required
    from . forms import UserRegisterForm, UserUpdateForm, ProfileUpdateForm

    def register(request):
        if request.method == 'POST':
            form = UserRegisterForm(request.POST)
            if form.is_valid():
            username = form.cleaned_data.get('username')
            form.save(force_insert=False)
            messages.success(request, f'Thank you {username}! Your account has been created!')
            return redirect('login')
    else:
        form = UserRegisterForm()

    return render(request, 'users/register.html', {'form':form})

and the models.py

from django.db import models
from django.contrib.auth.models import User
from PIL import Image

class Profile(models.Model):
    user = models.OneToOneField(User, on_delete=models.CASCADE)
    image = models.ImageField(default='profile_pics/default.jpg', upload_to='profile_pics')

    def __str__(self):
        return (self.user)

    def save(self):
        super().save()

        img = Image.open(self.image.path)

        if img.height > 300 or img.width > 300:
            output_size = (300,300)
            img.thumbnail(output_size)
            img.save(self.image.path)'
like image 499
hadi tedi Avatar asked Sep 16 '18 06:09

hadi tedi


3 Answers

When you are overriding model's save method in Django, you should also pass *args and **kwargs to overridden method. this code may work fine:

def save(self, *args, **kwargs):
    super(Profile, self).save(*args, **kwargs)

    img = Image.open(self.image.path)

    if img.height > 300 or img.width > 300:
        output_size = (300,300)
        img.thumbnail(output_size)
        img.save(self.image.path)'
like image 99
ar-m-an Avatar answered Oct 22 '22 06:10

ar-m-an


You've overridden the save method, but you haven't preserved its signature. Yo need to accept the same arguments as the original method, and pass them in when calling super.

def save(self, *args, **kwargs):
    super().save((*args, **kwargs)
    ...
like image 17
Daniel Roseman Avatar answered Oct 22 '22 07:10

Daniel Roseman


I had the same problem.

This will fix it:

Edit the super method in your users/models.py file:

def save(self, *args, **kwargs):
    super.save(*args, **kwargs)
like image 3
steve Avatar answered Oct 22 '22 06:10

steve