Django community: RSS
This page, updated regularly, aggregates Django Q&A from the Django community.
-
Django: no such table: auctions_user_user_permissions
I wrote the Django program and registered some products with the admin panel. After making some changes in the codes, I encountered some problems: 1- It is no longer possible to enter the admin panel and it gives this error. 2- None of the product information is displayed and it seems as if there is no data on the site. what is the problem? # item detail page in views.py def item_detail(request, bidid): bid_desc = List.objects.get(pk = bidid, active_bool=True) nowbids = Bidmodel.objects.filter(listb_id = bidid) return render(request, "auctions/item_detail.html",{ "list": bid_desc, "comments" : Comments.objects.filter(listc_id = bidid), "now_bid": minbid(bid_desc.first_bid, nowbids), }) index.html: {% extends "auctions/layout.html" %} {% block body %} <h2>Active Listings</h2> {% if messages %} {% for message in messages %} <div>{{ message }}</div> {% endfor %} {% endif %} <div> {% for item in items %} <div> <img src= {{ item.image.url }} alt = "{{item.title}}"><br> <a>{{ item.title }}</a><br> <a>{{ item.category }}</a><br> <a><a>Frist Bid: </a> {{ item.first_bid }} $ </a><br> <a href="{% url 'item_detail' item.id %}">View Product</a> </div> {% endfor %} </div> {% endblock %} item_detail.html: {% extends "auctions/layout.html" %} {% block body %} {% if messages %} {% for message in messages %} <div>{{ message }}</div> {% endfor %} {% endif … -
WeasyPrint: Image not showing on linux (ubuntu)
I am using weasyprint it working on window perfectly and also it is working on linux when I used this string in html file like weasyprint my.html my.pdf It perfectly show image but when I do the below code so the image not showing I html_string = '<img src="http://domain_name/static/assets/images/logo/logo.png" alt = "Logo" /> <h1>images</h1>' # Create a PDF object from the HTML string #pdf = weasyprint.HTML(string= html_string, base_url=request.build_absolute_uri()).write_pdf(presentational_hints = True, stylesheets=[weasyprint.CSS(string='@page { size: letter; }')]) # # Create an HTTP response with the PDF content response = HttpResponse(content_type='application/pdf') response['Content-Disposition'] = 'attachment; filename="marksheet.pdf"' response.write(pdf) return response I used absolute_url but not showing images nothing get any idea why it not showing image -
can i host django website on shared hosting? if, yes what are the pros and cons of it?
i am working on a project of django and make it online but the price of VPS hosting price is high. So, i am getting for a affordable option. Many people suggest me for free trail of Azure or AWS, but i am uncertain for its speed and price after the trail end. If anyone upload their django website on shared hosting please share the speed of website. I did research for and came to conclusion that when i upload django website on shared hosting i will problem while setting the wsi or while creating superuser. Also my server get crashed frequently. -
How to upgrade Django 1.3.1 to 1.3.7 on Ubuntu in Docker
I have an old django project and I built it in docker for the development environment, django 1.3.1 is installed. (Python version is 2.7 setting in docker-compose) Is there any way to upgrade to django 1.3.7? Thanks for advance. I tried followings but don't work. apt-get upgrade django apt-get install python-pip and pip install [--upgrade] django==1.3.7 Downloading/unpacking Django==1.3.7 Cannot fetch index base URL http://pypi.python.org/simple/ Could not find any downloads that satisfy the requirement Django==1.3.7 No distributions at all found for Django==1.3.7 My dockerfile: FROM ubuntu:12.04 ... # Install dependencies RUN apt-get update \ && apt-get install -y \ apache2 \ libapache2-mod-wsgi \ mysql-server \ python-mysqldb \ python-django ... -
testing urls in django
hi I get some problems with my test in my Django project I want to write test for my URLs and one of my URLs gets an argument and I try a lot of ways and it still giving error that reverse relation doesn't match I gave the URL the id and I gave the greater and smaller sign to it but it still doesn't work -
How to filter rooms based on user's input as room_capacity , check_in_date and check_out date in Django
Here is my input form which takes user's input as room_capcity , check_in_date and check_out_date : HTML Page <!-- Filter form --> <form action="{% url 'Rooms:show_filtered_rooms' %}" method="POST" class="flex flex-row justify-center my-8 mx-10 space-x-4" > {% csrf_token %} <div class="flex flex-col"> <label for="room_capacity" class="text-xl font-semibold">Room Capacity</label> <select name="room_capacity" id="room_capacity" class="w-48 h-10 border-2 border-gray-300 rounded-md" > <option value="" hidden>Select Room Capacity</option> <option value="single">Single</option> <option value="double">Double</option> <option value="triple">Triple</option> </select> </div> <div class="flex flex-col"> <label for="check_in_date" class="text-xl font-semibold">Check In Date</label> <input type="date" name="check_in_date" id="check_in_date" class="w-48 h-10 border-2 border-gray-300 rounded-md" /> </div> <div class="flex flex-col"> <label for="check_out_date" class="text-xl font-semibold">Check Out Date</label> <input type="date" name="check_out_date" id="check_out_date" class="w-48 h-10 border-2 border-gray-300 rounded-md" /> </div> <button type="submit" class="px-1 py-1 bg-blue-500 text-white rounded-md hover:bg-blue-600" > Apply Filters </button> </form> <!-- Filter form ends --> Here is my logic in view.py file: def showFilteredRooms(request): if request.method == 'POST': room_capacity = request.POST.get('room_capacity') check_in_date = datetime.strptime(request.POST.get('check_in_date'), '%Y-%m-%d').date() check_out_date = datetime.strptime(request.POST.get('check_out_date'), '%Y-%m- %d').date() print(room_capacity) print(check_in_date) print(check_out_date) # Step 1: Get booked rooms with the specified capacity and overlapping date range booked_rooms = Booking.objects.filter( capacity=room_capacity, checkInDate__lte=check_out_date, checkOutDate__gte=check_in_date ).values_list('roomNo', flat=True) # Step 2: Get available rooms with the specified capacity available_rooms = Room.objects.filter( capacity=room_capacity ).exclude(roomNo__in=booked_rooms) print(available_rooms) context = { 'available_rooms': available_rooms, 'filter_applied': True, # … -
I am trying to implement swagger for my django drf project but it's displaying all endpoint methods I don't want post put delete methods
Actually I am trying to implement swagger for my django drf project but it's displaying all endpoint methods I don't want post put delete methods display in swagger what should I do Actually I am trying to implement swagger for my django drf project but it's displaying all endpoint methods I don't want post put delete methods display in swagger what should I do? -
How to dynamically add markers using Folium and JavaScript based on user input coordinates?
I'm working on a project where I'm using the Folium library to create interactive maps. I want to allow users to input coordinates (latitude and longitude) through a form, and upon submission, I'd like to dynamically add a marker to the map at the specified location. Here's what I have so far: <section> <h2>Mapa de ocorrência:</h2> <form id="coordinateForm"> Latitude: <input type="text" id="latitude" name="latitude"><br> Longitude: <input type="text" id="longitude" name="longitude"><br> </form> <div id="map">{{ map | safe}}</div> </section> The map came from this code def fazer_mapa(self): family = self.kwargs['family'] zoom_level = 4 colecoes = Colecao.objects.filter(family=family) latitude_values = list(Colecao.objects.filter(family=family).aggregate(Max('decimalLatitude'),Min('decimalLatitude')).values()) longitude_values = list(Colecao.objects.filter(family=family).aggregate(Max('decimalLongitude'),Min('decimalLongitude')).values()) if latitude_values == [None,None] and longitude_values == [None,None]: latitude_values = [-19.8688655,-19.8688655] longitude_values = [-43.9695513,-43.9695513] zoom_level = 16 # média de onde será o meio do mapa latitude_media = (sum(latitude_values))/2 longitude_media = (sum(longitude_values))/2 mapa_family = Map(location=[latitude_media,longitude_media],zoom_start=zoom_level,tiles='Stamen Terrain') return mapa_family._repr_html_() Could someone guide me on how to use JavaScript to capture the user's input for latitude and longitude and then add a marker to the map using Folium? I appreciate any help or examples you can provide! -
Deploy react js + django + CentOS + SSL
I need some help deploying react js + django + CentOS + SSL. Here's what I have: react-ui/src/config/constant.js BACKEND_SERVER = "http://mysite.mydomain.xxx:8000/api/"; react-ui/package.json "start": "HTTPS=true react-scripts start", "build": "HTTPS=true react-scripts build", react-ui/.env HTTPS=true yarn start django I know some of these are high risk entries, but I am working on getting this functional. ALLOWED_HOSTS = [ '*' ] CORS_ALLOW_ALL_ORIGINS=True # Load the default ones CORS_ALLOWED_ORIGINS = ["https://localhost:3000", "https://mysite.mydomain.xxx:3000"] CSRF_TRUSTED_ORIGINS = ["https://localhost:3000", "https://mysite.mydomain.xxx:3000"] SECURE_SSL_REDIRECT = True SESSION_COOKIE_SECURE = True CSRF_COOKIE_SECURE = True SESSION_EXPIRE_AT_BROWSER_CLOSE=True run django python manage.py runserver 0.0.0.0:8000 /etc/nginx/nginx.conf upstream mysite_server { server unix:/home/myuser/mysite/django-api/mysite.sock fail_timeout=0; } server { listen 80; server_name mysite.mydomain.xxx; #location = /favicon.ico { access_log off; log_not_found off; } #location /static/ { # root /home/myuser/mysite/django-api; #} #location / { # proxy_set_header Host $http_host; # proxy_set_header X-Real-IP $remote_addr; # proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for; # proxy_set_header X-Forwarded-Proto $scheme; # proxy_pass http://unix:/home/myuser/mysite/django-api/mysite.sock; # } return 301 https://mysite.mydomain.xxx$request_uri; } server { listen 443 ssl http2 default_server; listen [::]:443 ssl http2 default_server; server_name mysite.mydomain.xxx; root /usr/share/nginx/html; ssl_certificate "/etc/pki/tls/private/star-yyy-xxx.bag"; ssl_certificate_key "/etc/pki/tls/private/star-yyy-xxx.bag"; # ssl_certificate "/etc/pki/nginx/server.crt"; # ssl_certificate_key "/etc/pki/nginx/private/server.key"; ssl_session_cache shared:SSL:1m; ssl_session_timeout 10m; ssl_ciphers PROFILE=SYSTEM; ssl_prefer_server_ciphers on; # # # Load configuration files for the default server block. include /etc/nginx/default.d/*.conf; # location / { proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for; proxy_set_header … -
Flutter app uploaded on play store but not fetching data through django backend connection even though it the code was working fine in the local studi
I have created a flutter app whoch is connected with the django backend website and uploaded this app on playstore when the app was uploaded successfully I download the app and when I run the app and try to fetch the data to the app from website django backend connection no data was being fetched there was no cennection between the app and the django backend of website which I downloaded it on playstore even though the app was working fine in android studio during testing. This is the link of my app https://play.google.com/store/apps/details?id=com.beneprep.mdcat -
`pytest -rP` got error while `pytest` didn't to run Selenium with Django and pytest-django on Windows 11
I set tests/test_ex1.py as shown below. *I use Django 4.2.1, pytest-django 4.5.2 and Selenium 4.11.2 on Windows 11: django-project |-core | |-settings.py | └-urls.py |-my_app1 |-my_app2 └-tests |-__init__.py └-test_ex1.py # Here Then, I defined test_example() with print("OK") to test Django Admin in TestBrowser1 class as shown below: # "tests/test_ex1.py" from django.test import LiveServerTestCase from selenium import webdriver class TestBrowser1(LiveServerTestCase): def test_example(self): print("OK") driver = webdriver.Chrome() driver.get(("%s%s" % (self.live_server_url, "/admin/"))) assert "Log in | Django site admin" in driver.title Then, I could successfully run Selenium with pytest by not printing OK as shown below: $ pytest ===================================== test session starts ===================================== platform win32 -- Python 3.9.13, pytest-7.4.0, pluggy-1.2.0 django: settings: core.settings (from ini) rootdir: C:\Users\kai\test-django-project2 configfile: pytest.ini plugins: Faker-19.3.0, django-4.5.2, factoryboy-2.5.1 collected 1 item tests\test_ex6.py DevTools listening on ws://127.0.0.1:56055/devtools/browser/271a3af7-5697-47e5-a7db-fd80c52ed70d . [100%] ====================================== 1 passed in 5.11s ====================================== But, I could not successfully run Selenium with pytest -rP by getting the error below even though it printed OK. *pytest -s, pytest --capture=no and pytest --capture=tee-sys also got the same error below even though it printed OK as well: $ pytest -rP ===================================== test session starts ===================================== platform win32 -- Python 3.9.13, pytest-7.4.0, pluggy-1.2.0 django: settings: core.settings (from ini) rootdir: C:\Users\kai\test-django-project2 configfile: pytest.ini … -
Reverse for 'blog-single' with keyword arguments
I'm trying to create simple blog, I have a blog-home page that show the lastest puplished post and I want to open a single-blog page for each post but I encounter with this error : Reverse for 'blog-single' with keyword arguments '{'post_id': ''}' not found. 1 pattern(s) tried: ['blog/blog/(?P<post_id>[0-9]+)/\Z'] do you know how can I solve this ? [view](https://i.stack.imgur.com/eW6I4.jpg) [url](https://i.stack.imgur.com/kMdy0.jpg) [blog-home.html](https://i.stack.imgur.com/lvxOv.jpg) I check all the names and links in view, url and template but nothing was wrong -
Django Access Formset Instances from within Forms
I'm building a website where students can answer multiple questions on an assignment. I have models to store these objects. I'm trying to create a formset of questions for an assignment. To do this, I'm using an inlineformset_factory to handle multiple questions. It is important the questions be created before the formset is submitted, and that the formset updates each question. My application has the following models: Models from django.db import models class Assignment(models.Model): name = models.CharField(max_length=255) class AssignmentSubmission(models.Model): """Can be completed multiple times by students. Teachers can view/mark submissions.""" assignment = models.ForeignKey(Assignment, on_delete=models.CASCADE) class QuestionType(models.TextChoices): """Identifies what types of questions can be created.""" SHORT_ANSWER = "short_answer" LONG_ANSWER = "long_answer" FILE_UPLOAD = "file_upload" class Question(models.Model): """Used for adding additional submission fields to Quests. This model is used for all types of questions, including multiple choice, short answer, file upload, etc. """ instructions = models.TextField() assignment = models.ForeignKey(Assignment, on_delete=models.CASCADE) type = models.CharField( max_length=20, choices=QuestionType.choices, default=QuestionType.SHORT_ANSWER ) class QuestionSubmission(models.Model): """Used for storing a student's response for an individual question in an AssignmentSubmission. This model is used for all types of questions, including multiple choice, short answer, file upload, etc. When a student submits an Assignment, each Question will have a QuestionSubmission created … -
VSCode test tab for Django project, Apps aren't loaded yet
I am fighting for hours with configuring my django project to use this test tab of vs code with pytest. So for run of pytest --collect-only typed in terminal outside my .venv I am getting output as I expect - test are being collected. But after reloading tests in test tab and looking into output > python I got raise AppRegistryNotReady("Apps aren't loaded yet.") E django.core.exceptions.AppRegistryNotReady: Apps aren't loaded yet. =============================== warnings summary =============================== .venv/lib/python3.11/site-packages/_pytest/config/__init__.py:1373 /Users/dawid/Documents/Projects/parking_test/parking_test/.venv/lib/python3.11/site-packages/_pytest/config/__init__.py:1373: PytestConfigWarning: Unknown config option: DJANGO_SETTINGS_MODULE self._warn_or_fail_if_strict(f"Unknown config option: {key}\n") -- Docs: https://docs.pytest.org/en/stable/how-to/capture-warnings.html =========================== short test summary info ============================ ERROR parking/tests/test_api.py - django.core.exceptions.AppRegistryNotReady:... ERROR parking/tests/test_pytest.py - django.core.exceptions.AppRegistryNotRea... Here is my .vscode/settings.json { "python.linting.enabled": true, "python.linting.pylintEnabled": true, "python.formatting.provider": "black", "python.formatting.blackArgs": [ "--line-length", "79" ], "python.testing.pytestArgs": [ ".", ], "python.envFile": "${workspaceFolder}/.env", "python.testing.unittestEnabled": false, "python.testing.pytestEnabled": true, "python.testing.pytestPath": ".venv/bin/pytest", } ./pytest.ini [pytest] DJANGO_SETTINGS_MODULE=app.settings python_files = test*.py I tried many solution found mostly on stack/gh but none of them works for me -
Access to contents of the selected object in a Django OneToOneField
I would like to retrieve specific field data from a selected object within a OneToOneField relation. I have three models: Model1 contains the 'malfunction_1' field, which I intend to copy into the 'malfunction_3' field within Model3. Model2 possesses the OneToOneField. When a Model2 object is created and an object is chosen within the OneToOneField, another Model3 object should be generated. The content from 'malfunction_1' (Model1) and 'dynamik_2' (Model2) should then be duplicated into 'malfunction_3' and 'dynamik_3' fields, respectively. class Model1(models.Model): malfunction_1 = models.CharField(max_length=255, null=True, default=None) class Model2(models.Model): given_malfunctions = models.OneToOneField(Model1, blank=True, on_delete=models.CASCADE, default=None) dynamik_2 = models.CharField(max_length=255, default=None, blank=True) class Model3(models.Model): connection_to_model2 = models.ForeignKey(Model2, on_delete=models.CASCADE, default=None) malfunction_3 = models.CharField(max_length=255, null=True, default=None, blank=True) dynamik_3 = models.CharField(max_length=255, default=None, blank=True) would you use a receiver method or define a normal function for this use case? -
How to make django not duplicate custom class logs
I wrote MyClass which i'm using inside of DRF ViewSet "create" method. In this class i declared new logger with _set_logger method. The problem is that django duplicates MyClass logs, which I don't want: MyClass _set_logger method: import logging class MyClass: def _set_logger(self) -> None: self.log = logging.getLogger('logger_name') sh = logging.StreamHandler() sh.setLevel(logging.ERROR) formatter = logging.Formatter( "%(name)s | %(levelname)s | %(funcName)s | %(message)s" ) sh.setFormatter(formatter) self.log.addHandler(sh) The way i'm using MyClass in ViewSet "create" method: class SomeViewSet(ModelViewSet): def create(self, request, *args, **kwargs): obj = MyClass() obj.do_something(request) return super().create(request, *args, **kwargs) Logs: # my logs logger_name | funcName | CRITICAL | error_msg # django logs CRITICAL 2023-08-17 00:10:44,138 module_name 11 140294782023360 error_msg I tried changing logger_name to __name__ , expecting django and MyClass to use the same logger, but that didn't happen. class MyClass: def _set_logger(self) -> None: self.log = logging.getLogger(__name__) -
How to initialize Django database without using existing migrations?
I have a Django project, which contains dozens of migrations, and I want to initialize it on a new database. How do I do this without running all the migrations, which can take a lot of time to run? In earlier versions of Django, it used to have a "syncdb" command that you could run to create all tables in a blank database, bypassing all migrations. Current Django's migrate command has a --run-syncdb option, but the docs say: Creates tables for apps without migrations. Since all my apps have migrations, I interpret this to mean it does nothing in my case. Does modern Django no longer have anyway to initialize a database without tediously running through every single migration? Note, I'm not asking how to initialize a Django database. I'm asking how to do it more efficiently than by running migrations, which are designed to modify an existing database, not initialize one from scratch. -
Save generated image to model AND upload to S3?
I cannot find documentation on how to do what I need to do. My goal(s): User fills out a form with basic info Server-side a qr code is generated for that user. This qr code image needs to be uploaded to S3 to not bog down the server storage. This needs to be referenced in a model. WHY? This image will need to be displayed later in various front-end frameworks so at least the URL should be somewhere. It is stated lower but note: the s3 upload IS functional via form in admin. Currently I am building this out as an API to be used by various front-end frameworks so no forms in django will be used. All code is in testing mode so there is currently no security (just FYI). I am just trying to get this functionality working. Current model: from django.db import models # Customer model only class Customers(models.Model): customerId = models.CharField(max_length=25, unique=True) qr = models.FileField(upload_to='media/') #THIS IS WHERE IT WOULD BE STORED email = models.EmailField(unique=True) password = models.CharField(max_length=255) phone = models.CharField(max_length=20, unique=True) displayTag = models.CharField(max_length=255, unique=True) Views.py that is doing the saving from django.shortcuts import render from django.http import JsonResponse as j from qrewards_api_pj.helper import generate_id, … -
Django collectstatic ends up with "AWS S3 Boto3 Python - An error occurred (AccessDenied) when calling the DeleteObject operation: Access Denied"
I'm using Heroku+S3+Cloudfrong and I'm facing the titled error when trying to collectstatic. I'm having all the necessary IAM permissions, including AmazonS3FullAccess. The django settings set AWS_DEFAULT_ACL=None. My S3 bucket is configured with "Object Ownership" with "ACLs enabled" and it unblocks all public access (i.e. all set as public). Bucket Policy: { "Version": "2008-10-17", "Id": "PolicyForCloudFrontPrivateContent", "Statement": [ { "Sid": "AllowCloudFrontServicePrincipal", "Effect": "Allow", "Principal": { "Service": "cloudfront.amazonaws.com" }, "Action": "s3:GetObject", "Resource": "arn:aws:s3:::<my_bucket>/*", "Condition": { "StringEquals": { "AWS:SourceArn": "arn:aws:cloudfront::<my_stream>:distribution/<my_id>" } } } ] } Bucket CORs: [ { "AllowedHeaders": [ "Authorization" ], "AllowedMethods": [ "GET" ], "AllowedOrigins": [ "*" ], "ExposeHeaders": [], "MaxAgeSeconds": 3000 }, { "AllowedHeaders": [ "*" ], "AllowedMethods": [ "HEAD", "GET", "PUT", "POST", "DELETE" ], "AllowedOrigins": [ "*" ], "ExposeHeaders": [ "ETag", "x-amz-meta-custom-header" ] } ] The closest case I found here is AWS S3 Boto3 Python - An error occurred (AccessDenied) when calling the DeleteObject operation: Access Denied but it doesn't solve my issue... Thanks ahead -
Ngnix + Django + Gunicorn not found static and media
I'm trying to deploy the site on the server, but static and media are not loaded on it. I tried to juggle the url pattern and config nginx, but all in vain. The most interesting thing is that he loads only index.css, and does not see all the others server { listen 443; server_name domain.com; location /media { alias /root/djangoproj/media; } location /static { alias /root/djangoproj/static; } location / { proxy_pass http://unix:/run/gunicorn.sock; proxy_set_header Host $host; proxy_set_header X-Real-IP $remote_addr; proxy_set_header X-Forwarded-Proto $scheme; proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for; proxy_no_cache 1; proxy_cache_bypass 1; } } I tried to juggle the url pattern and config nginx -
Docker container Django debug mode true, still production mode
I have dockerized django app. And I have an .env file with debug=1. But when I run the docker container it is in apparently in production mode: debug=false. This is my docker-compose file: version: "3.9" services: app: build: context: . args: - DEV=true ports: - "8000:8000" env_file: - ./.env volumes: - ./zijn:/app command: > sh -c " python manage.py wait_for_db && python ./manage.py migrate && python ./manage.py runserver 0:8000" environment: - DB_HOST=db - DB_NAME=zijn - DB_USER=zijn - DB_PASS=235711 - DEBUG=1 depends_on: - db db: image: postgres:13-alpine volumes: - dev-db-data:/var/lib/postgresql/data/ environment: - POSTGRES_DB=dzijn - POSTGRES_USER=zijn - POSTGRES_PASSWORD=235711 volumes: dev-db-data: dev-static-data: and the .env file: DEBUG=1 SECRET_KEY="django-insecure-kwuz7%@967xvpdnf7go%r#d%lgl^c9ah%!_08l@%x=s4e4&+(u" DJANGO_ALLOWED_HOSTS=localhost 127.0.0.1 [::1] DB_NAME="zijn" DB_USER="zijn" DB_PASS="235711" DB_HOST=db DB-PORT=54326 And also my settings.py is debug mode=True: SECRET_KEY = os.environ.get('SECRET_KEY') # SECURITY WARNING: don't run with debug turned on in production! DEBUG = os.environ.get('DEBUG') == "True" ALLOWED_HOSTS = [] ALLOWED_HOSTS_ENV = os.environ.get('ALLOWED_HOSTS') if ALLOWED_HOSTS_ENV: ALLOWED_HOSTS.extend(ALLOWED_HOSTS_ENV.split(',')) Because it returns the message: dotenv.read_dotenv() dwl_backend-app-1 | CommandError: You must set settings.ALLOWED_HOSTS if DEBUG is False. And also the templates are not loaded. Question: how to start docker container with debug=True? -
Why am I seeing an NGINX 502 error in Chrome, only on MacOS?
I have a very strange issue happening. Multiple users have reported it, across multiple computers, and multiple sites. They keep getting an NGINX 502 error. It only occurs on Google Chrome. It has only been reported from users using MacOS. I have not been able to recreate the issue I haven't found anything in logs, aside from I can see the access failure. The only commonality between the sites, is they have all been a Django/NGINX/Uwsgi stack on CentOS. The issue is not present if the user switches to incognito. The issue persists if the website cache is cleared. The issue disappears if the entire browser cache is cleared. One site is new, the other is old and has not had a configuration change since the problem began. The problem is sporadic, and seemingly random. First noted in the past ~1 month. Any thoughts on this would be helpful. Since I can't recreate the issue, I am having a hard time troubleshooting. Thanks in advance. -
Django Select2 field query return no select options
On a Django model, I have a foreign key field 'owner', refer to User model. I have a view class and form class for the model instance creation page. I made the form 'owner' field using select2 widget as below. All worked fine. class OwnerWidget(ModelSelect2Widget): search_fields = ["name__istartswith", "email__icontains",] Now I changed the page to use bootstrap modal. All other model fields behaved okay but not the 'owner' field: when I type in search characters like 'te', it start to send query to the server, but server returned 404 not found. See log below. "GET /select2/fields/auto.json?term=te&_type=query&q=te HTTP/1.1" 404 2699 I have nowhere configured the path '/select2/fields/auto.json'. I guess it's select2 default path. Did I miss anything on the view or form classes in order for this path to work? or I need to configure a different URL path somehow base on my view and form? I added line below to the widget, but no help. model = settings.AUTH_USER_MODEL I have no clue how this select2 search work. Any help appreciated. -
Change email verify code to 6 digits code in authemail django
I am using authemail for email verifications of users. I need to change code's length to 6 and make it only digits. In authemail models I have following function and I want to override it. This function is not in any class. def _generate_code(): return binascii.hexlify(os.urandom(20)).decode('utf-8') I am attaching link so you can check models yourself authemail I have tried to override this function in my models like following but Its instead of my custom function, authemail's function is called. from django.db import models from authemail.models import EmailUserManager, EmailAbstractUser, SignupCodeManager, SignupCode import os import binascii from .auth import custom_generate_code class CustomSignupCodeManager(SignupCodeManager): def create_signup_code(self, user, ipaddr): code = custom_generate_code() signup_code = self.create(user=user, code=code, ipaddr=ipaddr) return signup_code def set_user_is_verified(self, code): try: signup_code = self.get(code=code) signup_code.user.is_verified = True signup_code.user.save() return True except self.model.DoesNotExist: pass return False class MyCustomSignupCode(SignupCode): objects = CustomSignupCodeManager() -
There is a problem for updating database using forms.form in Django and I want use only one 'update' button to update many database data
what I want do make is that show the existing data in the database to a user through HTML page. let a user update the existing data if he wants to do. Promblem 1> the problem is that,when running my code, a user input the new data and clicked 'update' button, but the update did not work. I don't know whether it is the reason or not, anyway, when I put 'def show_data' and 'def input' together, updating did work well. However 'def show_data'and 'def input' should be separate. 'def show_data' : it is for saving the data from excel file into the database using pandas 'def input': it is for receiving the input data from a user and updating the existing data with the input data Promblem 2> There are many 'update' button in the web page. I want to make only one 'update' button at the bottom of web page for updating all data user input into the database. Please refer to the below codes and result image. <forms.py> from django import forms from report.models import Upload, Memo class InputForm(forms.Form): item_id = forms.IntegerField(widget=forms.HiddenInput()) memo = forms.CharField() user_input = forms.CharField() <models.py> from django.db import models class Memo(models.Model): memo = …