Django community: RSS
This page, updated regularly, aggregates Django Q&A from the Django community.
- 
        how to customize django formsI created a django form using built-in django forms and then assigned variables properly. In front-end, inside html, I customized the form giving my own design instead of built-in forms but did not work. Was trying this for 3 days in a row. Somebody help. How can I make my models, forms and html make insert user data into MySQL db? forms.py: class ProductForm(forms.ModelForm): CHOICES = ( (1,'white'), (2,'silver'), (3,'grey'), (4,'black'), (5,'navy'), (6,'blue'), (7,'sky blue'), (8, 'azure'), (9, 'teal'), (10,'cyan'), (11, 'green'), (12, 'lime'), (13, 'olive'), (14, 'yellow'), (15, 'gold'), (16, 'amber'), (17, 'orange'), (18, 'brown'), (19, 'red'), (20, 'maroon'), (21, 'rose'), (22, 'violet'), (23, 'pink'), (24, 'magenta'), (25, 'purple'), (26, 'indigo'), (27, 'beige'), (28, 'ivory'), (29, 'peach'), (30, 'apricot'), (31, 'ochre'), (32, 'plum') ) CATEGORY = { ('Electronics', ( (1, 'Laptops'), (2, 'Desktops'), (3, 'Smartphones'), (4, 'Smart watches'), (5, 'Circuits'), (6, 'Audio amplifiers'), (7, 'Signal connectors'), (8, 'Audio transducers') )), ('Clothes', ( (9,'Men\'s fashion'), (10, 'Women\'s fashion'), (11, 'Boy\'s fashion'), (12, 'Girl\'s fashion') )), ('Books', ( (13, 'Non-finctions'), (14, 'Fictions'), (15, 'Self-help'), (16, 'Financial'), (17, 'Subjects'), (18, 'Action & Adventure'), (19, 'Classics'), (20, 'Comics'), (21, "Detective & Mystery"), (22, 'Romance') )), ('Beauty & Personal Care', ( (23, 'Makeup'), (24, …
- 
        Django ModelForm. Hide models nameI have a one ModelForm: class First_Form(forms.ModelForm): class Meta: model = Post fields = ('text',) widgets = { 'text': forms.Textarea(attrs={"class": "form-control", "id": "exampleFormControlInput1", "placeholder": "Enter your YouTube link", "rows": 1, }), } On my site it's looking like: Can I hide name of ModelForm field? - "Text"? I want to show only InputField without "Text:" Thank you!
- 
        How to handle a form and formset in the same page?I have both a form in and a formset for the same model. The first form that I have is written in HTML because I needed some kind of widgets which Django doesn't have out of the box. models.py class MyModel(models.Model): name = models.CharField(max_length=255, null=True, blank=True) phone_number = models.CharField(max_length=255, null=True, blank=True) some_other_field = models.CharField(max_length=255, null=True, blank=True) views.py class MyView(View): def get(self, request): formset = modelformset_factory(MyModel, fields=('name', 'some_other_field', extra=2) return render(request, 'index.html', context={'formset': formset}) def post(self, request): formset = modelformset_factory(MyModel, request.POST, fields=('name', 'some_other_field')) if formset.is_valid(): formset.save() MyModel.objects.create(name=request.POST.get('name')) return HttpResponse("done") index.html <form method="post" action=""> <input type="text" name="name"> {{ formset.management_form }} {% for form in formset %} {{form}} {% endfor %} </form> This does not work at all, cause the request.POST sends all the irrelevant data to the modelformset such as in this case, the name field and I end up with this error. AttributeError: 'QueryDict' object has no attribute '__name__'
- 
        django model form Pointfield returns different valueI’m having trouble with saving PointField using ModelForm, the data returned by cleaned_data attribute is different than what I inserted. anyone has any idea why this is happening, is it because of SRID? data = { 'point_field': (55.980385731737755, 25.39107740672915), 'id': 123 } class MyForm(forms.ModelForm): def __init__(self, *args, **kwargs): kwargs['data']['point_field'] = Point(kwargs['data']['point_field']) # Now, kwargs['data']['point_field'].coords returns (55.980385731737755, 25.39107740672915) super(MyForm, self).__init__(*args, **kwargs) form = MyForm(data=data, instance=location_obj) form.is_valid() # returns True form.cleaned_data['point_field'] # returns <Point object at 0x7f363080dc48> form.cleaned_data['point_field'].coords # returns (0.0005028803611372639, 0.00022809192914774866) >>> form.cleaned_data['point_field'].__dict__ {'_constructor_args': (((55.980385731737755, 25.39107740672915),), {}), '_ptr': <django.contrib.gis.geos.libgeos.LP_GEOSGeom_t at 0x7f363080dbf8>, '_cs': <django.contrib.gis.geos.coordseq.GEOSCoordSeq at 0x7f3630817cc0>} >>> form.cleaned_data['point_field'].srid 4326
- 
        How to display the course topics and topic contents in the same page in python(django)Let me make my question clear to you guys. I'm developing an educational website where I have to design a course page. In this course page, you'll have all the topics what each course contains. When you click on any topic, its contents should show on the same page. This is my module. [Morever, If I go with a normal procedure, the content page will be displayed on the next page which I don't want. I want this to be dynamic. I want to store all the data into the database as well ] I'm just kind of confused on how to design the database for it however, I've uploaded two pictures here. Please look at them and let me know how this can be achieved. If Ajax needs to be used then let me know how it gonna be. This what I thought table should look like let me know if this can be changed in a proper way- Here is another picture of how the UI should look like. What I want here is when you click on introduction, its content page should display on the same page and in the same manner if I click on the …
- 
        Django - rest_framework_social_oauth2 Proxy serverI have a situation, I have created a project using Django-Rest API with social auth (rest_framework_social_oauth2). In my production architecture application server doesn't have an internet access, which is connected by proxy server and load balancer. The issue is to validate the rest_framework_social_oauth2 by renderer_classes needs internet, please help me how can I apply proxy server settings to verify the rest_framework_social_oauth2 token from facebook and google-oauth2. Thanks in advance
- 
        How to add a linked field in a view from the DetailView class?There are two models: Document - information about the document, DocVersion - text of the document in a certain edition. Linked via ForeignKey, as one document can have several texts with different revision dates. class Document(models.Model): id = models.AutoField(primary_key=True) doc_title = models.TextField(verbose_name="Name") class DocVersion(models.Model): date_version = models.DateField(verbose_name="Version date") document = models.ForeignKey(Document, on_delete=models.CASCADE) date_start = models.DateField(verbose_name="Start date") text = models.TextField(verbose_name="Text") View based on the DetailView class. class DocumentDetailView(generic.DetailView): model = Document def get_context_data(self, **kwargs): context = super(DocumentDetailView, self).get_context_data(**kwargs) context['text'] = '?????text??????' return context How to fill text with data from the text field of the DocVersion model with the latest date_start?
- 
        Not able to insert data into ArrayField while using psqlextra.backend with djangoI have a model with an ArrayField, having JSONField as base. When I try to insert data, it gives the following error: ProgrammingError: column "data" is of type jsonb[] but expression is of type text[] LINE 1: ...e_status_code", "is_success", "error") VALUES (1, ARRAY['"a"... ^ HINT: You will need to rewrite or cast the expression. I am using psqlextra.backend as my default database engine. My model and other relevant codes are: class TestModel(models.Model): data = ArrayField( JSONField(), blank=True, ) My corresponding migration file looks like this: import django.contrib.postgres.fields import django.contrib.postgres.fields.jsonb from django.db import migrations class Migration(migrations.Migration): dependencies = [ ('emails', '0003_auto_20200408_1351'), ] operations = [ migrations.RemoveField( model_name='TestModel', name='data', ), migrations.AddField( model_name='TestModel', name='data', field=django.contrib.postgres.fields.ArrayField(base_field=django.contrib.postgres.fields.jsonb.JSONField(), blank=True, size=None), ), ] I tried adding data like this: TestModel.objects.create( data= [{"a":"b"}, {"c":"d"}] )
- 
        Django - how to download a fileI am trying to create a download button in my template for a csv file generated by my website (I am new to Django). I have created the view function and updated urls.py but I get 'DoesNotExist: Page matching query does not exist' when I input the url ('http://127.0.0.1:8000/download_table'). I'd also like to know how to create a link/button to the download in my html template. views.py: def download_csv(request): table_selected = request.POST.get('Table_select') index_of_table_selected = int(re.search(r'\d+$', table_selected).group()) result_json_selected = request.session.get('result', 'missing')[index_of_table_selected] dataframe_selected = pd.read_json(result_json_selected) response = HttpResponse(content_type='text/csv') response['Content-Disposition'] = 'attachment; filename=%s' % 'Table.csv' dataframe_selected.to_csv(path_or_buf=response, sep=';', float_format='%.2f', index=False, decimal=",") return response urls.py: urlpatterns = [ path('', views.index, {'pagename': ''}, name='home'), path('<str:pagename>', views.index, name='index'), path('download_table/', views.download_csv, name='download_csv'),] Also, what do I put in my template? Something like this? <a href="download_table/" download> Download File</a> That link returns the error TypeError: download_csv() got an unexpected keyword argument 'filepath'
- 
        Django ORM generated query is not expectedQuestion desc Execute a query by django orm test_result = table1.objects.filter(q_filter).values(*groupby_columns).annotate(**{d: Sum(d) for d in data_columns}) Got an error Unknown column 'table2.column1' in 'field list' It's strange, because I execute query on model table1 but got an error on model table2 Debug print the sql print(test_result.query) I got this: SELECT `table1`.`column1`, `table1`.`column2`, SUM(`table1`.`data`) AS `data` FROM `table2` WHERE (`table1`.`column3` = 4 AND `table1`.`column4` = 0 AND `table1`.`column1` >= 2020-04-01 AND `table1`.`column1` <= 2020-04-08) GROUP BY `table1`.`column1`, `table1`.`column2` ORDER BY NULL; I'm not sure if there is a cache in django orm, and it record the query clause that I execute last time, so cause this error. It often happen, but recover after I restart my service. Env Python3.6.9 Django2.0.2 Mysql5.6 Does anyone meet this problem. Kindly to talk
- 
        How to reload a view class in Django with different model type?I'm using a project based approach to learn django by making an e-commerce site. The problem I am having is when I load my index page it shows default item using a class based view. Now what i want is that whenever I click on a category the view should be loaded with products in that category. All other back end is completed i just want to know how implement this in my class based view. Below is a snippet of my view class HomeView(ListView): model = Prod paginate_by = 6 template_name = "index.html" In this case Prod loads all the rows from my table and what i want is that when electronics is clicked on the page only rows containing electronics be shown but by default it should show all product like it does.
- 
        Can't log into localhost:8000/admin ... ERR_CONNECTION_REFUSEDI'm still pretty new to this web dev. I have been having trouble accessing the django admin site. I'm able to do localhost:8000 just fine. If I do localhost:8000/admin, I'm directed to the admin login page. I have already created id/pw through createsuperuser. Anyway, once I type in my id and pw, I noticed my dev server (localhost or 127.0.0.1) terminates and the login page will throw me an error saying "this site can't be reached" with ERR_CONNECTION_REFUSED. I've tried turning off my internet/firewall, but it still gave me the same result. I would greatly appreciate your help. I've been having so much trouble with this because I can't access the django admin site... (i'm using macOS Catalina, if that's any useful. Also I'm just following the basic Django tutorials, so i'm not using anything like gunicorn or nginx either. ) Thanks.
- 
        Get file mime type on pre_save in django adminI would like to save the file mime type by getting it on pre_save signal. from django.db.models.signals import pre_save from django.db import models import magic class Media (models.Media): file = models.FileField() content_type = models.CharField(max_length=128, editable=False) def media_pre_save(sender, instance, *args, **kwargs): if not instance.content_type: mime = magic.Magic(mime=True) instance.content_type = mime.from_buffer(instance.file.read()) pre_save.connect(media_pre_save, sender=Media) But I'm getting application/x-empty when I view it in db. What am I doing wrong?
- 
        django test giving abnormal resultsI am getting weird results when testing for 2 different views. They are both list views. The first one should only show active orders(active=True), the second one only showing historic views (completed=True). I am using postgresql as a database also. Issue is that both the view works perfectly fine in the browser, however when testing pytest raises an error saying that an order that shouldn't be listed, is listed. The views are as follows: class OrderHistoryView(LoginRequiredMixin, ListView): template_name = 'orders/order_history.html' def get_queryset(self): user = self.request.user qs = Order.objects.filter(Q(buyer=user, completed=True)|Q(seller=user, completed=True)) return qs class OrderListView(LoginRequiredMixin, ListView): template_name = 'orders/order_list_view.html' def get_queryset(self): user = self.request.user qs = Order.objects.filter(Q(buyer=user, active=True)|Q(seller=user, active=True)) return qs The tests are: class OrderHistoryViewTests(TestCase): @classmethod def setUp(self): self.req = RequestFactory() self.user = mixer.blend('user.CustomUser', email='test@test.com', password='1234') self.user2 = mixer.blend('user.CustomUser') self.advert = mixer.blend('advert.Advert', author=self.user) self.offer = mixer.blend( 'offer.Offer', advert=self.advert, author=self.user2, receiver=self.user, accepted=True) self.order = mixer.blend( 'orders.Order', advert=self.advert, seller=self.user2, buyer=self.user, offer=self.offer, pending=True, completed=True, active=True, disputed=False, cancelled=False) self.order2 = mixer.blend('orders.Order', completed=False, buyer=self.user) def test_only_shows_completed(self): request = self.req.get('/') request.user = self.user resp = OrderHistoryView.as_view()(request) self.assertContains(resp, self.order) self.assertNotContains(resp, order2) The second test is exactly the same, it just tests that its only showing active orders error message is : FAILED orders/tests/test_views.py::OrderHistoryViewTests::test_only_shows_completed - AssertionError: 3 != …
- 
        Add Mutagen in Django an store result in database?I'm just started with de Django Framework, and I'm realy new in this. :) I need a thing that print me the duration in seconds of a uploaded mp3 song. So I've found mutagen and this code: # function to convert the seconds into readable format def convert(seconds): hours = seconds // 3600 seconds %= 3600 mins = seconds // 60 seconds %= 60 return hours, mins, seconds # Create an MP3 object # Specify the directory address to the mp3 file as a parameter audio = MP3("G:\Sample.mp3") # Contains all the metadata about the mp3 file audio_info = audio.info length_in_secs = int(audio_info.length) hours, mins, seconds = convert(length_in_secs) print("Hours:", hours) print("Minutes:", mins) print("Seconds:", seconds) Now my stupid question - how can I integrate this in my django (please detailed informations if possible), and how can I store this result (with a button?) in the Django database please? An ansewer would be realy great, thanks in advance. Greetings Frank
- 
        Serving static files from root directory in DjangoI have app level static files and want to serve global static files such as JQuery, my project structure is like this: mysite ├───dashboard │ ├───migrations │ ├───static │ │ └───dashboard │ │ ├───css │ │ ├───img │ │ └───js │ └───templates │ └───dashboard ├───etc ├───static │ └───js | └───jquery.min.js └───mysite I added the followed the django docs so that the settings.py looks STATIC_ROOT = "" STATIC_URL = '/static/' STATICFILES_DIR = [ os.path.join(BASE_DIR, "static"), os.path.join("static"), ] STATICFILES_FINDERS = [ 'django.contrib.staticfiles.finders.FileSystemFinder', 'django.contrib.staticfiles.finders.AppDirectoriesFinder', ] when I try to access it from a template, it returns a response code 404 in the runserver log, [09/Apr/2020 01:59:34] "GET /static/js/jquery.min.js HTTP/1.1" 404 1674 the template tag is like this {% load static %} <script src="{% static 'js/jquery.min.js' %}"></script> This is my first django project without following a tutorial, and any help would be appreciated. Thank You
- 
        should the directory of the static file always be myapp/static/myapp/any staticfileThough i use the staticfiles_dir in the setting and specify where to look for the static files.it works fine and have no problem,or may be there is only one app,so it works nice . i looked into django documentation and it suggests to use both. strong text
- 
        How to use MongoDB with Django==2.2. Getting error when migrating from MySQL to MongoDB. SQLDecodeError at /en/admin/cms/page/add/I have migrated from MySQL to MongoDB but when trying to add Django CMS pages getting below error - Error SQLDecodeError at /en/admin/cms/page/add/ Below are my requirement.txt - Django==2.2 django-classy-tags==1.0.0 django-cms==3.7.1 django-debug-toolbar==2.2 django-filer==1.7.0 django-formtools==2.2 django-js-asset==1.2.2 django-mongodb-engine==0.6.0 django-mongodb-engine-py3==0.6.0.1 django-mongokit==0.2.6 django-mptt==0.11.0 django-polymorphic==2.1.2 django-sekizai==1.1.0 django-treebeard==4.3.1 djangocms-admin-style==1.5.0 djangocms-attributes-field==1.2.0 djangocms-column==1.9.0 djangocms-file==2.4.0 djangocms-googlemap==1.4.0 djangocms-link==2.5.0 djangocms-picture==2.4.0 djangocms-snippet==2.3.0 djangocms-style==2.3.0 djangocms-text-ckeditor==3.9.0 djangocms-video==2.3.0 djangotoolbox==1.8.0 djongo==1.3.1 easy-thumbnails==2.7 fhir.resources==5.0.1 html5lib==1.0.1 isodate==0.6.0 mongoengine==0.19.1 mongokit==0.9.1.1 mysqlclient==1.4.6 Pillow==7.0.0 pkg-resources==0.0.0 pymongo==3.7.2 python-dateutil==2.8.1 pytz==2019.3 six==1.14.0 sqlparse==0.2.4 Unidecode==1.1.1 webencodings==0.5.1
- 
        Reading random columns from a csv file: DjangoFrom a csv file, I want to read only 3 columns: {Id, name, approve} But when the user uploads a csv file, they could end up giving extra information in a random order e.g: {approve, reject, Id, foreign, name, approve, description} So far I have only been able to match if the "allowed headers" are present in the uploaded csv (the code below works). But how can I read the data from these "allowed headers" columns (considering their index position might be in a random order) ? My code (forms.py) def clean(self): uploaded_csv_file = self.cleaned_data['csv_file'] allowed_headers = {'id','name','approve'} validation_errors = [] if uploaded_csv_file: filename = uploaded_csv_file.name if not filename.endswith(settings.FILE_UPLOAD_TYPE): raise forms.ValidationError("Please upload .csv extension files only") # django InMemoryUploadedFile returns bytes and we need strings rows = csv.reader(StringIO(uploaded_csv_file.read().decode('utf-8'))) header = next(rows) csv_fields = set(header) csv_fields = {field.lower() for field in csv_fields} result = all(elem in allowed_headers for elem in csv_fields) # Check if list1 contains all elements of list2 using all() if not result: validation_errors.append( ValidationError('Your file could not be processed. You should provide %s columns in the file' % ', '.join(allowed_headers))) Thank you in advance :)
- 
        Override Django Admin Landing PageI am creating a custom django admin. I am trying to have it so that when a user logs into /admin they are directed to /admin/database (the app admin rather than the projects). I have worked overriding "index.html" with "base_site.html". This works somewhat, however, I cannot completely edit the main django-admin template so it just focuses on the apps and its causing issues for my project. Logging out issues: After logging out, when navigating to 'admin/database', I can still see the contents of the page, but when clicking on a "action" link (such as change password), it prompts to login. I think I'm fudging up the templates somehow. I want to entirely replace the django admin landing page with the custom one I built at "admin/database/index.html" path('admin/database/', include('database.urls')), path('admin/', admin.site.urls), Conceptually I would like 'admin' to point to 'admin/database' with full admin functionality. I tried deleting 'admin/', admin.site.urls and it threw an error.
- 
        Celery task previous run dateI have some Celery tasks that I use to train some models in my Django application. I schedule them using crontab. Is there a was to get the current date for which a task is running, the current schedule date?
- 
        How to create a Many to Many Relation in DjangoI´m new in Django and I´ve been trying to create a Model, where I have many warehouses and many products. So far I have achieved this: class Product(models.Model): idProduct = models.IntegerField(primary_key=True) name = models.CharField(max_length=50) quantity = models.IntegerField() def __str__(self): return self.name class Warehouse(models.Model): idWareouse = models.IntegerField(primary_key=True) name = models.CharField(max_length=50) address = models.CharField(max_length=100) city = models.CharField(max_length=50) products = models.ManyToManyField(Product) def __str__(self): return self.name But the problem is, that one product can be in multiple warehouses with different product quantity, and I don´t know how to model this. Thank you
- 
        Django ORM SubqueriesI'm trying to figure out how to perform the following SQL query with the Django ORM: SELECT main.A, main.B, main.C FROM (SELECT main.A, MAX(main.B) FROM main GROUP BY main.A) subq WHERE main.A = subq.A AND main.B = subq.B The last two lines are necessary because they recover the column C value when B is at a maximum in the group by. Without them, I would have A and the corresponding Max B but not the C value when B is at its max. I have searched extensively but cannot find an example that can construct this query using the Django ORM. Most examples use Django's Subquery class and show how to match the sub-queryset up with one column (so doing main.A = subq.A). But how do I match 2+ columns?
- 
        Django Text box additional text issueI am getting an extra text with a text box in Django. I wrote it initially for testing purpose but after even removing all lines "enter item number , this field is required" I am getting that with a text box.please check image for more clarity here and If I add any more Textboxes to my code by doing "ENTER= forms.IntegerField" I am getting "enter item number , this field is required" embedded over that textbox too. The code is as below:: forms.py from django import forms import re class InputForm(forms.Form): print("inside forms") regex = re.compile('^([1-9]{8})$', re.UNICODE) ENTER_ITEM_NUMBER= forms.RegexField(max_length=8, regex=regex,help_text=("Required 8 digits between {0-9}.")) input.html <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>Title</title> </head> <body> <form action = "{% url 'item'%}" method = "post"> {% csrf_token %} {{form}} <input type="submit" value=Submit" name="submitted"> </form> urls.py urlpatterns = [ path('inputs/', views.home_view, name='inputs'), path('item/', views.itemnumber, name='item'), ] views.py from django.db import connection from django.shortcuts import render from .forms import InputForm def home_view(request): context1 ={} context1['form'] = InputForm(request.POST) return render(request, "input.html", context1) def itemnumber(request): if (request.GET.get('submitted')): c = request.get['ENTER_ITEM_NUMBER'] cursor = connection.cursor() try: itemnumber = c C=cursor.execute(f"EXEC ValidateBusinessrule '0000000000{itemnumber}'") result_set = cursor.fetchall() result_set1= [' {} '.format(x) for x in result_set] context = {"row": result_set1} …
- 
        Basic auth protected views in DRFI have some API endpoints that i need to protect using HTTP Basic Authentication in Django Rest Framework. There is BasicAuthentication in DRF, but that actually authenticates against a user in Django, which is not what I'm looking for. I found a solution using a custom permission, but ti means monkey patching the views to set the correct authenticate header. Is there a better way? class BasicAuthPermission(permissions.BasePermission): def has_permission(self, request, view): credentials = view.credentials # Will raise AttributeError on missing credentials realm = getattr(view, 'realm', 'Protected') auth = request.headers.get('Authorization') with suppress(ValueError, AttributeError): auth = b64decode(auth.split()[-1]).decode() if auth != credentials: # Monkey patch style view.get_authenticate_header = lambda r: f'Basic realm="{realm}"' raise exceptions.AuthenticationFailed('Bad credentials.') return True Im my view: class ProtectedApiView(generics.GenericAPIView): permission_classes = [BasicAuthPermission] credentials = 'user:password' # ...