120
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)'
19
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)
...
- [Django]-How can I register a single view (not a viewset) on my router?
- [Django]-What does error mean? : "Forbidden (Referer checking failed โ no Referer.):"
- [Django]-How to upload a file in Django?
4
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)
- [Django]-Serializing list to JSON
- [Django]-How Can I Disable Authentication in Django REST Framework
- [Django]-Django: using blocks in included templates
0
Python 3 version
I was looking for this error on Google and found this topic. This code solved my problem in Python 3:
def save(self, force_insert=False, force_update=False, using=None, update_fields=None):
super().save(force_insert, force_update, using, update_fields)
- Tested with
Django 3.0
andPython 3.8
.
- [Django]-Can we append to a {% block %} rather than overwrite?
- [Django]-Ignoring Django Migrations in pyproject.toml file for Black formatter
- [Django]-What is the easiest way to clear a database from the CLI with manage.py in Django?
Source:stackexchange.com