Django community: RSS
This page, updated regularly, aggregates Django Q&A from the Django community.
-
Django: how to save form and perform math operation with along side saving the form in django?
i am trying to save a form, and after i want to get the new_balance and update the value, i have a function that would save a form, and the form have a field amount, so what i want is this, if i save the form i want to get the new_balance and substract the new_form.amount from the balance, it works but doesn't seems to be saving the new_balance when i refresh my page it shows this alert The page that you're looking for used information that you entered. Returning to that page might cause any action you took to be repeated. Do you want to continue?. views.py @login_required def withdrawal_request(request): user = request.user profile = Profile.objects.get(user=user) total_investment = PurchasedPackage.objects.filter(paid=True, user=request.user).aggregate(Sum("investment_package__price"))['investment_package__price__sum'] bonus_earning = profile.earning_point total_ref_earning = profile.referral_point indirect_ref_earning = profile.indirect_ref_earning daily_login_earning = profile.daily_login_earning bonus_point = profile.bonus_point social_share_points = profile.social_share_points pending_payout = WithdrawalRequest.objects.filter(user=request.user, status="pending").aggregate(Sum("amount"))['amount__sum'] if pending_payout == None: pending_payout = 0 total_payout = WithdrawalRequest.objects.filter(user=request.user, status="settled").aggregate(Sum("amount"))['amount__sum'] try: all_earning = total_investment + bonus_earning + total_ref_earning + bonus_point + social_share_points + indirect_ref_earning + daily_login_earning except: all_earning = bonus_earning + total_ref_earning + bonus_point + social_share_points + indirect_ref_earning + daily_login_earning try: new_balance = total_investment + bonus_earning + total_ref_earning + bonus_point + social_share_points + indirect_ref_earning + daily_login_earning … -
Yandex Oauth2 social_django 400 Unknown client with such client_id
When i used 'social_core.backends.yandex.YandexOAuth2', yandex returned it to me: 400 Unknown client with such client_id, what i can do? my setup settings.py INSTALLED_APPS = [ 'django.contrib.admin', 'django.contrib.auth', 'django.contrib.contenttypes', 'django.contrib.sessions', 'django.contrib.messages', 'django.contrib.staticfiles', 'django_cleanup.apps.CleanupConfig', 'social_django', 'bootstrap5', ] AUTHENTICATION_BACKENDS = [ 'social_core.backends.yandex.YandexOAuth2', 'django.contrib.auth.backends.ModelBackend', ] SOCIAL_AUTH_URL_NAMESPACE = 'social' YANDEX_OAUTH2_CLIENT_KEY YANDEX_OAUTH2_CLIENT_SECRET my template file <a href="social/login/yandex-oauth2" class="btn btn-light col-2 m-2"> -
Django ImageField image uploaded correctly, but not being displayed in template
I am using Django 3.2 settings.py MEDIA_ROOT = os.path.join(BASE_DIR, 'public', 'media') MEDIA_URL = '/media/' models.py def get_dir(instance, filename): return os.path.join('users/profiles', filename) class Foo(models.Model): profile_pic = models.ImageField(blank=True, null=True, upload_to=get_dir) @property def profile_image(self): if self.profile_pic and hasattr(self.profile_pic, 'url'): return self.profile_pic.url else: return getattr(settings, 'USER_DEFAULT_PROFILE_PIC', '/static/userprofile/img/blank-profile-picture.png') page.html <div> <div class="profile-img"> <img style="background-image: url('{{profile.profile_image}}');" /> </div> </div> When I create an instance of Foo and add a picture, the file is correctly saved in: /path/to/myproj/public/media/users/profiles/ However, when I view a page that renders the image, I get a 404 error: http://127.0.0.1:8000/media/users/profiles/tmp8jccrvwa.png However, when I do not load a picture, then the default blank profile is correctly displayed. Why is this? - and how do I fix it? Note: I have only tested this in development, and have not yet tested in production. Note: I am not appending STATIC and MEDIA paths to my urls.py (conditioned on DEBUG flag) - not sure if this is what is causing this issue. -
How do I get the size( gb , mb ) of a video in python?
class videos(models.Model): caption = models.CharField(max_length=200,null=True) videoes = models.FileField(default='Product.png', null=True, validators=[validators.FileExtensionValidator(allowed_extensions=['mp4','mkv']), validators.MaxLengthValidator(limit_value=(10))]) created = models.DateTimeField(auto_now_add=True) -
Individual product detail pages with django cms
I have an e-commerce app based on Django. The product model contains basic fields like name, brand, short description, etc. So far, I only have a "generic product detail page" that displays these information for each product. Now I want to create more extensive product detail pages for some of the products with django cms so that they contain more product information and seo keywords. This means that most products would just have the "generic" detail page and some have a more extensive version. I am using a url path like mydomain.com/products/ and the view finds the respective product to be displayed using the product-slug. So far, this "/products/..." path is handled outside of the django-cms url namespace. I am rather new to django cms and unsure how I should handle this project. My first idea would be: Add empty django-cms placeholders to the generic detail page Include the /products/... path in the django-cms namespace Run a script that creates a page in django-cms for each individual product (whenever a new product is added to the database, a new django-cms page must then be added as well programatically) Go to the products of high interest and add additional content with … -
TypeError at / Accept() got an unexpected keyword argument 'name'
I want to take data from user and save it to the database by using Django. Have tried to solve it. But I am not able to solve this problem and didn't find any working solution on the internet. I'm getting this error My views.py file def Accept(request): if request.method == "POST": name = request.POST.get("name","") phone = request.POST.get("phone","") email = request.POST.get("email","") school = request.POST.get("school","") degree = request.POST.get("degree","") university = request.POST.get("university","") skill = request.POST.get("skill","") about_you = request.POST.get("about_you","") previous_work = request.POST.get("previous_work","") accept = Accept(name=name,phone=phone,email=email,school=school,degree=degree,university=university,skill=skill,about_you=about_you,previous_work=previous_work) accept.save() return render(request,"accept.html") models.py class profile(models.Model): name = models.CharField(max_length=255) phone = models.CharField(max_length=12) email = models.EmailField(max_length=100) school = models.CharField(max_length=100) degree = models.CharField(max_length=100) university = models.CharField(max_length=100) skill = models.TextField(max_length=1000) about_you = models.TextField(max_length=1000) previous_work = models.TextField(max_length=1000) accept.html {% csrf_token %} Name Phone Email School Degree University Skills About You Previous Work Submit enter code here Here is the full traceback error -
Django oAuth2 without saving the user into the database
I'm currently coding a website with Django and I successfully implemented an external oAuth2. (I'm not using any libraries) the problem is that the user is saved in the database. I would like to avoid it for hosting costs reasons. In my current project, the oAuth2 is purely for verification purposes. Is there a way in Django to log in a user in without saving him to the database? I would like the website to keep him logged in if the page is refreshed but logged out if the page is closed. Thanks! -
Using icontains for search queries with spaces in Django
I made simple search through my site, which is searching through several models within app. It worked fine until i realized that it can't search queries with spaces. Is there any option to search with spaces? Model: class Event(BaseModel): name = models.CharField(max_length=255, blank=True) description = models.TextField(blank=True) Object Event.objects.create( name="Test query event", description="Test Description" ) Query itself: query = "test query" Event.objects.all().annotate(search=SearchVector("name")).filter(search__icontains=query) I'm using latest versions of Django+DRF+django-filters, but it's possible to add other packages to project. -
Makemigration with django4.0.6 and python3.10.5 doesn't work
I'm currently coding a blog as a side project, whenever I make a considerable modification in my models, I cannot migrate. This is my model from ckeditor.fields import RichTextField from django.contrib.auth.models import User from django.db import models from django.template.defaultfilters import slugify from django.urls import reverse class Tag(models.Model): name = models.CharField(max_length=255, default="Uncategorized") class Meta: ordering = ['name'] def __str__(self): return self.name def get_absolute_url(self): return reverse('blog:home') class Post(models.Model): ACTIVE = 'active' DRAFT = 'draft' CHOICE_STATUS = ( (ACTIVE, 'Active'), (DRAFT, 'Draft') ) title = models.CharField(max_length=255) title_color = models.CharField(max_length=50, default="white") header_image = models.ImageField(upload_to='images/headers', null=True, blank=True) author = models.ForeignKey(User, on_delete=models.CASCADE) table_content = RichTextField(default="CONTENTS", blank=True, null=True) body = RichTextField(blank=True, null=True) snippet = models.CharField(max_length=255, default="") date_published = models.DateTimeField(auto_now_add=True) status = models.CharField(max_length=10, choices=CHOICE_STATUS, default=DRAFT) slug = models.SlugField() tag = models.ManyToManyField(Tag) def __str__(self): return self.title + ' | ' + self.author.get_full_name() def get_absolute_url(self): return reverse('blog:article_details', args=(str(self.id), self.slug)) @property def date(self): return self.date_published.date() def save(self, *args, **kwargs): if not self.slug: self.slug = slugify(self.title) return super().save(*args, **kwargs) class PostPicture(models.Model): name = models.CharField(max_length=255, default="") files = models.FileField(upload_to="images/post") def __str__(self): return self.name Now, in my model, I had the class named Category and decided I don't need it anymore and just renamed it Tag. When I make migrations, I have this error … -
Dajngo template rendering
When i render blogpost.html page i can't see any content in my page. Please any devloper help me. My code look like this. My urls.py from django.urls import path from . import views urlpatterns = [ path('', views.index, name='Blog_home'), path('<slug:slug>', views.blogpost, name='blogpost'), ] my views.py from django.shortcuts import render from django.http import HttpResponse from blog.models import Post # Create your views here. def index(request): post = Post.objects.all() context = {'post':post} return render(request, 'blog/bloghome.html', context) def blogpost(request, post_id): post = Post.objects.filter(slug=slug) context = {'post':post} return render(request, 'blog/blogpost.html', context) Template Name:- blogpost.html {% extends 'basic.html' %} {% block title %}Blog{% endblock title %} {% block body %} <div class="contaier"> <div class="row"> <div class="col-md-8 py-4"> <h2 class=" blog-post-title">{{post.title}}</h2> </div> </div> </div> {% endblock body %} -
Where can I find a list of all available methods of a request object in Django DTL?
How can I know what methods are used for request object in DTL? {{ request.WHAT }} -
Django CMS: Error while setting up django-cms
I'm having a WSGI error while following the installation set up for django-cms from th official documentation. I ran test with python manage.py cms check and it was sucessful. Checking django CMS installation Sekizai Sekizai is installed [OK] Sekizai template context processor is installed [OK] Sekizai namespaces 'js' and 'css' found in 'home.html' [OK] Plugin instances ================ Plugin instances of 0 types found in the database [OK] The plugins in your database are in good order [OK] Presence of "copy_relations" All plugins and page/title extensions have "copy_relations" method if needed. [OK] PlaceholderField PlaceholderField configuration okay [OK] OVERALL RESULTS 9 checks successful! Installation okay But when I try running server, I get this thread of errors. Watching for file changes with StatReloader Performing system checks... System check identified no issues (0 silenced). July 22, 2022 - 08:47:41 Django version 3.2.14, using settings 'projcms.settings' Starting development server at http://127.0.0.1:8000/ Quit the server with CTRL-BREAK. Exception in thread django-main-thread: Traceback (most recent call last): File "C:\Users\adedi\Documents\Dev\Projects\Django\dj-cms\env\lib\site-packages\django\utils\module_loading.py", line 13, in import_string module_path, class_name = dotted_path.rsplit('.', 1) ValueError: not enough values to unpack (expected 2, got 1) The above exception was the direct cause of the following exception: Traceback (most recent call last): File "C:\Users\adedi\Documents\Dev\Projects\Django\dj-cms\env\lib\site-packages\django\core\servers\basehttp.py", … -
Celery unavailable after dockerization in a Django app
I have a Django app that I've been trying to dockerize. I've successfully dockerized Django with gunicorn and nginx so the main part of the app is running. However, I also have tasks that need to be run using Celery. I dockerized rabbitmq, and I think that was successful, as before installing it I had Connexion refused and I don't anymore. I only lack Celery to be dockerized so, as my tasks are not executed nor stored in the database, my Celery configuration is probably wrong, however I couldn't find where I'm going wrong with it. Here is my docker-compose.yml: version: '3.8' services: django_gunicorn: volumes: - static:/app/static - media:/media env_file: - env build: context: . ports: - "8000:8000" nginx: build: ./nginx volumes: - static:/static - media:/media ports: - "80:80" depends_on: - django_gunicorn rabbitmq3: image: rabbitmq:3-alpine ports: - 5672:5672 celery: restart: always build: context: . command: celery -A main worker -l info env_file: - env depends_on: - rabbitmq3 - django_gunicorn volumes: static: media: Dockerfile: FROM python:3.10.5-alpine RUN pip install --upgrade pip RUN wget https://upload.wikimedia.org/wikipedia/commons/b/b9/First-google-logo.gif -O media/media.gif COPY ./requirements.txt . RUN pip install -r requirements.txt COPY ./src /app WORKDIR /app COPY ./entrypoint.sh / ENTRYPOINT ["sh", "/entrypoint.sh"] entrypoint.sh: #!/bin/sh python manage.py migrate python … -
Django placing order (like restaurant etc)
I'm building an online restaurant website, I have an app with a few models containing the Menu. I want to add another app that utilizes the Menu models to populate multiple choice field. Something like an ordering page. But I've no idea how to do that. Also, how should my order model look like? -
I am trying to create an app that uses the Django REST Framework and Flask, but it is not working correctly
I'm having trouble with my python app using django and flask framework. It's creating a database and all of that stuff but when it tries to make a request to /api/v1/users, it always comes back with data errors. I've tried looking at the logs for the site and it says the same thing "connection refused" when the server makes a connection attempt, and I can't seem to figure out why this is happening. My code looks like this right now: from flask import Flask, jsonify, request import datetime app = Flask(__name__) db=sqlite3.connect('data.db') class User(object): def __init__(self, id, name, email, password): self.id = id self.name = name self.email = email self.password = md5_hash(password).hexdigest() def __repr__(self): return "<User %s>" % (self.id,) @app.route("/api/v1/users", methods=('GET', 'POST')) def users(): if request.method == 'GET': users = db.execute('SELECT * FROM user ORDER BY id ASC').fetchall() data = dict(users=users) return jsonify(data) elif request.method == 'POST': newuser = User(request.form.get('id'), request.form.get('name'), request.form.get('email'), request.form.get('password')) db.executemany("INSERT INTO user VALUES (?,?,?,?)", (newuser.id, newuser.name, newuser.email, newuser.password)) return jsonify(status="ok") else: return "Invalid method." @app.errorhandler(404) def page_not_found(e): return jsonify(status='Not Found') if __name__ == "__main__": app.run(host='0.0.0.0', port=5000) The error message I get in the logs is: 127.0.0.1 - - Referer: http://localhost:5000/api/v1/users 127.0.0.1 - - Connection: close 127.0.0.1 … -
Django User cannot login
I made a simple register and login script, the register script works and sends the user information to a database but the login does not log the user in. This is the login function in views.py: from django.shortcuts import render, redirect from django.http import HttpResponse from django.contrib.auth.forms import UserCreationForm from django.contrib import messages from django.contrib.auth import authenticate, login, logout from .forms import LoguserForm # Create your views here. def loginpage(request): if request.method == 'POST': username = request.POST.get('username') password = request.POST.get('password') user = authenticate(request, username=username, password=password) if user is not None: login(request, user) return redirect('home') context = {} return render(request, 'accounts/login.html', context) This is the login.html file: <body class="container"> <div class="loginbox"> <form id="login" class="input-group"> {% load static %} <img src="{% static 'accounts/images/logo.png' %}" id="loginlogo"> {% csrf_token %} <input type="text" class="inputfield" name="username" placeholder="Username"> <input type="password" class="inputfield" name="password" placeholder="Password"> <input type="submit" class="submitbtn" value="Login"></input> {% for message in messages %} <p>{{message}}</p> {% endfor %} <p1 class="registerp">New here? <a href="/register">Register</a></p1> </form> </div> This is the homepage code: def home(request): return HttpResponse('Home Page') When I try to login instead of redirecting me to the home page the URL changes to: http://127.0.0.1:8000/?csrfmiddlewaretoken=F63yG1ZNQTr4e6tRvjvj5TraSLeDDxAGCm1S89k4yuq21DyPgS4AlnfxA2KtnrA4&username=Tester&password=888tyuuyt -
how to display only domain name of the link in django?
i have a link <a href="{{ article.url }}" target="_blank">{{ article.title | safe}}</a> and link url name {{ article.url }} in my html file but i want to display only domain.com name without full url. i tried from urllib.parse import urlparse url = models.URLField() domain = urlparse(url).netloc in models.py than {{ article.domain }} in html file but get AttributeError: 'URLField' object has no attribute 'decode' -
Update form store none value when I submit the update form. How can I fix It?
I made a feedback form (def feedBack) so that a user can give feedback. It's working well. Now my motive to create an update form so that a user can be able update their feedback. I also have written a view for update feedback (def UpdateFeedback). But it's not working perfectly. When I submit the update form, then it updates none. Where did the actual problem occur? views.py: This view for storing feedback and it's working well. def feedBack(request,quick_view_id): quick_view = get_object_or_404(Products, pk=quick_view_id) if request.method == "POST" and request.user.is_authenticated: try: ProductREVIEWS.objects.create( user=request.user, product=quick_view, feedBACK=request.POST.get('feedBACK') ) return redirect('quick_view', quick_view_id) except: return redirect('quick_view', quick_view_id) else: return redirect('quick_view', quick_view_id) this view for update the feedback, but it's store none def UpdateFeedback(request, id): feedback = ProductREVIEWS.objects.get(pk=id) product_id = feedback.product.id reviewers = feedback.user if request.method == "POST": form = UpdateFeedbackForm(request.POST) if form.is_valid() and reviewers.id == request.user.id: UpdateFeedbackForm(request.POST) feedBACK = form.cleaned_data.get('UpdateFeedBACK') feedback.feedBACK = feedBACK feedback.save() messages.success(request, "Feedback is updated") return redirect('quick_view', product_id) forms.py: class UpdateFeedbackForm(forms.ModelForm): class Meta: model = ProductREVIEWS fields = ('feedBACK') labels = { 'feedBACK':'Change Your View' } widgets = { 'feedBACK':forms.Textarea(attrs={'class':'form-control', 'style':'font-size:13px;'}) } models.py: class ProductREVIEWS(models.Model): user = models.ForeignKey(settings.AUTH_USER_MODEL, related_name='userREVIEW',on_delete=models.CASCADE) product = models.ForeignKey(Products, related_name='productREVIEWrelatedNAME',on_delete=models.CASCADE) feedBACK = models.TextField(blank=True, null=True) urls.py: path("feedBack/<int:quick_view_id>/", views.feedBack, name="feedBack"), path("UpdateFeedback/<int:id>/", … -
APScheduler is not starting on runserver in django
I followed a particular tutorial to implement APScheduler in my application but when I run my project the job is not called at all and I am having a hard time figuring what I did wrong The project directory looks like the following: reports auto_mails __init__.py send_mail.py migrations __init__.py admin.py allotmentkeys.py apps.py models.py tests.py urls.py views.py and views.py class AutoMails(APIView): def send_mail_test(self): subject = 'Password Reset Request' message = ' Password Reset Request. OTP is 454545 ' email_from = 'xxxx@xxx.com' recipient_list = ['yyy@xxx.com', ] print("called") send_mail(subject, message, email_from, recipient_list, fail_silently=False) send_mail.py from apscheduler.schedulers.background import BackgroundScheduler from reports.views import AutoMails def start(): print("reached") scheduler = BackgroundScheduler() mail = AutoMails() scheduler.add_job(mail.send_mail_test(),"interval", seconds=10, id="test_mails_001", replace_existing=True ) scheduler.start() apps.py from django.apps import AppConfig class ReportsConfig(AppConfig): name = 'reports' def ready(self): print("Sending Mails ..") from auto_mails import send_mail send_mail.start() urls.py path('auto-mails/', AutoMails.as_view()), When I run the project using python manage.py runserevr I get the following: C:\Users\Rahul Sharma\PycharmProjects\multitennant_v2\reports\views.py changed, reloading. Watching for file changes with StatReloader Performing system checks... System check identified no issues (0 silenced). July 22, 2022 - 12:25:31 Django version 3.0.5, using settings 'multitennant_v2.settings' Starting development server at http://127.0.0.1:8000/ Quit the server with CTRL-BREAK. where I was expecting to see Sending Mails.. given … -
How to enable URL MASKING changing HTTP HEADERS
I have a django application (version 4.0.3) and I want to URL MASK some specific URLs using new purchased domains (in this case GoDaddy) So what I want to do is: www.originaldomain.com/url1 beeing masked with www.newdomain.com. But when I redirect with mask in domain www.newdomain.com some HEAERS do not allow it (I know because GoDaddy tech support said me "something is blocking it"). If I do a normal redirect (301 or 302) it works, but not with URL Masking. I tryied removing X-Frame-Option: Deny using a django decorator to the view but still not able to make it work. Current response headers HTTP/1.1 200 OK Date: Fri, 22 Jul 2022 06:47:40 GMT Content-Type: text/html; charset=utf-8 Transfer-Encoding: chunked Connection: keep-alive Vary: Accept-Encoding Vary: Cookie, Accept-Language Content-Language: es X-Content-Type-Options: nosniff Referrer-Policy: same-origin Cross-Origin-Opener-Policy: same-origin Set-Cookie: csrftoken=UJp7VSdbT7BnFmc9wKnFZeKSKWjtGbLcEaLEqrZ0MAj8NhU69MDjZQIgWj5LhnWw; expires=Fri, 21 Jul 2023 06:47:40 GMT; Max-Age=31449600; Path=/; SameSite=Lax Set-Cookie: sessionid=bjtb3e42z9h9wd5tixsw3xpj23kiao1u; expires=Fri, 05 Aug 2022 06:47:40 GMT; HttpOnly; Max-Age=1209600; Path=/; SameSite=Lax X-Clacks-Overhead: GNU Terry Pratchett Content-Encoding: gzip Server: PythonAnywhere An explanation of how to find what is blocking it would also be very appreciated (like using -
How to change max_length of username in AbstractUser
Model.py class User(AbstractUser): username = models.CharField(max_length=20) Why does the phrase below appear in cmd? WARNINGS: ourtube.User: (auth.W004) 'User.username' is named as the 'USERNAME_FIELD', but it is not unique. HINT: Ensure that your authentication backend(s) can handle non-unique usernames. -
Setting value to default in a django for loop
I've been stuck on a rather simple issue, where i'm trying to either set a value on a variable in a for loop, or setting the default data to N/a. I set up a datatable that gathers lots of data, but i need to return 2 of the variables to N/a if not found in the for loop. In the code example below, you can see a generic example of what i've tried. In the 2 for loops i'm trying to set a global var, that i can than access outside of the for loop. I've done some reading and i just can't figure out the smartest way of doing this. Hence me asking the question here. Please do ask if you need additional information. {% for vlan, macs in info.vlans.items %} {% for mac in macs %} {% endfor %} {% endfor%} {% if vlan %} <td>{{vlan}}</td> {% else %} <td>N/a</td> {% endif %} {% if mac %} <td>{{mac}}</td> {% else %} <td>N/a</td> {% endif %} I did also try to set the values within the for loop, but it won't work for the ones that do not have a mac or vlan assigned, as it does not set … -
Why DjangoObjectPermissions is not working for admin user?
Problem: I have assigned DjangoObjectPermissions which is working perfectly working for normal users but Its not workign for admin users. models.py class Transformer(models.Model): name = models.CharField(max_length=150, unique=True) alternate_mode = models.CharField( max_length=250, blank=True, null=True) description = models.CharField( max_length=500, blank=True, null=True) alive = models.BooleanField(default=False) class Meta: ordering = ('name',) def __str__(self): return self.name serializers.py class TransformerSerializer(serializers.ModelSerializer): class Meta: model = Transformer fields = "__all__" views.py class TransformerList(generics.ListCreateAPIView): queryset = Transformer.objects.all() serializer_class = TransformerSerializer permission_classes = [DjangoObjectPermissions, ] def perform_create(self, serializer): instance = serializer.save() assign_perm("delete_transformer", self.request.user, instance) class TransformerDetail(generics.RetrieveUpdateDestroyAPIView): queryset = Transformer.objects.all() serializer_class = TransformerSerializer permission_classes = [DjangoObjectPermissions, ] settings.py INSTALLED_APPS = [ 'django.contrib.admin', 'django.contrib.auth', 'django.contrib.contenttypes', 'django.contrib.sessions', 'django.contrib.messages', 'django.contrib.staticfiles', 'rest_framework', 'snippets', 'class_based_api_views', 'guardian' ] AUTHENTICATION_BACKENDS = ( 'django.contrib.auth.backends.ModelBackend', 'guardian.backends.ObjectPermissionBackend', ) Testing created admin user -> username=admin created normal user -> username=user3 created one transformer post using user3 user. Object detail view Image of Object detail view Object's permission Image of object's permission user3 can delete his own post as expected Image for user3 can delete his own post as expected Admin can do everything on object: not expected Admin can do everything on object: not expected Question: Why Admin user can edit/delete object which he dont have permission. -
Resume parser in django
I need to build a resume parser web application in django where candidates just uploads their resume and the personal information fields in the form gets automatically filled. Candidates can upload resume in any format like doc,docs,jpg etc. Can anyone help me in how do I go about doing it, which libraries is good for this job I am running short on time, would appreciate the little help I get. Thank you -
Django CSRF token issue in incognito mode for all browsers
I have a django version 3.1.5 where i can login to admin using incognito mode of browser by entering username and password. But when I upgrade my django version to 3.2.14 and try to login admin using incognito mode of browser it shows Forbidden (CSRF cookie not set.). Is there is any method to solve this issue.