Django community: RSS
This page, updated regularly, aggregates Django Q&A from the Django community.
- 
        Compare created_at to an hours_old integer in JsonField in DjangoI'm trying to create a django query that compares my models created_at date to see if they are at least x hours old where x is defined in a nested JsonField hours_old. So for example: # This creates a timedelta ("Duration" natively, I think) hours_past = ExpressionWrapper( timestamp.now() - F('created_at'), output_field=DateTimeField() ) Person.objects.annotate( hours_old=F('settings__json__data__hours_old') # Let's say this is an int of 3 hours_past=hours_past # Let's say this is a timedelta of 2 days ).filter( hours_old__lt=hours_past # I want 3 < 48 ) But I can't compare a time duration to a random int obviously. What's the play here?
- 
        Query in django orm to get all users in a list from django authentication group returns empty listIn my code below, the list is empty, it does not contain user name in list. from django.contrib.auth.models import Group, User def first(request): from django.contrib.auth import models groups = Group.objects.all() # Create an empty list to store users all_users = [] # Iterate through the groups and get users for each grou for group in groups: users = group.user_set.all() all_users.extend(users) print(all_users) return render(request,'first.html') I expected to get users details but got an empty list. Why is that and how can I fix it?
- 
        Non atomic transaction inside transaction.atomic() block in DjangoI would like to insert in db some objects directly inside transaction.atomic() block, not waiting that block finish. Why do I need this? I need atomic block because of a business logic and without it, I could get invalid state. But, I would like to track process. Process need to be updated inside block, because if executed after atomic block is finished, I only get 100% inserted. Example for example, I would need something like this def my_function(my_list, id): t = Task.objects.get(id) percent = int(100 / len(my_list)) with transaction.atomic(): for i in my_list: MyObject.objects.create(**i) t.progress = t.progress + percent t.save # This should not be atomic!!!! Not a solution I can't move the t.save outside the atomic block because it need to be updated along the code to track process. Directly inserting into database with code with connection.cursor() as cursor: cursor.execute(".... my update statement...") I try and it doesn't work - it still insert after atomic block is finished.
- 
        Making multiple Multiselect forms dynamically in Django admin for the same M2M linked modelIs it possible to have dynamically multiple "Multi-Select" Form in Admin panel that is related to same model based on a certain rule? Like: A separate multi-select form for each category flagged as main/parent category with it's children only as selection options. Details: I have Posts Model and Categories Model, linked to each other via ManyToManyField on POSTS, the plan for categories model to be hierarchal where the top level are main groups of categories and leaf categories are linked to them as parents. In POSTS admin page, I'm doing normal Multi-select Forms, it shows normally as below: The Top level Categories will grow to maybe 6 with 10-15 options in each one.. it will make this form difficult to navigate or manage. So I want Cat and cat2 to have their own multi-select form, where the listed categories in each will be their children only. So even later when I add a third cat3 parent, i'll show in a separate multi-select form as well. I'm trying to avoid building a separate html page for adding Posts for this only, as all other things are ok and i thought there might be a solution for it. Note: checked different Django …
- 
        Why the User data are not updated? in Django?I have a Model called UserAccount, I have tried several ways to update the data for an existing user, it responds that changes are successful without any error but still nothing is reflecting in Database Here is the Model class UserAccount(AbstractBaseUser,PermissionsMixin): first_name = models.CharField( max_length=100) last_name = models.CharField(max_length=100) email = models.EmailField(_("email"),validators=[EmailValidator()],unique=True) date_added = models.DateTimeField(auto_now_add=True) phone = models.CharField(max_length=20, validators=[RegexValidator(r'^\d{12}$', 'Enter a valid phone number.')]) profile_picture = models.ImageField(upload_to='media/users_photos/%Y/%m',null=True,blank=True) employee_id = models.IntegerField(validators=[MinValueValidator(1), MaxValueValidator(999)], null=True,blank=True) is_staff = models.BooleanField(default=False) is_active = models.BooleanField(default=True) last_login = models.DateTimeField(auto_now_add=True , null=True) objects = CustomUserAccountManager() USERNAME_FIELD = "email" REQUIRED_FIELDS = ["first_name", "last_name","phone"] EMAIL_FIELD = "email" class Role(models.TextChoices): ADMIN = "Admin", "Admin" MANAGER = "Manager", "manager" NORMALUSER = "Normal", "normaluser" base_role = Role.NORMALUSER role = models.CharField(max_length=50, choices=Role.choices) def save(self, *args, **kwargs): if not self.pk: self.role = self.base_role return super().save(*args, **kwargs) def __str__(self): if self.first_name and self.last_name: fullname = f'{self.first_name} {self.last_name}' elif self.first_name: fullname = self.first_name elif self.last_name: fullname = self.last_name else: fullname = "Unnamed User" return fullname # Add related_name to avoid clashes groups = models.ManyToManyField( 'auth.Group', related_name='user_accounts', blank=True, help_text='The groups this user belongs to. A user will get all permissions granted to each of their groups.', verbose_name='groups', ) user_permissions = models.ManyToManyField( 'auth.Permission', related_name='user_accounts', blank=True, help_text='Specific permissions for this user.', verbose_name='user …
