Django community: RSS
This page, updated regularly, aggregates Django Q&A from the Django community.
-
ImportError: cannot import name 'Movie' from partially initialized module 'movie.models' (most likely due to a circular import)
I have two apps, crew and movie, i've put the Movie table as a foreignkey to models on crew like actor,director etc so that i can access filmography of each of them. Also i did the same on Movie table to select each crew member while adding a movie details. but after entering python manage.py makemigrations iam getting the above error. crew/models.py This is where the error is showing from django.db import models from movie.models import Movie # Create your models here. class Crew_Temp(models.Model): name=models.CharField(max_length=30,blank=True,null=True) about=models.TextField(max_length=2000,blank=True,null=True) class Actor(models.Model): name=models.CharField(max_length=30,blank=True,null=True) photo=models.ImageField(upload_to='crew/actor') slug=models.SlugField(max_length=50,unique=True,blank=True) about=models.TextField(max_length=2000,blank=True) def __str__(self): return self.name class Director(models.Model): name=models.CharField(max_length=30,blank=True,null=True) photo=models.ImageField(upload_to='crew/director') slug=models.SlugField(max_length=50,unique=True,blank=True) about=models.TextField(max_length=2000,blank=True) def __str__(self): return self.name class Writer(models.Model): name=models.CharField(max_length=30,blank=True,null=True) photo=models.ImageField(upload_to='crew/writer') slug=models.SlugField(max_length=50,unique=True,blank=True) about=models.TextField(max_length=2000,blank=True) def __str__(self): return self.name class Cinematographer(models.Model): name=models.CharField(max_length=50, blank=True,null=True) photo=models.ImageField(upload_to='crew/cinematographer') slug=models.SlugField(max_length=50,unique=True,blank=True) about=models.TextField(max_length=2000,blank=True) def __str__(self): return self.name class Genre(models.Model): genre=models.CharField(max_length=10,blank=True) movies=models.Foreignkey(Movie,on_delete=models.CASCADE,null=True) def __str__(self): return self.genre class Certification(models.Model): certification=models.CharField(max_length=10,blank=True) movies=models.Foreignkey(Movie,on_delete=models.CASCADE,null=True) def __str__(self): return self.certification class Streaming(models.Model): logo=models.ImageField(upload_to='streaming/logo',blank=True,null=True) name=models.CharField(max_length=30,blank=True,null=True) def __str__(self): return self.name movie\models.py I haven't put the actor field yet because i dont know how to add more than one values to a field. from django.db import models from django.contrib.auth.models import User from crew.models import * from review_awards.models import * # Create your models here. class Movie(models.Model): name=models.CharField(max_length=100,unique=True,blank=True) slug=models.SlugField(max_length=100,unique=True,blank=True) year=models.CharField(max_length=5,blank=True) language=models.CharField(max_length=50,blank=True) … -
Django Static txt file not loading
This is my template file in blog app {% load static %} <!doctype html> <html lang="en"> <head> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1"> <title>Bootstrap demo</title> <link href="https://cdn.jsdelivr.net/npm/bootstrap@5.3.0/dist/css/bootstrap.min.css" rel="stylesheet" integrity="sha384-9ndCyUaIbzAi2FUVXJi0CjmCapSmO7SnpJef0486qhLnuZ2cdeRhO02iuK6FUUVM" crossorigin="anonymous"> </head> <body> <h1>Hello, world! Blog</h1> <a href="{% static 'blog/mystatic.txt'%}">Click Me</a> <script src="https://cdn.jsdelivr.net/npm/bootstrap@5.3.0/dist/js/bootstrap.bundle.min.js" integrity="sha384-geWF76RCwLtnZ8qwWowPQNguL3RmwHVBC9FhGdlKrxdiJJigb/j/68SIy3Te4Bkz" crossorigin="anonymous"></script> </body> </html> There is a static file in blog app 'mystatic.txt', which I am trying to load using anchor tag in above code, which is giving me error. I want to know why this is happening and what can I do to resolve it. -
Django with fetch any template [closed]
I created a Django project that uses RestframeWork but the END front of the project is outside the premises. So from a simple HTML file I can make Get and post with JavaScript using fetch. I manage to recover data from Django and make a registration but I cannot connect a user with the end point of Django which uses the login function, function to use by the administration panel. With a template I receive the session but apart from Localhost I cannot have a session, can I have your opinions? -
Sendig data from view.py to forms.py
I am working on a django-project for practice arithmetics. In a form the users may choice different difficulty levels. The options depends on the grade (in German "Jahrgang" = "jg"). In my view.py I can show the grade of the user ("print(user.jg)") ... and in the forms.py I can filter by the grade ("...filter(bis_jg__gte= 8") ... but how can I send the data (user.jg) to the filter (..filter(bis_jg__gte= user.jg)? the forms.py: def optionen(req, slug): kategorie = get_object_or_404(Kategorie, slug = slug) form = AuswahlForm(kategorie = kategorie) user = get_user(req.user) print(user.jg) zaehler = get_object_or_404(Zaehler, kategorie = kategorie, user = user) if req.method == 'POST': form = AuswahlForm(req.POST, kategorie = kategorie) if form.is_valid(): optionen_text = ';'.join(map(str, form.cleaned_data['optionen'])) if optionen_text == "": optionen_text = "keine" else: optionen_text = "keine" else: anzahl = kategorie.auswahl_set.all().count() if anzahl>0: anzahl = Auswahl.objects.filter(bis_jg__gte = user.jg, bis_stufe__gte = user.stufe, kategorie = kategorie).count() if anzahl>0: return render(req, 'core/optionen.html', {'kategorie': kategorie, 'auswahl_form':form}) and the relevant part in views.py: def optionen(req, slug): kategorie = get_object_or_404(Kategorie, slug = slug) form = AuswahlForm(kategorie = kategorie) user = get_user(req.user) print(user.jg) ... if req.method == 'POST': form = AuswahlForm(req.POST, kategorie = kategorie) When I add "form = AuswahlForm(req.POST, kategorie = kategorie , jg = user.jg)" to views.py … -
Display encoded video frames using React and Django
I'm new to web development and have been trying to solve a problem for some time but no luck. I'm using React and Django The thing is, there is a 3rd party application that performs some image processing using opencv on video frames and I've to display those encoded frames on the web browser. I want to receive those frames using Django API, decode them, and display them using React JS, also returning a response with every frame to that 3rd party app. I've prepared a flowchart of how things should work but haven't been able to start at all. Flowchart: The outcome on the browser should appear something like this. Outcome: Need to know how to approach this, shall I use WebSockets or can I send the encoded frames directly to React taking Django out of the picture. -
I need Barcode and QR code generating at the same time need printing through printer using django framwork
Multiple barcodes or QR codes I am unable to print dynamically from the front-end by selecting the number of barcodes/QR codes per Row and Number of rows and dynamic Height and width and space between and Row width and Height and padding all are dynamically selected from the front-end after submitting the form I need direct printing required through the printer. Actually, we have different types of stickers and their own sizes of multiple sizes, selection of each input from the front-end only. I mean that Barcode or QR code width and height, padding, margin, Number of rows, and each row how many barcodes or QR codes need to print with a label and sometimes without a label and how many rows I need and some times serial numbers following based on some serial numbers needed the barcode and QR code which selected from front-end. Dynamically I need to generate barcode/QR codes and at the same time, I need printing from a given printer. -
Django: How do I use a composite key as USERNAME_FIELD for django.contrip.auth.models.AbstractUser?
I have a custom user model extending django.contrip.auth.models.AbstractUser. The code model is as follows: class User(AbstractUser): name = "user" ROLE_CHOICES = [ # ...role choices ] email = models.EmailField() username = None role = models.CharField(choices=ROLE_CHOICES, default="CONSUMER", max_length=255) profile_picture = models.URLField(blank=True, null=True) dob = models.DateField(null=True, blank=True) country = models.CharField(blank=True, max_length=255) EMAIL_FIELD = "email" USERNAME_FIELD = "email" REQUIRED_FIELDS = ['email'] class Meta: verbose_name = "user" verbose_name_plural = "users" constraints = [ models.UniqueConstraint(fields=['email', 'role'], name='unique_email_per_role') ] Now I am getting error on USERNAME_FIELD because username has to be unique, but for my use case I want to keep the email unique per role. I have seen in django.contrib.auth.model.User there is is_staff column to identify staff role but in that way I do not want to keep on adding columns for every role. how do I define username for my model then? So that I can login to the django admin panel. -
Docker-compose with django and postgresql could not translate host name "db" to address: Name or service not known
I built a system using docker compose with 2 container, one for django and the other one for my database postgresql. I have this error django.db.utils.OperationalError: could not translate host name "db" to address: Temporary failure in name resolution when I am trying the create a django superuser My docker-compose.yml : version: "3.9" services: db: image: postgres volumes: - ./data/db:/var/lib/postgresql/data environment: - POSTGRES_DB=postgres - POSTGRES_USER=postgres - POSTGRES_PASSWORD=postgres networks: - mynetwork web: build: . command: bash -c "sleep 10 && python manage.py migrate && python manage.py runserver 0.0.0.0:8000" volumes: - .:/code ports: - "8000:8000" environment: - POSTGRES_NAME=postgres - POSTGRES_USER=postgres - POSTGRES_PASSWORD=postgres - DB_HOST=db # Définir DB_HOST pour correspondre au nom du service db dans docker-compose.yml depends_on: - db networks: - mynetwork networks: mynetwork: driver: bridge My Dockerfile : # syntax=docker/dockerfile:1 FROM python:3 ENV PYTHONUNBUFFERED=1 WORKDIR /code COPY requirements.txt /code/ RUN pip install -r requirements.txt COPY . /code/ In the seeting.py file of my project : import os DATABASES = { 'default': { 'ENGINE': 'django.db.backends.postgresql', 'NAME': os.environ.get('POSTGRES_NAME'), 'USER': os.environ.get('POSTGRES_USER'), 'PASSWORD': os.environ.get('POSTGRES_PASSWORD'), 'HOST': 'dbdo', 'PORT': 5432, #default port you don't need to mention in docker-compose } } The containeurs seem to work correctly, I can see my django app page and navigate. But … -
How to create a button to add items to cart?
This is the page I have created This is the views.py file: from django.shortcuts import render from django.http import HttpResponse from .models import Pizza # Create your views here. def index(request): pizzas = Pizza.objects.all().order_by('price') context = { 'pizzas': pizzas } return render(request, 'menu/index.html', context) And this is the index.html: <!DOCTYPE html> {% load static %} <html lang="en"> <head> <meta charset="UTF-8"> <title>Our Pizzas</title> <link rel="stylesheet" href="{% static 'menu/style.css' %}"> </head> <body> <a href="{% url 'main:index' %}"><img id='logo' src="{% static 'menu/images/small_logo.png' %}"></a> <h1>Our Pizzas</h1> <ul> {% for pizza in pizzas %} <table> <tr> <td id="one" ><b>{{pizza.name}}</b></td><td id="two">{{pizza.price | floatformat:2}}$</td> </tr> </table> <li id="ing">{{pizza.ingredients}}</li> {% if pizza.vegetarian %} <li style="background-color:#DD7835; padding:3px; width:90px; font-size:13px; text-align:center; border-radius:10px; font-weight:bold; " >VEGETARIAN</li> {% endif %} {% endfor %} </ul> </body> </html> How can I add buttons on my page where the user can add the pizzas to cart and the data is stored in the /admin page? this is my admin.py: from django.contrib import admin from .models import Pizza class PizzaAdmin(admin.ModelAdmin): list_display = ('name','ingredients','vegetarian','price') search_fields = ['name'] admin.site.register(Pizza, PizzaAdmin) # Register your models here. At the backend, the quantity of pizzas that the customer has ordered should be visible. -
How do I use HTMX with Django class based views?
I'm fairly new to htmx and django. I can implement htmx through function-based views OK, as I just call the function and return a partial.html file into the page. Howeverm I don't understand how to make it work with class-based views I'm now using in Django. I'd like to load comments on a blog post when a user clicks the Load comments button. My thought is that I'd need to use htmx to do a swap or insertion into a point on my page where I want the comments loaded. Here is my DetailView where I load the detail of an individual post. class PostDetailView(DetailView): model = Post template_name = "post_detail.html" def get(self, request, **kwargs): print("method is being called") return render(request, "partial.html") Here is my partial.html file that I'd like to be loaded into the page once the button on my post_detail.html page is clicked: <h2 class="mt-2 mb-2">Comments:</h2> {% if post.comments.all %} {% for comment in post.comments.all %} <div class="relative grid grid-cols-1 gap-4 p-4 mb-8 border rounded-lg bg-white shadow-lg"> <div class="relative flex gap-4"> <div class="flex flex-col w-full"> <div class="flex flex-row justify-between"> <p class="relative text-xl whitespace-nowrap truncate overflow-hidden">{{ comment.commenter }}</p> <a class="text-gray-500 text-xl" href="#"><i class="fa-solid fa-trash"></i></a> </div> <p class="text-gray-400 text-sm">{{ comment.date_added … -
Column Foreign key is of type bigint but expression is of type uuid in Django
I want to use UUIDField for primary key. This is my model: class Organization(models.Model): id = models.UUIDField(default=uuid.uuid4, primary_key=True, editable=False) name = models.CharField(max_length=124) All things is good. But when I want to use id of Organization model for ForeignKey in this model: class Member(models.Model): reference = models.ForeignKey('Organization', null=True, on_delete=models.PROTECT) name = models.CharField(max_length=124) I got this error: django.db.utils.ProgrammingError: column "reference" is of type bigint but expression is of type uuid LINE 1: "reference" = 'af104709-... ^ HINT: You will need to rewrite or cast the expression. What can I do? -
Django starts with another view endpoint before finishing the process in the first view endpoint
What I'm trying to do is create a User object first and then another Team Leader object in which the user attribute is linked to the same User object created. However, what happens is the Create Team Leader is being called BEFORE the Create User is done processing. Here is the Team Leader Model: class TeamLeader(models.Model): user = models.ForeignKey(User,on_delete=models.CASCADE) id = models.AutoField(primary_key=True) firstName = models.CharField(max_length=100,blank=True) lastName = models.CharField(max_length=100,blank=True) email = models.CharField(max_length=100,blank=True) username = models.CharField(max_length=100,blank=True) employeeRole = models.CharField(max_length=100,blank=True) bio = models.TextField(blank=True) profileimg = models.ImageField(upload_to='profile_images', default='blankprofile.png') location = models.CharField(max_length=100,blank=True) def __str__(self): return self.user.username I'm sending two post requests to my APIs using fetch in Javascript. Below is my code for the post requests. The first one creates the User object first, then the next one for the Team Leader object. let userUrl = homeUrl + 'api/createuser/' fetch(userUrl,{ method:'POST', headers:{ 'Content-type':'application/json', 'X-CSRFToken':csrftoken, }, body:JSON.stringify({"username": username, "first_name": firstname, "last_name": lastname, "email": email, "password": password1, "employeeRole": employeeRole, "teamLeader": teamLeader, }), } ) if (employeeRole == 'Member') { var regisUrl = homeUrl + 'api/createMember/'; } else { var regisUrl = homeUrl + 'api/createTeamLeader/'; } fetch(regisUrl,{ method:'POST', headers:{ 'Content-type':'application/json', 'X-CSRFToken':csrftoken, }, body:JSON.stringify({"username": username, "first_name": firstname, "last_name": lastname, "email": email, "password": password1, "employeeRole": employeeRole, "teamLeader": teamLeader, }), } … -
Django Error - Product Does Not Exist when clicking Buy button for first item in cart (If you have more than one product it works)
I'm a Django beginner working on a Django shopping website. When a user clicks the "Buy" button for a product, it should create an order and remove the product from the cart. However, I'm encountering an issue where I get a DoesNotExist error when trying to buy the first product that is added to the cart (If i add two products then it works). The error says "No Product matches the given query." and it is raised by the placeOrder view. This error only occurs for the first product that is added to the cart. If I add more products to the cart, I can buy them without any issues. I've checked the database and the product IDs are correct. I've also tried clearing the session and cache but it didn't resolve the issue. views.py from django.shortcuts import redirect, render, get_object_or_404 from django.contrib.auth import login, logout, authenticate from .forms import * from .models import Product, Cart from django.http import HttpResponse from django.urls import reverse # Create your views here. def home(request): products = Product.objects.all() context = { 'products': products } return render(request, 'website/home.html', context) # def placeOrder(request, i): # customer = Customer.objects.get(id=i) # form = createorderform(instance=customer) # if request.method == … -
django.urls.exceptions.NoReverseMatch: Reverse for 'password_reset_done' not found. 'password_reset_done' is not a valid view function or pattern name
I want to obtain the password_reset_done page when user has forgotten the password or username.On the login page there is a link written "forgot password or username", when a user clicks that link he will be directed to the password_reset page where an email address is entered.After the user has entered the email,he is supposed to be directed to the password_reset_done page but the above error pops out My urls.py file looks like this from django.contrib import admin from django.urls import path from app1.views import profile, welcome_view urlpatterns = [ path('accounts/', include(('django.contrib.auth.urls', 'auth'), namespace='accounts')), path('accounts/profile/', profile, name ='profile'), path('admin/', admin.site.urls), path('', views.welcome_view, name ="welcome_view"), ] -
I am trying to deploy docker image in to Aws lightsail Container
The problem is related to the Invalid HTTP_HOST header error in Django application. This error occurs when the HTTP_HOST header of an incoming request does not match any of the values specified in the ALLOWED_HOSTS setting in Django application. the error message indicates that the HTTP_HOST header received was '172.26.43.151:8000', and it suggests adding '172.26.43.151' to the ALLOWED_HOSTS list. To address the issue, I made the following changes: In my Django settings file (settings.py), i modified the ALLOWED_HOSTS setting to ALLOWED_HOSTS = ['*'], allowing any host to access your application. This change was made to accommodate the dynamic IP address of the Lightsail container. i updated the Nginx configuration file (default.conf) to listen on port 80 and forward requests to the Django application running on port 8000. i built the Docker image based on the provided Dockerfile, which sets up the necessary dependencies, installs the required packages, and configures Gunicorn as the application server. In Docker Compose configuration file (docker-compose.yml), i specified the port mapping as "80:8000", which maps port 80 of the host machine to port 8000 of the Docker container, allowing incoming requests to reach the Django application. Despite these changes, i still encountered the Invalid HTTP_HOST header … -
Django + Vue.js app: CORS blocks requests from getting to the backend
I am trying to deploy a Django + Vue.js app to an EC2 instance, after confirming that everything works correctly when running locally. Inside my Vue.js components, I have requests that look like this (using axios): const response = await this.$http.get('http://localhost:8000/api/foo'); However, firefox shows the following error in the console: Cross-Origin Request Blocked: The Same Origin Policy disallows reading the remote resource at http://localhost:8000/api/foo/. (Reason: CORS request did not succeed). Status code: (null). When looking at the Django logs, there is no log of ever getting a GET request, so I believe that the request is being blocked before ever getting to the backend. I am sure that the django backend is listening on port 8000, since I can use wget inside the EC2 instance and get correct results back. The Django backend is configured to allow all CORS origins, I think having the whitelist is overkill but I'm trying to make sure that's not the issue: INSTALLED_APPS = [ ... 'corsheaders' ] MIDDLEWARE = [ 'corsheaders.middleware.CorsMiddleware', ... ] ALLOWED_HOSTS = ['*'] CORS_ALLOW_ALL_ORIGINS = True CORS_ALLOW_HEADERS = "*" CORS_ORIGIN_WHITELIST = [ 'http://localhost:8000', 'http://127.0.0.1:8000' ] Since the request is not getting to the backend, I figured that maybe nginx is responsible … -
Not able to highlight my subject_id getting in my request for Django project
When the user clicks on a subject_id on one page, it redirects to a another page and on that page the subject_id in the request url, should be highlighted to the user, but somehow I am not able to see it. Open to suggestions, Added this in my javascript function, is this the right way to do it? if (data.name == {{subject_id|safe}}) { $('#dtBasicExample').DataTable().row(i).addClass('highlight-green'); } -
Control the Error from Meta class in Django model
I'm working with Blog website with Django, I have a model called Post and its like this: class Post(models.Model): user = models.ForeignKey(User, on_delete=models.CASCADE) title = models.CharField(max_length=100) txt = models.TextField() created_at = models.DateTimeField(auto_now_add=True) def __str__(self) -> str: return f"{self.user} {self.title}" class Meta: ordering = ['-created_at'] unique_together = ['title', 'txt'] and so when a user try to create more than one Post with the same title and text it must launch an Error, but I don't know how to control this error and turn it into a proper Error and code will launch the Constraint_failed error and I wanna control this kind of Errors not just in the Admin panel but in the User client side that User can see his mistakes and fix it. can anyone give a tip or solution. thanks. -
Replace image in static folder Django 1.5
I uploaded an image, which saved in the database correctly and I'm able to view it using an tag. Now I wanted to replace the image. I went to the static folder where the image is stored and deleted the old one, then replace it with the new one ( with same name and extension). The problem is when I refreshed my page, it still shows me previous image. What am I not doing correctly pls. I have restarted my machine. Restarted my apache server. But it still shows old image -
django pagination returns nothing
i'm not sure what went wrong here. spent hours trying to figure out. when run the program i can see list of objects displayed but none of pagination.html information is displayed. views.py def post_list(request): post_list = Post.objects.all() p = Paginator(post_list, 2) page_num = request.GET.get('page',1) posts = p.page(page_num) return render(request, 'blog/post/list.html', {"posts":posts}) list.html {% extends "blog/base.html" %} <!DOCTYPE html> <html> <head> {% block title %} My Post{% endblock %} </head> <body> {% block content %} {% for post in posts %} <ol> {{post.title}} by {{post.author}} published= {{post.status}} slug==> {{post.slug}} <span><a href="{{ post.get_absolute_url }}">details</a></span> </ol> {% endfor %} {% include "directory/pagination.html" with pages=posts %} {% endblock %} </body> </html> pagination.html <div class="pagination"> <span class="step-links"> {% if pages.has_previous %} <a href="?page=1">&laquo; first</a> <a href="?page={{ pages.previous_page_number }}">previous</a> {% endif %} <span class="current"> Page {{ pages.number }} of {{ pages.paginator.num_pages }}. </span> {% if pages.has_next %} <a href="?page={{ pages.next_page_number }}">next</a> <a href="?page={{ pages.paginator.num_pages }}">last &raquo;</a> {% endif %} </span> </div> -
Render(Deploy) ERROR: Ignored the following versions that require a different python version
I'm trying to deploy an Api using Render but i get this error ERROR: Ignored the following versions that require a different python version: 1.21.2 Requires-Python >=3.7,<3.11; 1.21.3 Requires-Python >=3.7,<3.11; 1.21.4 Requires-Python >=3.7,<3.11; 1.21.5 Requires-Python >=3.7,<3.11; 1.21.6 Requires-Python >=3.7,<3.11 ERROR: Could not find a version that satisfies the requirement pywin32==306 (from versions: none) ERROR: No matching distribution found for pywin32==306 [notice] A new release of pip available: 22.3.1 -> 23.1.2 [notice] To update, run: pip install --upgrade pip ==> Build failed the version of python i'm using is 3.11.2 and i already updated pip so i have the 23.1.2 version I'm new with this so it's my first time trying to deploy, it woude be really helpful if someone can explain what's going on and how i can solve it -
best way to compress uploaded photos and videos with python and django to reduce storage
Hoping I can get some suggestions here, thanks for the help. I am building a django python based web app where users will be able to upload photos and videos that they would take with their mobile phone. At this stage I would be limiting each user to 10 photos or videos, but we have high user volumes so the main concern here is storage space consumption. What are some recommended compression packages that could be used to store the photos and videos? Thanks for any recommendations. I had a look at tinypng which would be fine for images but I dont think it processes videos. I also expect that the file formats for the images and videos could be a range of formats, there is no specific format that I need to store the media files as. -
Can registered users create more users in a django app?
I'm trying to create an app in which a user (not admin) can add more users? Let me explain a little bit... If I log in the app as a user I would like to add clients without the intervention of the clients. Also such clients should be able to log in the app and see the information that I placed in their behalf, for instance their orders. I thought that maybe they can log with their email and drivers license number as password or something like that, information that would be provided at the time of me adding them (a client) to the system -
Generic Django template to display multiple tables
Is there a way to create a generic html table in Django. I want to reuse the same form.html to display entities with different columns. For example in the below code a pass a list of headers, and dynamically create the thead,but I need for each row in the body to get every value. So I need to iterate. Or is there any other approach to reuse templates in a mo generic way instead of build N templates for each table yuo need to display <table class="table table-bordered" id="vendor_table" style="text-align: center;"> <thead class="tables-success"> <tr> {% for header in list_headers %} <th>{{ header }}</th> {% endfor %} </tr> </thead> {% for row in list_values %} <tr> {% for header_name in list_headers %} <th> {{ row.{{ header_name }} }} </th> <--------- {% endfor %} </tr> {% endfor %} </table> -
Images in list in form Django, How?
Dear masters! Please help me with this question. models.py class New_tables(models.Model): TYPEBET_CHOICES = ( ('1','up'), ('0', 'down'), ) type_bet = models.IntegerField(choices=TYPEBET_CHOICES) form.py type_bet = forms.TypedChoiceField(choices=New_tables.TYPEBET_CHOICES) how to make sure that when you select from the list, there are not “up” and “down”, but that instead of them a picture is displayed, preloaded in /media/ ? I didn't find any information on the Internet.