Django community: RSS
This page, updated regularly, aggregates Django Q&A from the Django community.
-
How to get previous Date can anyone please? Actually I m working on Blood donation project
#Models.py from django.db import models class User(models.Model): first_name = models.CharField(max_length=100) last_name = models.CharField(max_length=100) mobile_number = models.IntegerField() cnic = models.CharField(max_length = 13) blood_group = models.CharField(max_length= 10) last_donation = models.DateTimeField(auto_now_add=True) #Views.py from django.shortcuts import render from .models import * from .forms import UserForm from datetime import datetime,timedelta from django.contrib import messages def home(request): return render(request, 'home.html') def donor(request): if request.method == "POST": userform = UserForm(request.POST) if userform.is_valid(): userform.save() else: userform = UserForm() return render(request, 'donor.html',{'userform':userform}) #forms.py from django.core.exceptions import ValidationError from django.forms import ModelForm from .models import User from datetime import datetime,timedelta from django.shortcuts import render class UserForm(ModelForm): class Meta: model = User fields = "__all__" def clean_cnic(self): cnic = self.cleaned_data['cnic'] print("This is a cnic",cnic) if User.objects.filter(cnic = cnic).exists(): # i want to get previous date Actually I m working on Blood donation project. first time user will come he or she entered data and the date will automatically add Beacuse it is auto_now_add. Again the same user will come and entered data I will match the CNIC if user is exist if user exist then I have to get previous date and after getting previous date I have to minus previous date from current date to check it completed 90 days … -
Testing firebase push notification
I have done some setup looking at the documentation of django-fcm and wrote the following scripts. Now, I havent done the frontend part, but want to test it locally. Is there anyway we can test it from the localhost console like using curl request? My code: class PushNoti(models.Model): message = models.TextField(blank=True) notify_time = models.TimeField(blank=True) My view: #fcm firebase from firebase_admin.messaging import Message,Notification from fcm_django.models import FCMDevice message = Message( notification=Notification(title="title", body="text", image="url")) class NotificationView(viewsets.ModelViewSet): def create(self, request, *args, **kwargs): data= request.data serializer = self.serializer_class(data=data) if serializer.is_valid(): serializer.save() device = FCMDevice.objects.all() device.send_message(title="Title", body="Message",message=message,icon=None, data={"test": "test"}) FCMDevice.objects.send_message(message=message) return Response(serializer.data,status=200) return Response(serializer.errors,status=status.HTTP_400_BAD_REQUEST) When I call the post api the pushnoti object gets created without any error but I am not sure whether the notification is being sent to the channel or not. Also in setting file: INSTALLED_APPS = ( ... "fcm_django" ... ) FIREBASE_APP = initialize_app() FCM_DJANGO_SETTINGS = { # default: _('FCM Django') "APP_VERBOSE_NAME": "[string for AppConfig's verbose_name]", "ONE_DEVICE_PER_USER": False, "DELETE_INACTIVE_DEVICES": False, "UPDATE_ON_DUPLICATE_REG_ID": True, } Also, in the doc FCM_DJANGO_SETTINGS doenst have any server key field. Dont we need to provide a server key in the settings generated from the firebase?? -
Cannot resolve keyword 'book_hex' into field
I'm using Django. Instead of using a PrimaryKey to identify separate books, I thought of using a code to distinguish two books. I've implemented a random 10-digit code generator and I've plugged it in to the urlpatterns and functions. That all works. But now I can't access the code of a book in a ForeignKey as I could access id with the underscore in front: r = UserRents.objects.get(book_code=code) Django gives the following error: FieldError at /main/accept_rent_request/tQYMlQMIFM/ Cannot resolve keyword 'book_code' into field. Choices are: book, book_id, creation_date, id, status, user, user_id Here's the UserRents model: class UserRents(models.Model): book = models.ForeignKey(Book, on_delete=models.CASCADE, blank=True, null=True) user = models.ForeignKey(User, on_delete=models.CASCADE, blank=True, null=True) status = IntegerField(default=0) creation_date = models.DateTimeField(default=timezone.now) updation_date = 0 # Change to models.DateTimeField(default=timezone.now) when updated def __str__(self): return self.book.title How can I access the code property of the book to which the UserRents table is ForeignKeying to? -
Django Alluth Authentication Error in Production
I have integrated Google Login on production site. Basically Backend-Django(port-8000),Frontend-React(port-3000) inegration. I have manage successfully login with google login on http://example.com:8000/accounts/login/ But on Frontend its shows error. http://example.com:3000 ERROR is Now on my Google OauthId credentials are Authorized JavaScript origins http://example.com:8000 http://example.com:3000 Authorized redirect URIs http://example.com:8000/accounts/google/login/callback/ The error is not understanble for me as i am new to django world. Can someone guide me. -
How can i fix this error with using captcha in django?
My code[python version=3.10, django version=4.0]: def get_code(request): img = ImageCaptcha(200, 100) im = img.generate_image(chars='1234') fp = BytesIO() im.save(fp, 'png') return HttpResponse(fp.getvalue(), content_type='image/png') Error: TypeError at /get_code/ 'float' object cannot be interpreted as an integer Request Method: GET Request URL: http://localhost:8000/get_code/ Django Version: 4.0 Exception Type: TypeError Exception Value: 'float' object cannot be interpreted as an integer -
How to use multiple filters in same field in django?
I am trying to filter the same filed on different values. example of my API is- example.com/deals?store=amazon&store=flipkart&country=india I am using django-filter in the backend. Here is my code. class DealsList(generics.ListAPIView): throttle_classes = [UserRateThrottle] serializer_class = DealModelSerializer filter_backends = [DjangoFilterBackend, filters.SearchFilter] queryset = DealsModel.objects.all() filterset_fields = ['category','store', 'price', 'highest_price', 'is_all_time_low', 'discount','rating','product__country'] search_fields = ['product_name','category','store'] pagination_class = CursorSetPagination def list(self, request, *args, **kwargs): queryset = self.filter_queryset(self.get_queryset()) page = self.paginate_queryset(queryset) serializer = self.get_serializer(page, many=True) data = [] for item in serializer.data: lst = list(item.items()) # buy_url = Scrapper(lst[3][1]) # item['buy_url'] =buy_url.ConverttoAff() data.append(item) return self.get_paginated_response(data) When I am trying to filter the same field with multiple values it only shows the result of the first field. for example- example.com/deals?store=amazon&store=flipkart&country=india Here it filters out only the amazon stores, not flipkart. What is the best way to filter it out as per the requirements? -
Django filter column with OR statement
I found a question very similar to this one but that one did not specify how to return a specific column and I have been trying combinations for the past few hours with no luck. home_team_list2 = PreviousLossesNbav1WithDateAgg.objects.values_list('actual_over_under_result_field', flat=True).filter(Q(away_team_field="Chicago") | Q(home_team_field="Chicago")) This does not throw me any errors but it does not return anything. I am attempting to return that specific column from my models filtering on away team or home team equal to "Chicago" -
Django form_valid() doesnt work for registration
I'm Try to create Registration Form With Django. But When i try, Form Doesn't Work, The Data not send to Database. I Know Why the form can't work, because method form_valid is not working. My Question Is How do i know it's not working ? Where i found the error ?. This is my code. models.py class Account(AbstractBaseUser, PermissionsMixin): email = models.EmailField(_('email address'), unique=True) full_name = models.CharField(max_length=150) create_account = models.DateTimeField(default=timezone.now) is_active = models.BooleanField(default=False) is_staff = models.BooleanField(default=False) is_reviewer = models.BooleanField(default=False) is_admin = models.BooleanField(default=False) objects = CustomAccountManager() USERNAME_FIELD = 'email' REQUIRED_FIELDS = ['full_name'] def __str__(self): return self.full_name forms.py class RegistrationForm(UserCreationForm): def __init__(self, *args, **kwargs): super().__init__(*args, **kwargs) self.fields['full_name'].widget.attrs.update({ 'required' : '', 'type' : 'email', 'placeholder' : 'Nama Lengkap Anda', }) self.fields['email'].widget.attrs.update({ 'required' : '', 'type' : 'text', 'placeholder' : 'emailanda@universitasmulia.ac.id', }) self.fields['password1'].widget.attrs.update({ 'required' : '', 'type' : 'password', 'placeholder' : 'Password', }) self.fields['password2'].widget.attrs.update({ 'required' : '', 'type' : 'password', 'placeholder' : 'Konfirmasi Ulang Password', }) class Meta: model = Account fields = ("full_name", "email", "password1", "password2") views.py class RegistrationView(FormView): template_name = 'authentication/registration.html' form_class = RegistrationForm success_url = '/authentication' def form_valid(self, form): messages.success(self.request, 'Please Check Your Email For Infomation Detail!') print('Success Created Your Account') registration.html <form method="POST" class="register-form" id="register-form"> {% csrf_token %} <div class="form-group"> … -
What should i learn and how?
I want to become full stack developer and i want to learn HTML, CSS, JS and DJANGO(Python). which one i have to learn first and give how much time to each language. HTML CSS JS DJANGO -
Django ModuleNotFoundError: No module named 'my_app_name' while loading WSGI on ElasticBeanstalk
I'm trying to deploy my Django app to ElasticBeanstalk. I deployed my app without errors but when I access the root page it show 502 error and the log shows ModuleNotFoundError: No module named 'my_app_name' How can I solve this? Logs Dec 16 01:16:26 ip-172-31-43-109 web: File "/var/app/venv/staging-LQM1lest/lib/python3.7/site-packages/gunicorn/app/wsgiapp.py", line 48, in load_wsgiapp Dec 16 01:16:26 ip-172-31-43-109 web: return util.import_app(self.app_uri) Dec 16 01:16:26 ip-172-31-43-109 web: File "/var/app/venv/staging-LQM1lest/lib/python3.7/site-packages/gunicorn/util.py", line 359, in import_app Dec 16 01:16:26 ip-172-31-43-109 web: mod = importlib.import_module(module) Dec 16 01:16:26 ip-172-31-43-109 web: File "/usr/lib64/python3.7/importlib/__init__.py", line 127, in import_module Dec 16 01:16:26 ip-172-31-43-109 web: return _bootstrap._gcd_import(name[level:], package, level) Dec 16 01:16:26 ip-172-31-43-109 web: File "<frozen importlib._bootstrap>", line 1006, in _gcd_import Dec 16 01:16:26 ip-172-31-43-109 web: File "<frozen importlib._bootstrap>", line 983, in _find_and_load Dec 16 01:16:26 ip-172-31-43-109 web: File "<frozen importlib._bootstrap>", line 967, in _find_and_load_unlocked Dec 16 01:16:26 ip-172-31-43-109 web: File "<frozen importlib._bootstrap>", line 677, in _load_unlocked Dec 16 01:16:26 ip-172-31-43-109 web: File "<frozen importlib._bootstrap_external>", line 728, in exec_module Dec 16 01:16:26 ip-172-31-43-109 web: File "<frozen importlib._bootstrap>", line 219, in _call_with_frames_removed Dec 16 01:16:26 ip-172-31-43-109 web: File "/var/app/current/src/my_app_name/wsgi.py", line 18, in <module> Dec 16 01:16:26 ip-172-31-43-109 web: application = get_wsgi_application() Dec 16 01:16:26 ip-172-31-43-109 web: File "/var/app/venv/staging-LQM1lest/lib/python3.7/site-packages/django/core/wsgi.py", line 12, in get_wsgi_application … -
500 error on one specific page. Apache2. Ubuntu 18
As a developer, I have to let you know that I'm a great fan of Stackoverflow. I have solved so many problems thanks to all of you! Currently, I'm struggling with a 500 error. I have been looking for a solution through this page and the web, but I haven't found anything. I recently created a web app using tesseract to extract text from images. I successfully deployed the website using Ubuntu 18 and Django. The thing is that when I installed Apache2 to use it as an HTTP server the page that loads the images and converts them to text sent me a 500 error. The access logs are: [17/Dec/2021:01:48:59 +0000] "GET /main-app/downloads/ HTTP/1.1" 500 417 [17/Dec/2021:01:49:03 +0000] "GET /main-app/downloads/ HTTP/1.1" 500 417 The error logs are: [wsgi:error] [pid 755:tid 139986828527360] [wsgi:error] [pid 755:tid 139986761361152] in regards to how the page handles the request: file_path =os.path.join(BASE_DIR, file_url) str(file_path) if os.path.exists(file_path): path = open(file_path, 'r') mime_type, _ = mimetypes.guess_type(file_path) response = HttpResponse(path, content_type=mime_type) response['Content-Disposition'] = 'inline; filename=' + os.path.basename(file_path) # Just in case: "attachment; filename=%s" % '.csv' return response else: raise Http404 Just to let you know, I have granted 775 permissions to the folders that handle the app and … -
Assigning value to variable inside for loop
I have a for loop that goes through a list of cities as well as their broad variables (safety, affordability, transit, etc). If there's a match between the city's broad&specific variable and the broad&specific variable the user selects on the page then it assigns a weighted value else the value is 0. I am trying to add the values for each broad variable in the list but I get the error local variable 'city_variable1_value' referenced before assignment When I reference city_variable1_value and city_variable2_value as 0 before the first if statement then my total_city_value = city_variable1_value + city_variable2_value equals 0 when it should be 0.24 for example. The code is below! # list of each variable's broad category broad_variable_list = ["safety", "affordability", "transit", "language", "attractions"] # weighting of each variable ranking weight_variable1 = 0.33 weight_variable2 = 0.24 weight_variable3 = 0.17 weight_variable4 = 0.14 weight_variable5 = 0.12 def get_ranking(request): # if this is a POST request we need to process the form data if request.method == 'POST': # create a form instance and populate it with data from the request: form = RankingForm(request.POST) # check whether it's valid: if form.is_valid(): # process the data in form.cleaned_data as required specific_variable1 = form.cleaned_data['specific_variable1'] specific_variable2 … -
Errors in rendering booklist to templates
from django.http import HttpResponse booksList = [ { 'id' = '1', 'title' = "Beginner's Course in Django", 'description' = 'Foundational Course in Django'} { 'id' = '2', 'title' = "Intermediate Course in Django", 'description' = 'Next steps in Django' }, { 'id' = '3', 'title' = "Advanced Course in Django", 'description' = 'The complexities of Django' }, ] I am I am rendering data to a template using the above bookList and getting two errors: '[' was not closed Pylance and '{' was not closed Pylance Kindly advise. -
Django Forms, Class LoginForm(User): str() argument 'encoding' must be str, not tuple
I Got Error, class LoginForm(User): TypeError: str() argument 'encoding' must be str, not tuple. My Question, How To Call "AUTH_USER_MODEL" from forms.py. models.py from django.db import models from django.contrib.auth.models import AbstractBaseUser, BaseUserManager, PermissionsMixin from django.utils.translation import gettext_lazy as _ from django.utils import timezone class Account(AbstractBaseUser, PermissionsMixin): email = models.EmailField(_('email address'), unique=True) full_name = models.CharField(max_length=150) create_account = models.DateTimeField(default=timezone.now) is_active = models.BooleanField(default=False) is_staff = models.BooleanField(default=False) is_reviewer = models.BooleanField(default=False) is_admin = models.BooleanField(default=False) objects = CustomAccountManager() USERNAME_FIELD = 'email' REQUIRED_FIELDS = ['full_name'] def __str__(self): return self.full_name settings.py #User model AUTH_USER_MODEL = 'authentication.Account' forms.py from django import forms from django.contrib.auth.forms import UserCreationForm from django.conf import settings from .models import Account User = settings.AUTH_USER_MODEL class LoginForm(User): pass -
Django Media File Not Showing in Bucket
I have an issue trying to get my bucket to display both folders media and static. Currently when I collectstatic it only gets from static and not media. So It can obtain static from the bucket but not media files yet. How do I get media to show in my bucket? Policy: { "Version": "2012-10-17", "Statement": [ { "Sid": "PublicRead", "Effect": "Allow", "Principal": "*", "Action": [ "s3:GetObject", "s3:GetObjectVersion", "s3:PutObject", "s3:PutObjectAcl" ], "Resource": "arn:aws:s3:::<AWS_STORAGE_BUCKET_NAME>/*" } ] } with the following settings.py # All of this is in my console.aws.amazon to configure aws s3 static files only # If I am in prod # IAM Management Console AWS_ACCESS_KEY_ID = config('AWS_ACCESS_KEY_ID') AWS_SECRET_ACCESS_KEY = config('AWS_SECRET_ACCESS_KEY') # Amazon S3 Buckets AWS_STORAGE_BUCKET_NAME = config('AWS_STORAGE_BUCKET_NAME') AWS_S3_CUSTOM_DOMAIN = '%s.s3.amazonaws.com' % AWS_STORAGE_BUCKET_NAME AWS_S3_OBJECT_PARAMETERS = { 'CacheControl': 'max-age=86400', } AWS_DEFAULT_ACL = None AWS_S3_SIGNATURE_VERSION = 's3v4' AWS_S3_REGION_NAME = 'us-east-2' STATICFILES_DIRS = [ os.path.join(BASE_DIR, 'pages/static'), ] AWS_STATIC_LOCATION = 'static' STATICFILES_STORAGE = 'portfolio.storage_backends.StaticStorage' STATIC_URL = "https://%s/%s/" % (AWS_S3_CUSTOM_DOMAIN, AWS_STATIC_LOCATION) """ STATIC_ROOT = os.path.join(BASE_DIR, 'staticfiles') MEDIA_ROOT = os.path.join(BASE_DIR, 'media') """ AWS_PUBLIC_MEDIA_LOCATION = 'media/public' DEFAULT_FILE_STORAGE = 'portfolio.storage_backends.PublicMediaStorage' AWS_PRIVATE_MEDIA_LOCATION = 'media/private' PRIVATE_FILE_STORAGE = 'portfolio.storage_backends.PrivateMediaStorage' # Fixes Found another file with the destination path """ STATICFILES_FINDERS = ( 'django.contrib.staticfiles.finders.FileSystemFinder', #'django.contrib.staticfiles.finders.AppDirectoriesFinder', #causes verbose duplicate notifications in django 1.9 … -
'list' object has no attribute '_meta' plese help me out i was stuck
enter image description here recently I want to edit the row of the table but stocked there for among 3 days help me out to get rid out of this -
Can't connect dat.gui in my javascript on my django server
I'm new in web dev and I´m trying to import the dat.gui package library in my javascript, but it isn't working :c I'm using python and django to make the server, and I used the mehtod that comes in the docs in the HTML downloading the package and writting the root manually. It seems to read the package in the html but I don't know why I can't do the samething on my Javascript. HTML: JAVASCRIPT: import * as DAT from '/package/build/dat.gui.min.js' -
No messages being sent by celery beat (using django-celery-beat)
I am in the process of upgrading to celery 5.x for a Django project. Since there is no longer a @scheduled_task annotation, I changed all of those to @shared_task and wrote some code to create CrontabSchedule instances and associate PeriodicTask instances with those for each task that should run on a schedule. I am invoking that from a beat_init signal receiver. I'm running celery worker & beat as separate processes. I am logging info from the function that sets up the CrontabSchedule and PeriodicTask instances, and I see that log output from the celery beat process. Immediately after that, I see a DatabaseScheduler: Schedule changed." message. That's all as expected and good. Subsequently, however, celery beat just sits and does nothing. beat never sends any messages, and as a result, celery worker never executes any scheduled tasks. In django-admin shell_plus, PeriodicTask.objects.all() shows me many scheduled tasks with schedules that all look as they should. Here's 1 example from the output that should be running once per minute, every day: <PeriodicTask: dhnetwork.tasks.send_queued_mail: {0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,35,36,37,38,39,40,41,42,43,44,45,46,47,48,49,50,51,52,53,54,55,56,57,58,59} {0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23} * {1,2,3,4,5,6,7,8,9,10,11,12} {0,1,2,3,4,5,6} (m/h/dM/MY/d) America/Los_Angeles> Any ideas what I might be doing wrong and/or how to diagnose the problem? -
testing in Django
I am trying to test my Django application to get 100 % statement coverage. I Am using class-based view and overwriting some af the functionalities. One of them is the form valid in my AttendanceLogFormView in my views.py My question is how do I test that this method is working as it should with unit tests in Django? I am very new to testing so I very difficult for me to wrap me head around the concept I just know I need to test the if/else for statement coverage - but I don't know how? class AttendanceLogFormView(CreateView): model = AttendanceLog template_name = "attendancecode/Createattendancelog.html" form_class = AttendanceLogForm success_url = "/attendancecode/success/" # Checks if data input is valid and saves object def form_valid(self, form): obj = form.save(commit=False) user = "nadi6548" obj.date = date.today() getClass = Class.objects.get(name=obj.keaclass) getCourse = Course.objects.get(name=getClass.Course_name) getLocation = School.objects.get(id=getCourse.location_id) coords_1 = (getLocation.lat, getLocation.long) coords_2 = (obj.lat, obj.long) # check location and that student goes in the class if (geopy.distance.distance(coords_1, coords_2).km < 0.5) and Student.objects.get( username=user, Class_id=obj.keaclass): # check log is a code with correct info and correct date and that # student has subject + code is active if AttendanceCode.objects.filter( code=obj.attendanceCode, keaclass_id=obj.keaclass, subject_id=obj.subject_id, date=obj.date, isActive="True") and StudentHasSubject.objects.get( student_name_id=user, subject_name_id=obj.subject_id): … -
upload data using vanila javascript ajax and django1.11.17
using vanila javascript ajax and django1.11.17 , i wanna upload image with other data, and how to handle it in django. using vanila javascript ajax and django1.11.17 , i wanna upload image with other data, and how to handle it in django. var name=document.querySelector('#name').value; var lname=document.querySelector('#lname').value; var email=document.querySelector('#email').value; var password=document.querySelector('#password').value var CSRF=document.querySelectorAll('input')[5].value var file=document.querySelector('#file') var res=document.querySelector('.res') var formdata = new FormData(); formdata.append('image',file.files[0]); xhttp= new XMLHttpRequest(); xhttp.open('POST',"",true); xhttp.setRequestHeader("X-CSRFToken",pass); xhttp.setRequestHeader("content-type",'application/multipart/form-data'); xhttp.onload=function(){ if(this.status == 200){ res.innerText=this.responseText }else{ res.innerText='error' } } var data = {fn:name,ln:lname,em:email,pw:password,img:formdata} xhttp.send(JSON.stringify(data)) -
How do I match my bootstrap datepicker URL with my re_path on django?
I have this datepicker: <form class="d-flex justify-content-center ms-3" action="/" method="GET"> <input class="form-control me-3" type="date" name="date" placeholder="Search" aria-label="Search"> <button class="btn btn-outline-secondary" type="submit"> <svg xmlns="http://www.w3.org/2000/svg" width="20" height="20" fill="none" stroke="currentColor" stroke-linecap="round" stroke-linejoin="round" stroke-width="2" role="img" viewBox="0 0 24 24"><title>Search</title><circle cx="10.5" cy="10.5" r="7.5"/><path d="M21 21l-5.2-5.2"/></svg> </button> </form> When I select a date it returns an url like this: http://localhost:8000/?date=2021-12-15 The problem is I'm not being able to match it with my regular expression: re_path(r'^date=(?P<date>[0-9]{4}-?[0-9]{2}-?[0-9]{2})', DatePostListView, name='date-list') This regular expression works when the URL is: http://localhost:8000/date=2021-12-15 The problem is the "?" in the URL, but I don't know how to put that in my re_path (I have already tried with %3F and \? but doesn't work). The other solution may be modifying my datepicker, so I can get an URL like the one above when I pick a date, but I'm not sure how to do this. Hope someone can help me. Thanks -
How to add songs to my templates in views
if i post a song from my admin panel, i want the list of song to appear in the templates, i already created a models that allow me to post it, but i don't know how to create a views that allowed the song to appear in the templates, please how can i do this ? this is my empty views views.py from django.shortcuts import render from .models import Audio # Create your views here. def index(request): return render(request, 'index.html') this is my models.py i created models.py from django.db import models # Create your models here. class Audio(models.Model): book_title = models.CharField(max_length=100, null=False, blank=False) file = models.FileField(upload_to='file') author = models.CharField(max_length=100, null=False, blank=False) artist = models.CharField(max_length=100, null=False, blank=False) -
how to embed facebook video in django project
what is the easiest way to embed facebook live video or any facebook video in any django website ? I used https://github.com/jazzband/django-embed-video package but it's work only for youtube video . -
Django: Django_filters in a class-based views
I ask you if you know how put this filters : class CoursesFilters(django_filters.FilterSet): class Meta: model = Courses exclude = ('description') in this class view : class CoursesList(ListView): model = Courses template_name = 'courses_list.html' I used to build my applications using function-based views, and this is my first time use class-based views. Any idea? -
How to access HTTPS on development server
I have Django project, I tried to run develop SSL server by python manage.py runserver_plus --cert-file cert.crt, but anytime I get error Site doesn't reach, how i can fix it? I have mapped my hosts.ics file, tried also a sslserver, there is nothing working