- 
        Cannot resolve keyword '-name' into field. Choices are: name, account, account_idWhy am I getting this error and is there any alternative way to achieve the result of the below query? Cannot resolve keyword '-name' into field. Choices are: name, account, account_id. self.queryset = Model.objects.order_by( Case( When(status='pending', then=0), When(status='rejected', then=1), When(status='accepted', then=2), default=3 ), Case( When(status='pending', then='-name'), default='-account' ) )
- 
        ways to make my chatbot project embeddable?I have build a chatbot using openai' s api and the django framework. I hosted this chatbot online using railway' s platform, it works just fine. Now, i want to make it embeddable on other web sites. I want to share the bot to other websites, like botpress does, just using tags and just a few lines of code. This is the link to the github repo where my project is hosted : text. I tried using but it' s just ugly, i takes space on the web site even when it doesn' t have to.
- 
        Using you model defined 'choices' with a ModelMultipleChoiceField widgetI have a model : class Features(models.Model): EVCHARGING = "EVC" # Parking space has electric charging capabaility DISABLEDACCESS = "DBA" #Parking space has disabled access HEIGHTRESTRICTION ="HRS" # Parking space has height restrictions NOHEIGHTRESTRICTION = "NHR" # Parking space has NO height restrictions LIGHTING = "LIT" # Parking space is in lighted area SECUREGATE = "SGE" # Parking space is securely gated COVEREDPARKING ="CVP" # Parking space is covered from weather VIDEOSURVEILLANCE = "CTV" # Parking space has CCTV FEATURE_NAME_CHOICES = [ (EVCHARGING,"EV Charging"), (DISABLEDACCESS,"Disabled Access"), (HEIGHTRESTRICTION,"Height Restriction"), (NOHEIGHTRESTRICTION,"No Height Restriction"), (LIGHTING,"Lighting"), (SECUREGATE,"Securely Gated"), (COVEREDPARKING,"Covered Parking"), (VIDEOSURVEILLANCE,"CCTV") ] feature_name = models.CharField(max_length=3,choices=FEATURE_NAME_CHOICES,blank=False,null=True) I have a field in my form: features = forms.ModelMultipleChoiceField(queryset=Features.objects.all(),widget=forms.CheckboxSelectMultiple()) This field is part of a form with that is taking information to create a parking space object. The features is a many to many relationship with parking space, hence why I use ModelMultipleChoiceField. How is it possible for me to use my already defined choices and not have to use queryset? I want a solution where as much as possible Django handles the database like it does with the current situation - ie saving the 3 letters into features table, no duplication in features table, number is stored …
