Django community: RSS
This page, updated regularly, aggregates Django Q&A from the Django community.
-
celery nested task (tasks inside tasks)
I wrote 2 update_all_rss task but don't know which one is better. can someone explain it which one should I use? Info: each task is independent and doesn't need other task result. It would be greatly appreciated if you could provide me any suggestion to optimize overall performance of these tasks @shared_task(base=BaseTaskWithRetry, task_time_limit=600) def update_all_rss(): for xml_link_obj in XmlLink.objects.all().iterator(): update_single_rss.delay(xml_link_obj) vs @shared_task(base=BaseTaskWithRetry, task_time_limit=600) def update_all_rss(): xml_links = list(XmlLink.objects.all().iterator()) tasks = (update_single_rss.s(xml_link_obj) for xml_link_obj in xml_links) result_group = group(tasks) result_group() if it helps this is update_single_rss task: @shared_task(base=BaseTaskWithRetry, task_time_limit=120) def update_single_rss(xml_link_obj): channel_qs = Channel.objects.select_related('xml_link').prefetch_related("xml_link__rss_type").filter( xml_link=xml_link_obj) if channel_qs.exists(): channel = channel_qs.get() channel_parser = channel_parser_mapper(xml_link_obj.channel_parser) channel_info = channel_parser(xml_link_obj.xml_link) if channel.last_update != channel_info.get("last_update"): channel.last_update = channel_info.get("last_update") items_parser = items_parser_mapper(xml_link_obj.items_parser) items_info = items_parser(xml_link_obj.xml_link) ItemClass = item_model_mapper(xml_link_obj.rss_type.name) try: with transaction.atomic(): channel.save() items = ( ItemClass(**item, channel=channel) for item in items_info if not ItemClass.objects.filter(guid=item.get("guid")).exists() ) ItemClass.objects.bulk_create(items) except IntegrityError as e: return {"Message": str(e)} return {"Message": f"Channel {channel.title} was Updated"} return {"Message": f"Channel {channel.title} is Already Updated"} return {"Message": f"No channel for {xml_link_obj.xml_link} Exist"} -
Inner funtion gives error in Django Rest Framework
I have inner functions inside the main function with an IF statement but when the if condition is applied it gives this error (AssertionError: The request argument must be an instance of django.http.HttpRequest, not rest_framework.request.Request.) How can I solve this issue? Any help, please? views.py from .api_option23 import api_option23 from .api_option23 import api_option45 @api_view(["GET", "POST"]) def apiscanning(request, qrcode, action, curr_user): if request.method == "GET" or request.method == "POST": if action ==1: #do something elif action ==2: api_option23(parameters) elif action ==3: api_option45(parameters) -
Django: set filter manager at runtime
My Django app stores the same sets of data for multiple different chat servers. Each model has a server as a ForeignKey to track which server the data is from. In my views.py, I have a bunch of manager/model functions like this: def index(request) context = { 'most_pinged': User.objects.get_most_pinged_user(), 'top_emojis': Emojis.objects.get_top_emojis(user1), 'top_channels': Channels.objects.order_by('-messages')[:10] } etc. The problem: I want to make it so that these functions only operate on the data of ONE server at a time, and filter out all of the data from other servers. I'd have to write a bunch of filters, like so: def index(request, server_id): context = { 'most_pinged':User.objects.get_most_pinged_user(from_server=server_id), 'top_emojis': Emojis.objects.get_top_emojis(user1, from_server=server_id), 'top_channels': Channels.objects.filter(server__id=server_id).order_by('-messages') } Is there any way to make it so that instead of having to write a bunch of filters for my manager methods and such, I can just have User/Emoji/Chnanel.objects filter out all of the other server's data from the get-go? Managers can be used to filter data, but not dynamically like this (afaik). I'm willing to be flexible! -
Unable to setup webhook for Whatsapp Cloud API
I am trying to configure my django app url as a webhook in Whatsapp Cloud API to receive messages. On setting up the webhook, the whatsapp sends a request to the url with certain parameters and we have to return one of them to verify our url and then it is added as webhook. The problem is my app's url is not receiving any request from whatsapp. The app is hosted on pythonanywhere. I hit the same url from my browser and its working fine. I ran the same code on my local machine using ngrok and try to set up the url as webhook and it received the request from whatsapp. Furthermore i tried another flask url on pythonanywhere on another account and it also received the request. Hence it's not an issue with code or pythonanywhere also the url is accessable from browser. I am really confused. -
Django 4 - error unable to import ungettext from django.utils.translation
I'm getting the following error when trying to install djangocms-bootstrap4 File "C:\Users\warre\envs\ssenv\ssenv\Lib\site-packages\djangocms_bootstrap4\contrib\bootstrap4_grid\models.py", line 5, in <module> from django.utils.translation import ungettext ImportError: cannot import name 'ungettext' from 'django.utils.translation' (C:\Users\warre\envs\ssenv\ssenv\Lib\site-packages\django\utils\translation\__init__.py) -
Django: Validate DateTimeField based on another DateTimeField
I'd like to validate a DateTimeField based on another DateTimeField in the same mode, like so: class Operation(models.Model): machine = models.ForeignKey(Machine, on_delete=models.CASCADE) start = models.DateTimeField(auto_now_add=True) end = models.DateTimeField( null=True, blank=True, validators=[ MinValueValidator(start) ] ) I get a TypeError exception when POSTing: '<' not supported between instances of 'datetime.datetime' and 'DateTimeField' These are the variables: a datetime.datetime(2023, 1, 10, 0, 25, 29, tzinfo=zoneinfo.ZoneInfo(key='America/Sao_Paulo')) b <django.db.models.fields.DateTimeField: start> self <django.core.validators.MinValueValidator object at 0x104ded4d0> I suppose I need to extract the datetime.datetime from the field, but I can't seem to do it from inside the model validator. Any tips? Thank you. -
Detecting if a site is refreshed on a mobile phone
I developed this js code, that should detect when a site is loaded for the first time or is refreshed. I send this information tho a django view. The problem is that it works on PC but not on mobile devices like phones, tablets, etc... Here is the javascript code: window.addEventListener('load', function() { // Check if the page has been reloaded var isReloaded = sessionStorage.getItem('isReloaded'); if (!isReloaded) { // It's the first visit or a new session sessionStorage.setItem('isReloaded', 'true'); // Perform actions for the first visit here } // Send the reload information to the server var isRefreshed = isReloaded ? 'true' : 'false'; var csrfToken = '{{ csrf_token }}'; $.ajax({ type: "POST", url: '', data: { 'is_refreshed': isRefreshed, 'csrfmiddlewaretoken': '{{ csrf_token }}' // Include CSRF token for security }, dataType: 'json', success: function(data) { // Handle the response from the server here, if needed console.log(data.message); }, error: function(xhr, status, error) { // Handle errors here, if needed console.error(error); } });// Replace with your CSRF token // Make an AJAX request here to send 'isRefreshed' and 'csrfToken' to the server. }); -
Django TypeError: issubclass() arg 1 must be a class when trying to create a simple tag
When trying to create a simple tag in django to reassign a variable in a django template, I am getting the error TypeError: issubclass() arg 1 must be a class. custom_templates.py: from django import template register = template.Library() @register.simple_tag def define(val=None): return val part of my settings.py: ... INSTALLED_APPS = [ "django.contrib.admin", "django.contrib.auth", "django.contrib.contenttypes", "django.contrib.sessions", "django.contrib.messages", "django.contrib.staticfiles", "crispy_forms", "crispy_bootstrap4", "main.apps.MainConfig", "register.apps.RegisterConfig", "main.customtemplates.custom_templates.define" ] ... I believe this is everything interacting with my simple tag, if any other information is required, please let me know. Any help is appreciated! I've tried giving the val argument in my define function a preset value, I've tried removing this, and I've tried giving type suggestions, e.g., def define(val:bool): -
Messing up the event handler in django, help me figure it out
My models: class Product(models.Model): name = models.CharField(max_length=255) owner = models.ForeignKey(User, on_delete=models.PROTECT, related_name='owner') allowed_users = models.ManyToManyField(User) def __str__(self): return self.name class Lesson(models.Model): name = models.CharField(max_length=255) link = models.URLField() time = models.PositiveIntegerField() products = models.ManyToManyField(Product) def __str__(self): return self.name class UserLessons(models.Model): user = models.ForeignKey(User, on_delete=models.PROTECT) lesson = models.ForeignKey(Lesson, on_delete=models.PROTECT) is_view = models.BooleanField(default=False) view_time = models.PositiveIntegerField(default=0) date_view = models.DateField(null=True) def __str__(self): return f'{self.user.username} - {self.lesson.name} I am implementing an event handler that should create a record in the DB when creating a Lesson record @receiver(post_save, sender=Lesson) def create_user_lessons(sender, instance, **kwargs): products = instance.products.all() allowed_users = [] for product in products: for user in product.allowed_users.all(): if user not in allowed_users: allowed_users.append(user) for user in allowed_users: UserLessons.objects.create(user=user, lesson=instance) But I came across the fact that instance.products.all() outputs an empty QuerySet, although it is not empty when creating a record. What is the reason for this behavior and how to solve it? I tried to redefine the save() method, but it didn't help in any way, but an important clarification appeared, instance.products.all() gives an empty qs only for the record that was created at the moment, the rest of the records work fully, when choosing another, everything is saved as needed -
dajngo pagination for products, problem with pagination when query
I'm working on a Django project for building a website, and I'm facing an issue when filtering through a search bar by name; the pagination is not working correctly. When filtering def mart(request): query = request.GET.get('q') temperature = request.GET.get('temperature') if temperature is None: temperature = 150 products = Product.objects.all() if query: products = products.filter(Q(name__icontains=query)) for product in products: latest_log = Log.objects.filter(product_uuid=product).order_by('-date').first() if latest_log: temp = latest_log.course_temp product.temperature = temp else: product.temperature = 0 products = sorted(products, key=lambda x:x.temperature, reverse=True) paginator = Paginator(products, 20) page_number = request.GET.get('page') page_products = paginator.get_page(page_number) product_info_list = [] for product in page_products: latest_log = Log.objects.filter(product_uuid=product,course_temp__lte=temperature).order_by('-date').first() all_productbadges = Productbadge.objects.filter(product_uuid=product) badges_urls = [] if all_productbadges: for productbadge in all_productbadges: badge_id = productbadge.badge_id badge_instance = Badge.objects.filter(label=badge_id).first() if badge_instance: badge_url = badge_instance.url badges_urls.append(badge_url) if latest_log: product_info = { 'product': product, 'latest_log': latest_log, 'badges_urls': badges_urls } product_info_list.append(product_info) print("@@@@@@@@@") print(page_products.next_page_number) context = {'product_info_list': product_info_list, 'page_products': page_products} return render(request, 'courses/mart.html', context=context) paginator = Paginator(products, 20) page_number = request.GET.get('page') page_products = paginator.get_page(page_number) product_info_list = [] for product in page_products: latest_log = Log.objects.filter(product_uuid=product,course_temp__lte=temperature).order_by('-date').first() all_productbadges = Productbadge.objects.filter(product_uuid=product) badges_urls = [] if all_productbadges: for productbadge in all_productbadges: badge_id = productbadge.badge_id badge_instance = Badge.objects.filter(label=badge_id).first() if badge_instance: badge_url = badge_instance.url badges_urls.append(badge_url) if latest_log: product_info = { 'product': product, 'latest_log': … -
Django app on Google App Engine not connecting to Google Cloud SQL
I've encountered an issue when deploying my Django application on Google App Engine and trying to connect it to Google Cloud SQL. The application works perfectly on my local system, but when deployed, I get the following connection error: could not connect to server: Connection refused Is the server running on host "127.0.0.1" and accepting TCP/IP connections on port 5432? This is the code snippet for my settings.py file: DATABASES = {"default": env.db()} # If the flag as been set, configure to use proxy if os.getenv("USE_CLOUD_SQL_AUTH_PROXY", None): DATABASES["default"]["HOST"] = "127.0.0.1" DATABASES["default"]["PORT"] = 5432 # [END gaestd_py_django_database_config] # [END db_setup] # Use a in-memory sqlite3 database when testing in CI systems # TODO(glasnt) CHECK IF THIS IS REQUIRED because we're setting a val above if os.getenv("TRAMPOLINE_CI", None): DATABASES = { "default": { "ENGINE": "django.db.backends.sqlite3", "NAME": os.path.join(BASE_DIR, "db.sqlite3"), } } I have followed this guide for setting up my application on google app engine. These are all the troubleshooting steps I have tried so far - Enabled the Cloud SQL Admin API. Added Cloud SQL Admin role to the App Engine service account. Tested Connectivity from App Engine to SQL instance. Tried Restarting the Cloud SQL instance and App Engine Instance. Checked … -
External database in django Admin Panel
Is it possible to manipulate External database through django admin panel without migration? I have such database: 'cook_db': { 'ENGINE': 'django.db.backends.postgresql', 'NAME': 'cook_db', 'USER': 'postgres', 'PASSWORD': '123456', 'HOST': '127.0.0.1', 'PORT': '5432' } All tables I added into model.py: ... class Recipes(models.Model): id_subcategory = models.ForeignKey( Categories, models.DO_NOTHING, db_column='id_subcategory') id_recipe = models.AutoField(primary_key=True) name = models.TextField() img_url = models.TextField() grade = models.IntegerField(blank=True, null=True) time = models.IntegerField(blank=True, null=True) class Meta: managed = False db_table = 'recipes' ... But When I tried to register that model (admin.site.register(Recipes)), I catch that error: OperationalError at /admin/MainSite/recipes/. no such table: recipes -
DJANGO HTML Elements and Javascript
I'm trying to implement a "hover image" effect on a website drive by Django. Each model in my database contains 2 distinct images. I'd like to have the image change when the user hovers over the "default image" and have it change to the "hover image". What's happening instead is only the first image is changing to the hover image. If the user hovers over any other image on the page, the first image at the top of the page is the one that changes. Here's my HTML {% for element in records %} <div class = "model"> <img src="{{element.default_image}}" onmouseover="hoverImage();" onmouseout="defaultImage();" width="120"></div> Here's my JS const imgElements = document.querySelectorAll('.model'); for (let i = 0; i < imgElements.length; i++) { const currentElement = imgElements[i]; function hoverImage() { currentElement.src = '{{element.hover_image}}'; } function defaultImage() { currentElement.src = '{{element.default_image}}'; } } This only changes the first element in the model no matter what image the user hovers over -
Why don't frameworks like Django, Express and others often use class diagrams with UML?
Which software engineering and systems design tool to use in framworks like Django? I see that languages like Java, C# and C++ use UML class diagrams. But I don't see it in Python and Javascript. How then to architect these systems? I've been searching for a approach to deal with django project with UML tools, but without success. Keep in mind that I'm a beginner in Django. -
Response times long for multiple users in Cloud Run for a Django application
I have a Django Rest Framework application which is hosted in Cloud Run. The normal response times for requests are around 100-200ms but no matter what I try I cannot get the same response times for multiple users. I have conducted load testing with Jmeter: for 200 users the best I can get is 1500ms average response time and for 500 around 4000ms (these are for "hot" instances). I have tried setting different values for gunicorn workers and thread (such as setting the max concurrency the same as # of cores * # of threads and setting the workers count the same as the number of CPUs and 2 * # of CPUs + 1) as well as trying with different CPU, memory and max instances and concurrent requests settings. I also checked that the Cloud SQL has sufficient CPU. What could be the bottleneck here? -
Email service with python + django deployment
I have a personal project, it's email service on django I already made it, but i have one question How can i connect this service to the web of other emails? Like i can send email from my service to gmail, and from gmail to my service There are nothing about it in the internet. The only one i saw, that i need to configure email server (?) Can you give me a roadmap of how can i do this? BIG NOTICE: IF YOU HAVE A BAD DAY OR SOMETHING ELSE, DO NOT ANSWER THIS QUESTION, OR DO NOT GIVE ANSWERS LIKE "YES YOU NEED TO CONFIGURE A EMAIL SERVER" THANKS IN ADVANCE -
Django HttpResponseNotFound Not Displaying Correctly in View
I am working on a Django project where I have a view called 'chapterPage' that is supposed to display a specific chapter. If the chapter with the given primary key (pk) doesn't exist, I want to return an HttpResponseNotFound response. However, I am encountering an issue where the "Chapter not found" is not being displayed when the chapter is not found. Code snippets: views.py: from django.http import HttpResponseNotFound from .models import Chapter def chapterPage(request, pk): try: chapter = Chapter.objects.get(id=pk) except Chapter.DoesNotExist: return HttpResponseNotFound("Chapter not found") urls.py: urlpatterns = [ path("chapter/<str:pk>/", views.chapterPage, name="chapter"), ] The chapter link on the other webpage: <div> <a href="{% url 'chapter' chapter.pk %}">{{chapter.number}}</a> </div> I made sure that the chapter exists in the database with the intended pk. Also, when I'm trying to search for a chapter using the URL 'http://127.0.0.1:8000/chapter/5933/' the terminal returns 'Not Found: /chapter/5933/m' or 'Not Found: /chapter/5933/n', basically an intended URL with a random character afterward. I am expecting to get HttpResponseNotFound("Chapter not found") if the chapter is not found. P.S. I have just started learning so any help is apreciated! -
Transfer the Django project to another computer and create a local network
I have created a Django project on my laptop with Pycharm and now I want to transfer it to a computer on the local network and use it as a network. All steps including: 1- Installing Python with the same version on the laptop 2- Creating a virtual environment with the same name as the virtual environment of the project 3- Copy the whole project in the new project 4- Of course, copy the packages of the virtual environment (do I have to install them?) 1- ALLOWED_HOSTS=['*'] 2-py manage.py runserver 0.0.0.0:8000 I have done it correctly. But the speed of running the project in the browser is very low. please guide me. Thanks for your help dear friends -
My PostUpdateView does not send any data to form update template
error I have exactly the same structure for updating forum's posts, so they do work, but the article's ones don't. My article_update_form template simple does not receive any data from the view and therefore the slug is empty. My UpdateView class ArticlePostUpdateView(LoginRequiredMixin, UserPassesTestMixin, UpdateView): model = ArticlePost template_name = 'articles/article_form_update.html' form_class = ArticlePostForm def form_valid(self, form): form.instance.author = self.request.user messages.success(self.request, 'The article has been updated') return super().form_valid(form) def test_func(self): post = self.get_object() if self.request.user.id == post.article_users.user.id: return True return False urls: urlpatterns = [ path("posts/<slug>/", articles, name="articles"), path('<int:page_id>', pages.views.articles, name='page'), path("detail/<slug>/", detail, name="article_details"), path("new_article", new_article, name="new_article"), path("new_article/create_post", login_required(ArticlePostCreateView.as_view()), name="create_article"), path("post/<slug:slug>/update/", ArticlePostUpdateView.as_view(), name="update_post_article"), path('categories_list', categories_list, name="categories_list"), path("search_article_post", search_article_post, name="search_article_post"), path("category/<slug>/", category_articles, name="category_articles"), path("sort_by/<str:typesort>", articles_sort, name="articles_sort"), ] forms: class ArticlePostForm(forms.ModelForm): class Meta: model = ArticlePost fields = ("title", "categories", "content", "article_tags", 'article_image') exclude = ["article_users"] widget = { 'title': forms.TextInput(attrs={'class': 'form-control'}), 'content': forms.TextInput(attrs={'class': 'form-control'}), 'categories': forms.Select(attrs={'class': 'form-control'}), 'article_tags': forms.Select(attrs={'class': 'form-control'}), 'article_image': forms.Select(attrs={'class': 'form-control'}), } def __setitem__(self, i, elem): self.list[i] = elem form template: <div class="form-group"> <form method="POST" action="{% url 'update_post_article' slug=post.slug %}"> {% csrf_token %} <div class="centered_create_post"> {% render_field form.title placeholder="Enter title" class+="form-control each_post_create" %} {% render_field form.content placeholder="Enter content" class+="form-control each_post_create pst_create_categories " %} {% render_field form.categories class+="form-control each_post_create pst_create_categories " … -
trying to set cookie in jsonresponse django
Hello I am trying to set a JWT token in a cookie in a jsonresponse when people login. this is my current code. response = JsonResponse({'status': 'success', 'user': user}) response.set_cookie( key='access_token', value=tokens["access"], max_age=900, domain='localhost', path='/', # secure=False, # httponly=True, # samesite='Lax' ) return response In my browser the cookie is never set. in my netwerk tab when i look at the login request i do see the cookie. Here are the headers of my request. And here you can find the cookies that are set in the browser. all help is greatly apprectiated. -
flutterwave standard integration Key error, Please, what could be wrong with my code?
Here is the view to my flutter_api view. def flutter_api(request,username,email,phone_no,price): auth_token= get_env_variable('SECRET_KEY')#env('SECRET_KEY') hed = {'Authorization': f"Bearer {auth_token}"} data = { "tx_ref":''+str(math.floor(1000000 + random.random()*9000000)), "amount":price, "currency":"NGN", "redirect_url":"http://localhost:8000/payments/verify_payment", "payment_options":"card, ussd, mobilemoneynigeria", "meta":{ "consumer_id":23, "consumer_mac":"92a3-912ba-1192a" }, "customer":{ "email":email, "phonenumber":phone_no, "name":username }, "customizations":{ "title":"ADi meals limited", "description":"Your Number one Food and Soup service", "logo":"https://getbootstrap.com/docs/4.0/assets/brand/bootstrap-solid.svg" } } url = 'https://api.flutterwave.com/v3/payments' response = requests.post(url, json=data, headers=hed) response_data=response.json() link=response_data['data'], response_data['link'] return link it throws this error after running server Internal Server Error: /payments/flutter_api/sharperleinado/dannyhance7420@gmail.com/0815 667 7751/650.0 Traceback (most recent call last): File "C:\Users\USER\Documents\ADi meals mobile\my_site\venv\lib\site-packages\django\core\handlers\exception.py", line 55, in inner response = get_response(request) File "C:\Users\USER\Documents\ADi meals mobile\my_site\venv\lib\site-packages\django\core\handlers\base.py", line 197, in _get_response response = wrapped_callback(request, *callback_args, **callback_kwargs) File "C:\Users\USER\Documents\ADi meals mobile\my_site\payments\views.py", line 95, in flutter_api link=response_data['data'], response_data['link'] KeyError: 'link' [23/Sep/2023 16:16:35] "GET /payments/flutter_api/sharperleinado/dannyhance7420@gmail.com/0815%20667%207751/650.0 HTTP/1.1" 500 69757 -
Python, Django: django.core.exceptions.ImproperlyConfigured: AUTH_USER_MODEL refers to model 'accounts.Usuarios' that has not been installed
Good morning! Although questions similar to this have been posted here, I have not been able to resolve my issue yet. I have tried all proposed solutions. The problem started after I put, or at least tried to put, "email" as the username, removing the username from the model. I will share the points that I think are relevant. If you need more, you can ask. problem: PS C:\SocialFacil\socialfacil_web> python manage.py runserver Watching for file changes with StatReloader Exception in thread django-main-thread: Traceback (most recent call last): File "C:\SocialFacil\lib\site-packages\django\apps\config.py", line 235, in get_model return self.models[model_name.lower()] KeyError: 'usuarios' During handling of the above exception, another exception occurred: Traceback (most recent call last): File "C:\SocialFacil\lib\site-packages\django\contrib\auth\__init__.py", line 170, in get_user_model return django_apps.get_model(settings.AUTH_USER_MODEL, require_ready=False) File "C:\SocialFacil\lib\site-packages\django\apps\registry.py", line 213, in get_model return app_config.get_model(model_name, require_ready=require_ready) File "C:\SocialFacil\lib\site-packages\django\apps\config.py", line 237, in get_model raise LookupError( LookupError: App 'accounts' doesn't have a 'Usuarios' model. During handling of the above exception, another exception occurred: Traceback (most recent call last): File "C:\Users\Victor\AppData\Local\Programs\Python\Python310\lib\threading.py", line 1009, in _bootstrap_inner self.run() File "C:\Users\Victor\AppData\Local\Programs\Python\Python310\lib\threading.py", line 946, in run self._target(*self._args, **self._kwargs) File "C:\SocialFacil\lib\site-packages\django\utils\autoreload.py", line 64, in wrapper fn(*args, **kwargs) File "C:\SocialFacil\lib\site-packages\django\core\management\commands\runserver.py", line 125, in inner_run autoreload.raise_last_exception() File "C:\SocialFacil\lib\site-packages\django\utils\autoreload.py", line 87, in raise_last_exception raise _exception[1] File "C:\SocialFacil\lib\site-packages\django\core\management\__init__.py", line … -
Please how to solve NoReverseMatch
Reverse for 'student_detail' with keyword arguments '{'student_id': 'STUD/1/230922'}' not found. 1 pattern(s) tried: ['students/STUD/(?P<student_id>[0-9]+)/(?P<current_date>[0-9]+)/\Z'] this is how I set my urls.py path('STUD/int:student_id/int:current_date/', views.StudentDetailView.as_view(), name='student_detail'), -
Is it possible to save a class using django redis cache to use it after the user reconnects
I need to save a class to use it if the websocket disconnects and assign it to the websocket again if it reconnects. But when saving i get this error: "Exception inside application: Can't pickle local object" which i think is because i cant save a class to the cache. Is it possible to overcome this and save the class in the cache? -
How can I give input with getpass to a Django app when deploying using Nginx, Gunicorn and systemd?
I have a Django app that has key on disk which is encrypted using AES Cypher, and must be unencrypted in memory for use during the processes. I have this line in settings.py: AES_CIPHER_KEY = getpass("Enter AES cipher key: (leave blank if you don't need decryption)") This is my gunicorn.socket: [Unit] Description=gunicorn socket [Socket] ListenStream=/run/gunicorn.sock [Install] WantedBy=sockets.target This is my gunicorn.service: [Unit] Description=gunicorn daemon Requires=gunicorn.socket After=network.target [Service] User=root Group=www-data WorkingDirectory=/root/samir/src/samirpy ExecStart=/root/samir/venv/bin/gunicorn --access-logfile --workers 3 --bind unix:/var/log/gunicorn/samir.sock samir.wsgi:application [Install] WantedBy=multi-user.target This is my nginx.conf: server { listen 80; server_name example.com; location = /favicon.ico { access_log off; log_not_found off; } location /static/ { root /var/www; } location / { include proxy_params; proxy_pass http://unix:/run/gunicorn.sock; } } This is wsgi.py: import os from django.core.wsgi import get_wsgi_application os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'samir.settings') application = get_wsgi_application() What I would like to happen is when I update the code and restart the service using: sudo systemctl restart gunicorn it prompts for the key before starting the main process.