- 
        Forbidden You don't have permission to access this resource. Django Apache AWSon running 'python manage.py 0.0.0.0:8000' its working good but now after shifting on apache its showing permission error. sudo tail -100 /var/log/apache2/error.log Python path configuration: PYTHONHOME = '/home/ubuntu/env' PYTHONPATH = (not set) program name = 'python3' isolated = 0 environment = 1 user site = 1 import site = 1 sys._base_executable = '/usr/bin/python3' sys.base_prefix = '/home/ubuntu/env' sys.base_exec_prefix = '/home/ubuntu/env' sys.platlibdir = 'lib' sys.executable = '/usr/bin/python3' sys.prefix = '/home/ubuntu/env' sys.exec_prefix = '/home/ubuntu/env' sys.path = [ '/home/ubuntu/env/lib/python310.zip', '/home/ubuntu/env/lib/python3.10', '/home/ubuntu/env/lib/python3.10/lib-dynload', ] Fatal Python error: init_fs_encoding: failed to get the Python codec of the filesystem encoding Python runtime state: core initialized ModuleNotFoundError: No module named 'encodings' Current thread 0x00007f45674e6780 (most recent call first): <no Python frame> [Wed Sep 06 17:41:35.663206 2023] [wsgi:warn] [pid 21214:tid 139936062662528] (13)Permission denied: mod_wsgi (pid=21214): Unable to stat Python home /home/ubuntu/env. Python interpreter may not be able to be initialized correctly. Verify the supplied path and access permissions for whole of the path. sudo nano /etc/apache2/sites-available/000-default.conf Alias /static /home/ubuntu/proj/static <Directory /home/ubuntu/proj/static> Require all granted </Directory> Alias /media /home/ubuntu/proj/media <Directory /home/ubuntu/proj/media> Require all granted </Directory> <Directory /home/user/proj/proj> <Files wsgi.py> Require all granted </Files> </Directory> WSGIDaemonProcess proj python-path=/home/ubuntu/proj python-home=/home/ubuntu/env WSGIProcessGroup proj WSGIScriptAlias / /home/ubuntu/proj/proj/wsgi.py
- 
        LOG [TypeError: Network request failed] react nativeI've been trying to fetch data from Django , so I can create a react native app, I wrote the same method using useEffect,and it worked with me when I created web app, and now when I use it with react native, I still got [TypeError :Network request failed ], is it because the Token? useEffect(()=>{ fetch('http://127.0.0.1:8000/api/movie/',{ method:'GET', headers:{ 'Authorization':`Token f4136c8a15e73530edf6660d0062813362f6a02b`, } }).then(resp=>resp.json()) .then(resp=>console.log(resp)) .catch(error=>console.log(error)) },[])
- 
        Django-templates: how to make list in templatesThe part of my template: {% if True %} <div class="container" id="timeline-block"> <div class="row"> <div class="panel-timeline"> {% for player in room.player.all %} {% for level in player.leavel.all %} <div class="timeline"> <div class="timeline-content"> <span class="date"> <span class="month">{{ level.create.time }}</span> <span class="year">{{ level.create.date|date:"d.m" }}</span> </span> <h2 class="title" style="background: #02a2dd;"><span class="fa fa-chevron-up" aria-hidden="true"></span> {{ player.player.email }} теперь {{ level.leavel }} уровня </h2> <p class="description">Игрок {{ player.player.email }} изменил уровень</p> </div> </div> {% endfor %} {% endfor %} </div> </div> </div> {% endif %} I wanna make a list for the level of all players from the room.player.all. So I need these two cycles to end and after their ending I gotta have a list with all levels of all players for my timelines
- 
        issue with find combinationsI have a list in a mysql data table This table has 3 fields. number (INT), price (FLOAT) and name On the other hand I have another table that gives me three sets of values Set 1: (x)number - (y)price Set 2: (x1)number - (y1)price Set 3: (x2)number - (y2)price There are several things I know for sure: All three sets exist within the combinations of the data table. no row can be used in more than one set There are no unused rows in the table. That said, I try to find the combinations within the table that result in set 1, set 2, and set 3 All 3 must occur. I have tried different approaches, approximations to avoid searching in 25 billion combinations. Pruning system.... But I'm out of ideas... The data table changes values and the sets do too. And there may be more than one set, or two, or three... We are working with less than 100 rows per table. But whatever I do it always takes a lot of time, and the script does not throw results because of this... The idea is that sets must be composite. That is, the number and price must …
- 
        Celery task type error says there is extra arguments at runnig tasksI have two celery tasks: @shared_task def start_scrapy(book_id, link, site, end_page=None, start_page=1): book = Book.objects.get(id=book_id) process = CrawlerProcess(get_project_settings()) process.crawl(MainSpider, book=book, link=link, site=site, end_page=end_page, start_page=start_page) process.start() @sahred_task def find(): ... the problem is with the first task I'm calling the first task two times in my serializer create method The first time it's working fine but in the second call I get a TypeError the create method: def create(self, validated_data): book_id = validated_data.get('book_id') site = validated_data.get('site') feghahat_link = validated_data.get('feghahat_link') maktabeh_link = validated_data.get('maktabeh_link') start = validated_data.get('start') book = Book.objects.get(id=book_id) validated_data.update({'title': book.title, 'volume_number': book.volume_number}) task_chain = chain( start_scrapy.s(book_id=book_id, link=feghahat_link, site='es', start_page=start), start_scrapy.s(book_id=book_id, link=maktabeh_link, site='is', start_page=start), find.s(book_id, site) ) task_chain() return validated_data and the traceback: [2023-09-06 19:53:55,762: ERROR/ForkPoolWorker-4] Task extractor.crawler.start_scrapy[f918e091-f30c-48e3-8da5-ef4c43448559] raised unexpected: TypeError('start_scrapy() takes from 3 to 5 positional arguments but 6 were given') Traceback (most recent call last): File "/home/mostafa/Projects/BookExtractor/venv/lib/python3.10/site-packages/celery/app/trace.py", line 539, in trace_task _chsig.apply_async( File "/home/mostafa/Projects/BookExtractor/venv/lib/python3.10/site-packages/celery/canvas.py", line 400, in apply_async return _apply(args, kwargs, **options) File "/home/mostafa/Projects/BookExtractor/venv/lib/python3.10/site-packages/celery/app/task.py", line 559, in apply_async check_arguments(*(args or ()), **(kwargs or {})) TypeError: start_scrapy() takes from 3 to 5 positional arguments but 6 were given I'm calling the same function for the second time with the same argument count but the error says something different! thanks for any …
- 
        How to create a DjangoModel Form with a model that contains FKs and M2M relationshipsI have seen posts that talk about this scenario separately but they seem to be very old, using old documentation. I am here wondering if there is a new fix. Also I'm relatively new to django and they have been quite confusing. I would like to create a Form that takes in the relevant information to be able to create a parking space object. This is the Forms.py class AddParkingSpace(forms.ModelForm): class Meta: model = ParkingSpace fields = [ "__all__"] exclude = ["reviews","seller_account"] # widgets to include all the fields like fields not in the specified model above (explained below) widgets = { } I have excluded the reviews because these will be added to the parking space object as and when a review is submitted. The seller_account will be added to the parking space in the view(backend). Using this form I would like to be able to access each field separately using the Django syntax {{formname.fieldname}} in the template. So I can style/position it how I desire I Models.py class ParkingSpace(models.Model): name = models.CharField(max_length=50,blank=False) # name of a parking space description = models.TextField(blank=False)# the description of a parking space image = models.ImageField(null=True,upload_to="images/parking_spaces") #The image of a parking space price = …
- 
        how to fix 504 Gateway Time-out on AWS ECS in my Django app?Explanation I am hosting Django app on ECS on AWS. I am using nginx and gunicorn on production It happens very often that I see status 499 and then 504 with timeout error. Below yuo can see my container logs. During that time backend does not respond for several minutes and after restart it changes status to 200 again. 2023/09/06 14:42:52 [error] 9#9: *1348 upstream timed out (110: Operation timed out) while reading response header from upstream, client: 10.0.10.112, server: , request: "GET /api/tasks/logs/8b9ad2d4-b63a-4782-83c2-940764c04eb1/ HTTP/1.1", upstream: "http://127.0.0.1:8000/api/tasks/logs/8b9ad2d4-b63a-4782-88c2-940764u04eb1/", host: "admin.myapp.com" 10.0.11.207 - - [06/Sep/2023:14:42:48 +0000] "GET /admin HTTP/1.1" 499 0 "-" "ELB-HealthChecker/2.0" "-" 10.0.10.112 - - [06/Sep/2023:14:42:49 +0000] "GET /admin HTTP/1.1" 504 167 "-" "ELB-HealthChecker/2.0" "-" My CPU and memory usage never exceeds 20% (usually it is around 8-12%). Only few people are using this application. My health check settings look like this: nginx.config upstream myapp_backend { server ${APP_HOST}:8000; } server { listen 80; location / { proxy_pass http://myapp_backend; proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for; proxy_set_header Host $host; proxy_redirect off; client_max_body_size 200M; } location /static/ { alias /home/app/web/static/; } } Dockerfile-nginx FROM public.ecr.aws/nginx/nginx:1.24-alpine RUN rm /etc/nginx/conf.d/default.conf COPY nginx.conf /nginx.conf.template CMD ["/bin/sh" , "-c" , "envsubst '$APP_HOST' < /nginx.conf.template > /etc/nginx/conf.d/default.conf && exec nginx -g …
- 
        Django Module Not Found Error - No module named todocompressorI was working on todo project and was trying to add a scss to my project. So i installed django_compressor package but i can't seem to figure out how to add the scss file to my html page.Can someone provide me any tips I added 'compressor' to installed apps i added all these to settings STATICFILES_FINDERS = 'compressor.finders.CompressorFinder' COMPRESS_PRECOMPILERS = ( ('text/x-scss', 'django_libsass.SassCompiler'), ) and this infront of html template {% load compress %} {% compress css %} {% endcompress %} I added the bootsrap source files to static folder in my project
- 
        Django User AuthDjango all auth I have problem with mymodels, I wanna create User auth with AbstractUser from django.contrib.auth.models but when I makemigrations the terminal show these error. see the image on top ^ this my models.py file code : from django.db import models from django.contrib.auth.models import AbstractUser from users.managers import CustomUserManager class User(AbstractUser): email = models.EmailField(unique=True, max_length=255) objects = CustomUserManager() USERNAME_FIELD = 'email' REQUIRED_FIELDS = ['username'] def __str__(self): return self.username class Profile(models.Model): user = models.OneToOneField(User, on_delete=models.CASCADE) address = models.CharField(max_length=255, null=True, blank=True) created_at = models.DateTimeField(auto_now_add=True) update_at = models.DateTimeField(auto_now=True) def __str__(self): return f"{self.user.username}'s profile" Succes for makemigrations and migrate models django
- 
        DRF and FactoryBoy for testing - testing viewset logic - saving factory to database?I'm currently working on testing a Django Rest Framework (DRF) application using Factory Boy. In my setup, I have a straightforward model, serializer, and viewset (specifically, a ModelViewSet). As part of my testing process, I'm making some modifications to the logic within the ModelViewSet, particularly by customizing the perform_create method. And it is the part what I want to test - viewset logic. However, while using Factory Boy, I've observed that the perform_create method is not being triggered by Factory Boy's default behavior. I'd appreciate any suggestions or insights on how to ensure that perform_create is invoked when using Factory Boy in my tests. Maybe I should call perform_create manually? Alternatively, if you think it might be more appropriate to explore other testing frameworks or methods for this scenario, or if using the simple APIClient for testing would be a better approach, I'd welcome your guidance on that as well. Thank you, and have a wonderful day!
- 
        iis django deployment error when the iis try to download filePermissionError: [WinError 5] Access is denied: 'C:\Windows\system32\config\systemprofile/.paddleocr' StdOut: Trying to load best model from weights/id_model_v5 Loading...... Loading model from weights/id_model_v5/best The model has been loaded successfully download https://paddleocr.bj.bcebos.com/PP-OCRv3/multilingual/Multilingual_PP-OCRv3_det_infer.tar to C:\Windows\system32\config\systemprofile/.paddleocr/whl\det\ml\Multilingual_PP-OCRv3_det_infer\Multilingual_PP-OCRv3_det_infer.tar Trying to load best model from weights/id_model_v5 StdErr: [2023-09-06 05:47:15,095] [ WARNING] init.py:546 - Matplotlib created a temporary cache directory at C:\Windows\TEMP\matplotlib-9k3m2kjz because the default path (C:\Windows\system32\config\systemprofile.matplotlib) is not a writable directory; it is highly recommended to set the MPLCONFIGDIR environment variable to a writable directory, in particular to speed up the import of Matplotlib and to better support multiprocessing. i expect to see the server runing
- 
        Ajax Show buttonI have an issue with my button when I press to show more it adds the same images that I have already on the page. I was trying different functionality, even know why this is happening really need advice from people who has more experience in coding. I am making a project by using Python javascript and Django. it looks like my data-page attribute isn't being updated when you click the Read More button. So I did that but still, the same if somebody can help me will be appreciated. view.py: from django.shortcuts import render, redirect, reverse, get_object_or_404 from django.contrib import messages from django.contrib.auth.decorators import login_required from django.db.models import Q from django.db.models.functions import Lower from .models import Jewellery, Category from .forms import ProductForm from django.core.paginator import Paginator, EmptyPage, PageNotAnInteger from django.http import JsonResponse # Create your views here. import math # def get_total_image_count(): # # Use the count() method to get the total count of images # return total_image_count # total_images = get_total_image_count() # print(f'Total Images: {total_images}') def all_jewelleries(request): """ A view to show all products, including sorting and search queries """ query = None categories = None sort = None direction = None jewelleries = Jewellery.objects.all() total_images = jewelleries.count() …
- 
        Why Django DRF Response is not working right on live server with 204 content status?I have a delete_rider view that works fine with @action(detail=False, methods=['DELETE'], permission_classes=[IsAuthenticated]) def delete_rider(self, request): """Delete the authenticated rider if the user's rider.""" user = request.user # Check if the user is a rider (role 2) if user.role == 2: user.delete() # Delete the user return Response(status=status.HTTP_204_NO_CONTENT) else: return Response({"message": "User is not a rider (role 2)."}, status=status.HTTP_400_BAD_REQUEST) on local server. But on live server it gets stuck in request and after some seconds it times out although delete the user but time out. HttpResponse instead of Response worked. What am I missing here? @action(detail=False, methods=['DELETE'], permission_classes=[IsAuthenticated]) def delete_rider(self, request): """Delete the authenticated rider if the user's rider.""" user = request.user # Check if the user is a rider (role 2) if user.role == 2: user.delete() # Delete the user return HttpResponse(status=status.HTTP_204_NO_CONTENT) else: return Response({"message": "User is not a rider (role 2)."}, status=status.HTTP_400_BAD_REQUEST)
- 
        Django Project Connect to Google Cloud SQLI host Database and Django Application separately Server. I have a Google Cloud SQL (PostgreSQL) but I tried many ways to configure Database as Django document DATABASES = { 'default': { 'ENGINE': 'django.db.backends.postgresql_psycopg2', 'HOST': '[Your-Cloud-SQL-Public-IP]', 'USER': '[YOUR-USERNAME]', 'PASSWORD': '[YOUR-PASSWORD]', 'NAME': '[YOUR-DATABASE]', } } by filling it with my credential but cannot connect got error like this: line 729, in connect raise ex.with_traceback(None) django.db.utils.OperationalError: connection failed: could not receive data from server: Socket is not connected (0x00002749/10057) could not send SSL negotiation packet: Socket is not connected (0x00002749/10057) Expert please help me to make it works. I am looking the guideline to configure Django project with Google Cloud SQL.
- 
        How can I limit the records that appear in the django forms select2?The problem is that it loads more than 50.000 articles in the selector and the page takes a long time to load. query_set = Article.objects.all() self.fields["national_foreign_articles"].queryset = query_set.exclude(national_agency=self.instance) self.fields["national_foreign_articles"].widget.attrs["class"] = "select2" I need this or similar
- 
        Docker Compose's integration for ECS and ACI will be retired in November 2023I try to deploy a docker django container to the Azure cloud. And so I login in with: docker login azure. And I am logged in. SO I am in the local directory wheren the application files are stored. And I try to build the docker image: docker compose -f docker-compose-deploy.yml build But then I get every time this message: (env) PS C:\repos\DWL_backend_Rachid> docker compose -f docker-compose-deploy.yml build Docker Compose's integration for ECS and ACI will be retired in November 2023. Learn more: https://docs.docker.com/go/compose-ecs-eol/ And I can not build or run. I searched for this of course. But I can not find any thying how to tackle this. And I also updated the docker desktop. Question: how to handle the message: ```Docker Compose's integration for ECS and ACI will be retired in November 2023. Learn more: https://docs.docker.com/go/compose-ecs-eol/ ````
- 
        How can I log in in an API with Python?Good afternoon, everyone, I have a question about how I can log into an API through Python code. I want to "identify" the API login so that the user can see which invoices are pending, i.e. a user logs in with my Django login, which, at the same time, has to log in to the API. Once logged into the api, I want the api to return the documents that have an id with its assigned tag. I attach below the function that I have made and that connects me to the database. This function does not return any information from the API because of what I said, because first you have to identify which user is logged in. @login_required def f_facturaspendientes(request): # URL de la API a la que deseas conectarte url = 'http://host.docker.internal/api/v4/documents/' try: response = requests.get(url) if response.status_code == 200: # La solicitud fue exitosa, puedes procesar la respuesta aquí data = response.json() # Hacer algo con los datos de la API # Devuelve una respuesta JSON con los datos procesados return JsonResponse({'message': 'Solicitud exitosa', 'data': data}) else: # La solicitud no fue exitosa, maneja el error aquí si es necesario return JsonResponse({'error': 'Error en la solicitud', …