Django community: RSS
This page, updated regularly, aggregates Django Q&A from the Django community.
-
Django, How to validate year dependent on another class foreig key
In Django models i have two classes and I want to validate class Comment date to be less or equal class Report year. class Report(models.Model): year = models.PositiveIntegerField('year of report', default=date.today().year) and another class: class Comment(): report = models.ForeignKey(Report, on_delete=models.CASCADE, related_name='comment') date = models.DateField('date', validators=[year_validation]) How can i do this thnig? I discovered something like custom validators. I made a function and used it but how can i get acces to second class here? I wanted to do something like this but it doesn't work. def year_validation(self, value): if value.year > self.report.year: raise ValidationError('The year should be not later than: {}'.format(self.report.year)) -
Django url rendering
I am trying to build a simple django project but facing troubles with url related changes in case of second app. My first app is app1 and contains login, registration and few other things. urls.py in app1 url(r'^$', views.loginView, name='loginView'), url(r'^register/$', views.registerationView, name='registerationView'), url(r'^app2/', include('app2.urls')) urls.py in app2 url(r'^$', views.homeView, name='homeView'), After logging in, the user is successfully redirected to url http://127.0.0.1:8000/app2 which is what i want for the register too. Instead, it starts searching for the url http://127.0.0.1:8000/register/app2 which is non existent and gives me 404 error. I want to look for the same url as after login which is http://127.0.0.1:8000/app2. This is my views.py file for user register def registerationView(req): form = forms.registerForm() if req.method=='POST': form = forms.registerForm(req.POST) if form.is_valid(): form.save() return redirect('blog/') return render(req, 'register.html', context={'form': form}) -
How to unittest a method from a django class based view that does not deal with a request/response object?
I am trying to unittest the addition method inside of a class based view. The method I am testing does not deal with a request or response object. What is the easiest way to unit test this? When I look at django docs the unittests for class based views, seem to test the entire class rather than narrow in on testing individual methods. views.py class MathView(APIView): def addition(self): # how do i unittest this method? sum = 1+1 return sum def get(self, request, format=None): sum = self.addition() return Response(sum) -
Speed up tuning for many to many model
I have a model which has a few manytomany relationship class Article(models.Model): authors = models.ManyToManyField(Author) tags = models.ManyToManyField(Tag) genre = models.ManyToManyField(Genre) then I need to fetch more than 10000 rows by using ArticleSerializer. class ArticleSerializer(serializers.ModelSerializer): authorObjs = serializers.SerializerMethodField() tagObjs = serializers.SerializerMethodField() genreObjs = serializers.SerializerMethodField() class Meta: model = Article fields = ('id','authorObjs','tagObjs','genreObjs') def get_authorObjs(self,obj): res = [] for my in obj.authors.all(): res.append({ "id" : my.id, "name" : my.name }) return res def get_tagObjs(self,obj): res = [] for my in obj.tags.all(): res.append({ "id" : my.id, "name" : my.name }) return res def get_genreObjs(self,obj): res = [] for my in obj.genres.all(): res.append({ "id" : my.id, "name" : my.name }) return res It works well but it takes 20~30 sec. I want to speed up as much as possible. I checked around and thought fetching manytomany objects takes more time than fetching a normal column. At first I try to cache with @method_decorator in view. class ArticleViewSet(viewsets.ModelViewSet): queryset = Article.objects.all() serializer_class = ArticleSerializer @method_decorator(cache_page(None)) @method_decorator(vary_on_cookie) However new article is added every 10 min. so it's not appropriate. I am guessing there is still ways like 1.cache each row of Database.... 2.index key's tuning... Am I correct?? Is there any good idea to speed … -
Django-Channels AsyncConsumer not working
using SyncConsumer with below code works fine class BackgroundTaskConsumer(SyncConsumer): def create_users(self, message): number = message['number'] id = message['id'] UserFactory.create_batch(number, groups=(id,)) But when using AsyncConsumer with below code stop working class BackgroundTaskConsumer(AsyncConsumer): async def create_users(self, message): number = message['number'] id = message['id'] await UserFactory.create_batch(number, groups=(id,)) -
Error: Invalid hook call when using with redux
Sorry if i am asking a beginner's question. Im very new to React.js and recently i have been trying to grasps the concepts by following this tutorial : JustDjango What im trying to accomplish is creating a login form and it uses redux to store the states , my code is as follows : import React from 'react'; import { Form, Icon, Input, Button, Spin } from 'antd/lib'; import { connect } from 'react-redux'; import { NavLink } from 'react-router-dom'; import * as actions from '../store/actions/auth'; const FormItem = Form.Item; const antIcon = <Icon type="loading" style={{ fontSize: 24 }} spin />; class NormalLoginForm extends React.Component { handleSubmit = (e) => { e.preventDefault(); this.props.form.validateFields((err, values) => { if (!err) { this.props.onAuth(values.userName, values.password); this.props.history.push('/'); } }); } render() { let errorMessage = null; if (this.props.error) { errorMessage = ( <p>{this.props.error.message}</p> ); } const { getFieldDecorator } = this.props.form; return ( <div> {errorMessage} { this.props.loading ? <Spin indicator={antIcon} /> : <Form onSubmit={this.handleSubmit} className="login-form"> <FormItem> {getFieldDecorator('userName', { rules: [{ required: true, message: 'Please input your username!' }], })( <Input prefix={<Icon type="user" style={{ color: 'rgba(0,0,0,.25)' }} />} placeholder="Username" /> )} </FormItem> <FormItem> {getFieldDecorator('password', { rules: [{ required: true, message: 'Please input your Password!' }], })( … -
Expecting JSON object instead of JSON Array
In my django application with database engine djongo, I'm trying to return a JSON response by retrieving from my database. But, I'm receiving JSON array instead of JSON object. Currently, there is only one record in my database. Please see the code below. model.py class bloodDonors(models.Model): location=models.CharField(max_length=20) name=models.CharField(max_length=20) phone=models.IntegerField() address=models.TextField() bloodGroup=models.CharField(max_length=5) type=models.CharField(max_length=20) def __str__(self): return self.name views.py class bloodDonersView(viewsets.ModelViewSet): queryset = bloodDonors.objects.all() serializer_class = bloodDonorsSerializer JSON Reponse: [ { "id": 3, "location": "Delhi", "name": "Tony", "phone": 888, "address": "South street", "bloodGroup": "B+", "type": "blood-donation" } ] But, actually I needed the response as given below: { "id": 3, "location": "Delhi", "name": "Tony", "phone": 888, "address": "South street", "bloodGroup": "B+", "type": "blood-donation" } -
django : Once User fills form after login,whenever user login again he should not see form again that is been applied
I have an application where user login and where appears a form user fill the form and redirect to next page where he sees the status of his applied form, So now i am trying if user has filled the form whenever he logins he should redirect to status page and if user login and have not filled form he should get the form template. SO can anyone help me how to achieve these i am able to login user and get the form filled but again if same user is logging in , I am getting the form appear. -
How can I pass in multiple parameters in my Url
So I'm a developer noobie, and building my first project from scratch. I'm currently building a messaging system for my app. How it's supposed to work is that A user goes to a link that checks their current conversations, so conversations are displayed. Then FROM the conversations, there is a link that takes them to a page that displays the contents of that conversation. But I'm having a problem here, because when I try to get the other user's pk to display their messages, my code is instead getting request.user pk and getting ALL the messages that the current user has going on not exclusively between 2 users within that specific conversation. Now, when I manually, and by manually I mean typing the actual pk of the specific user I want to check on that has messages with my user, when I manually enter their pk number in the http, I am able to get the correct messages and exclusive messages. Currently, my href link is passing conversation.pk and I haven't figured out how to get the other users pk. Everything I have tried has kept passing my request.user pk. So I guess what I'm asking is how can I … -
Django use forloop for create multi objects
I have model : aa= Order.objects.get(Id="15") cc=Commission.objects.filter(maincommission__mainorder__id=aa.id) If cc come back with 3 results how can I create all three in CommissionHistory (models.model): percentage=cc.percentage Thx -
Vue Router router-link only changes the last section of url path
I am using Django alongside Vuejs, and I am serving vuejs from django using django_webpack_loader,but I have a problem with Vue Router, so first this is my Vue Router config file: Vue.use(VueRouter); export default new VueRouter({ mode:'history', routes:[ { path:'/', component:Home, }, { name:'dashboard', path:'/dashboard', component:Dashboard, }, { name:'categories', path:'/categories/add', component:Category, }, { path: '/dashboard/course/:uu_id/index', component:CourseIndex, name:'courseIndex', props:true }, { path: '/dashboard/course/:uu_id/posts/:post_id/edit', component:PostEdit, name:'PostEdit', }, ] }); so when I us router.push every thing is fine but when I am in /categories/add and I want to head to new page say dashboard using router-link component it takes me to /categories/dashboard, now if I again try to change path to '/categories/add' it takes me to categories/categories/add, it always replaces the last part of the path with my target path. what is the problem? -
how to iterate through an array and add an element to the end
I create a local site for myself . I have a form that creates a user in the database . Then you need to log in to your account so to speak and fill out the second form, we get an object from the database using name (field in the database ) = form. I want after getting this object, I went through the array and moved the object to the very end, so that I could then get it using -id[0] -
standard_init_linux.go:211: exec user process caused "no such file or directory"?
Dockerfile FROM python:3.7.4-alpine ENV PYTHONUNBUFFERED 1 ENV PYTHONDONTWRITEBYTECODE 1 ENV LANG C.UTF-8 MAINTAINER Nurbek Batyrzhan "foto.nurbek@gmail.com" RUN apk update && apk add postgresql-dev gcc musl-dev RUN apk --update add build-base jpeg-dev zlib-dev RUN pip install --upgrade setuptools pip RUN mkdir /code WORKDIR /code COPY requirements.txt /code/ RUN pip install -r requirements.txt COPY . /code/ #CMD ["gunicorn", "--log-level=DEBUG", "--timeout 90", "--bind", "0.0.0.0:8000", "express_proj.wsgi:application"] ENTRYPOINT ["./docker-entrypoint.sh"] docker-entrypoint.sh #!/bin/bash # Prepare log files and start outputting logs to stdout touch /code/gunicorn.log touch /code/access.log tail -n 0 -f /code/*.log & # Start Gunicorn processes echo Starting Gunicorn. exec gunicorn express_proj.wsgi:application \ --name express \ --bind 0.0.0.0:8000 \ --log-level=info \ --log-file=/code/gunicorn.log \ --access-logfile=/code/access.log \ --workers 2 \ --timeout 90 \ "$@" Getting Error standard_init_linux.go:211: exec user process caused "no such file or directory" Need help. Some saying to use dos2unix(i do not know hoe to use it.) -
Update a queryset in django
I need to update the data on the database once I get all the values of that data with current DateTime..i.e My Model: class Load_Balancing(models.Model): instance_name = models.CharField(max_length=100) instance_visit = models.DateTimeField(null=True) sequence = models.IntegerField() I want to get the value with the last sequence number inserted in the database and update its time to the current time. I tried: instances = Load_Balancing.objects.all().order_by("-sequence")[:1] a = Load_Balancing.objects.filter(sequence=instances.sequence).update(instance_visit= datetime.datetime.now()) But it's not working. -
Why is my form not being saved to admin database?
Hi I'm trying to develop a website for an online store using Django. I want to use Ajax to handle the view of my checkout form after it has been submitted. After the form is submitted, I want it to go to : return HttpResponseRedirect(reverse(str(next_page))+"?address_added=True") , i.e http://127.0.0.1:8000/checkout/?address_added=True But for some reason, it is not going there. Rather it's being redirected to http://127.0.0.1:8000/checkout/?csrfmiddlewaretoken=W4iXFaxwpdtbZLyVI0ov8Uw7KWOM8Ix5GcOQ4k3Ve65KPkJwPUKyBVcE1IjL3GHa&address=123+Main+Street&address2=&state=MA&country=USA&zipcode=55525&phone=%28877%29+314-0742&billing=on As a result, the form data is also not getting saved. I was thinking if it were because of the new version of Django. What I want to do is that after they submit the place order button, the form is going to be None, i.e disapper and then I would add a credit card form there for payment. But it is not happening. What is wrong here? Can anyone please help me out of this or is there a better way to do this? My forms.py: class UserAddressForm(forms.ModelForm): class Meta: model = UserAddress fields = ["address", "address", "address2", "state", "country", "zipcode", "phone", "billing"] My accounts.views.py: def add_user_address(request): try: next_page = request.GET.get("next") except: next_page = None if request.method == "POST": form = UserAddressForm(request.POST) if form.is_valid(): new_address = form.save(commit=False) new_address.user = request.user new_address.save() if next_page is not None: … -
Coloring specific values based on condition in Django thorugh CSS in html template
formula.py funct(): apple=[2.3,4.6,7.5] orange=[3.1,5.6,7.8] jam=list(map(lambda a,o: round((a/o),3) if o else 0, apple,orange)) return (apple,orange,jam) views.py def view(request): forma = SimpleForm(request.POST) if request.method == "POST": if forma.is_valid(): forma = forma.save() box = form.box garden=Garden.objects.get(fruit=box) formula=funct() context={'formla':formula,'garden':garden} template.html <table> <tr><th>Jam Recipe</th>{% for item in jam %}{% if item>2 %}<td class="green">{{ item }}</td> {% endif %}{% endfor %}</tr></table> css: .green {color: green;} I want to color the table in template.html in green color if values in list jame in the table more than 2. I wrote the above code, color it does not color my table some values in green. What is wrong and how to fix it ? What i am missing? Any help is appreciated. -
django formset error : "ManagementForm data is missing or has been tampered with"
I trying to do some crud using Django formset but I get this error "ManagementForm data is missing or has been tampered with", if I change the data management tag to {{ formset.management_form}} then the error is gone but nothing happens, I got no data displayed, so what to do? views.py : def view(request): achat = Achats.objects.all() form = formset_factory(AssociationForm,extra=1) formset = form(request.POST or None) if formset.is_valid(): for form in formset: print(form.cleaned_data) return render(request, 'html.html', {'Achats': achat, 'formset': formset}) forms.py : class AssociationForm(forms.ModelForm): class Meta: model = Association fields = ('Id_Achats', 'Id_Article', 'Prix_Unitaire', 'Quantite') html {% load widget_tweaks %} {% for form in formset %} <form method="POST" enctype="multipart/form-data"> {{ formset.management_data}} {% csrf_token %} <td>{% render_field form.Id_Achats class="form-control" %}</td> <td>{% render_field form.Id_Article class="form-control" %}</td> <td>{% render_field form.Prix_Unitaire class="form-control" %}</td> <td>{% render_field form.Quantite class="form-control" %}</td> <input type="submit" value="Submit"> </form> {% endfor %} -
Django - Reverse for 'processinglist' with arguments '('',)' not found. 1 pattern(s) tried: ['processing/(?P<pk>[0-9]+)/$']
I am learning Django by following some tutorials, along with Django official doc. I have an issue with reverse URL. It just does not seem to be working out for me, hence I'm looking for some help. Here's my models.py from django.db import models from django.urls import reverse class ProcessingActivityTopType(models.Model): type = models.CharField(max_length=200) def get_absolute_url(self): return reverse('processinglist', args=[str(self.id)]) def __str__(self): return self.type class ProcessingActivity(models.Model): class Meta: verbose_name_plural = 'Processing Activities' processing_toptype = models.ForeignKey(ProcessingActivityTopType, on_delete=models.CASCADE, related_name='processingactivities') processing_type = models.CharField(max_length=200) processing_purpose = models.CharField(max_length=200) processing_category = models.ManyToManyField('PersonalData', related_name='processing_category') processing_legalbasis = models.ForeignKey(LegalBasis, on_delete=models.CASCADE, related_name='legal_basis') processing_retention = models.CharField(max_length=200) processing_datasubject = models.CharField(max_length=200) processing_transfers = models.CharField(max_length=200) processing_security = models.CharField(max_length=200) def __str__(self): return self.processing_type Here's my views.py from django.shortcuts import render, get_object_or_404 from django.views import generic from .models import ProcessingActivityTopType, ProcessingActivity class ProcessingActivityListView(generic.ListView): model = ProcessingActivityTopType class ProcessingListByTopType(generic.ListView): model = ProcessingActivity def get_queryset(self): id = self.kwargs['pk'] target_toptype=get_object_or_404(ProcessingActivityTopType, pk = id) return ProcessingActivity.objects.filter(processing_toptype=target_toptype) def get_context_data(self, **kwargs): context = super(ProcessingListByTopType, self).get_context_data(**kwargs) context['processings'] = get_object_or_404(ProcessingActivityTopType, pk = self.kwargs['pk']) return context Here's my urls.py from django.urls import path, include from . import views urlpatterns = [ path('processings/', views.ProcessingActivityListView.as_view(), name='toptypes'), path('processing/<int:pk>', views.ProcessingListByTopType.as_view(), name='processinglist'), ] Here's my html template <div class="row"> {% for i in processingactivitytoptype_list %} <div class="col-md-4"> <div class="card mb-2"> <div class="card-body"> … -
Django: NoReverseMatch error when trying to pass two url parameters
I am working on a project and I am a beginner in Django. In the project, the user can create product posts and other users can upvote it. I am working on the thing that the user can delete the post created by himself. I don't know what are the best practices for it but I am trying this method. this is usersposts.html {% for product in products.all %} {% if product.hunter.username == user.username %} #extra code here--- <a class="btn btn-md btn-outline-danger btn-block font-weight-bolder h5" href="{% URL 'deletepost' user.id product.id %}">delete</a> {% endif %} {% endfor %} this is urls.py urlpatterns = [ #more URLs here---- path('deletepost/<int:user_id>/<int:product_id>/', views.deletepost, name='deletepost'), ] this is the view function for deletepost @login_required(login_url="/accounts/signup") def deletepost(request, user_id, product_id): if request.method == 'POST': user = get_object_or_404(User, pk = user_id) if user.check_password(request.POST['password']): product = get_object_or_404(Product, pk = product_id) product.delete() messages.success(request, 'post deleted successfully!') return render(request,'products/home.html') else: messages.error(request, 'password is incorrect !') return render(request,'products/deletepost.html') else: return render(request,'products/deletepost.html') this should work I think but I don't know what I am doing wrong that I am getting this error NoReverseMatch at /products/deletepost/17/4/ Reverse for 'deletepost' with arguments '(17, '')' not found. 1 pattern(s) tried: ['products\\/deletepost\\/(?P<user_id>[0-9]+)\\/(?P<product_id>[0-9]+)\\/$'] Request Method: GET Request URL: http://127.0.0.1:8000/products/deletepost/17/4/ … -
How to float the label to the left and span to the right in the line?
This is what the current code looks right now, I don't know why isn't it working any help is appreciated, Thanks! label { font-family: Segoe UI; font-size: 18px; font-weight: lighter; color: #1E1E1E; } .field1 { font-family: inherit; margin-bottom: 25px; display: flex; justify-content: space-between; } <div class="field1"> <label>Username</label> <span class="holder">{{ form.username }}</span> </div> -
am having this error in my django project
Traceback (most recent call last): File "C:\Users\HP\AppData\Local\Programs\Python\Python38-32\lib\urllib\request.py", line 1319, in do_open h.request(req.get_method(), req.selector, req.data, headers, File "C:\Users\HP\AppData\Local\Programs\Python\Python38-32\lib\http\client.py", line 1230, in request self._send_request(method, url, body, headers, encode_chunked) File "C:\Users\HP\AppData\Local\Programs\Python\Python38-32\lib\http\client.py", line 1276, in _send_request self.endheaders(body, encode_chunked=encode_chunked) File "C:\Users\HP\AppData\Local\Programs\Python\Python38-32\lib\http\client.py", line 1225, in endheaders self._send_output(message_body, encode_chunked=encode_chunked) File "C:\Users\HP\AppData\Local\Programs\Python\Python38-32\lib\http\client.py", line 1004, in _send_output self.send(msg) File "C:\Users\HP\AppData\Local\Programs\Python\Python38-32\lib\http\client.py", line 944, in send self.connect() File "C:\Users\HP\AppData\Local\Programs\Python\Python38-32\lib\http\client.py", line 1392, in connect super().connect() File "C:\Users\HP\AppData\Local\Programs\Python\Python38-32\lib\http\client.py", line 915, in connect self.sock = self._create_connection( File "C:\Users\HP\AppData\Local\Programs\Python\Python38-32\lib\socket.py", line 808, in create_connection raise err File "C:\Users\HP\AppData\Local\Programs\Python\Python38-32\lib\socket.py", line 796, in create_connection sock.connect(sa) During handling of the above exception ([WinError 10060] A connection attempt failed because the connected party did not properly respond after a period of time, or established connection failed because connected host has failed to respond), another exception occurred: File "C:\Users\HP\AppData\Local\Programs\Python\Python38-32\lib\site-packages\django\core\handlers\exception.py", line 34, in inner response = get_response(request) File "C:\Users\HP\AppData\Local\Programs\Python\Python38-32\lib\site-packages\django\core\handlers\base.py", line 115, in _get_response response = self.process_exception_by_middleware(e, request) File "C:\Users\HP\AppData\Local\Programs\Python\Python38-32\lib\site-packages\django\core\handlers\base.py", line 113, in _get_response response = wrapped_callback(request, *callback_args, **callback_kwargs) File "C:\Users\HP\Desktop\video\vid\videodownloader\views.py", line 14, in download YouTube(url).streams.first().download(homedir +'/Downloads') File "C:\Users\HP\AppData\Local\Programs\Python\Python38-32\lib\site-packages\pytube\streams.py", line 226, in download if skip_existing and self.exists_at_path(file_path): File "C:\Users\HP\AppData\Local\Programs\Python\Python38-32\lib\site-packages\pytube\streams.py", line 260, in exists_at_path return os.path.isfile(file_path) and os.path.getsize(file_path) == self.filesize File "C:\Users\HP\AppData\Local\Programs\Python\Python38-32\lib\site-packages\pytube\streams.py", line 146, in filesize self._filesize = request.filesize(self.url) File "C:\Users\HP\AppData\Local\Programs\Python\Python38-32\lib\site-packages\pytube\request.py", line 76, in … -
Django edit the admin template for models
I am new to Django and working on a project. I have these models class Test(models.Model): name = models.CharField(max_length=255) description = models.CharField(max_length=255, blank=True) applicable_device = models.ManyToManyField(Device) applicable_platform = models.ManyToManyField(Platform) class Meta: verbose_name = 'Test' verbose_name_plural = 'Tests' def __str__(self): return self.name class Event(models.Model): name = models.CharField(max_length=255) test = models.ManyToManyField(Test) applicable_devices = models.ManyToManyField(Device) class Meta: verbose_name = 'Event' verbose_name_plural = 'Events' def __str__(self): return self.name class Property(models.Model): name = models.CharField(max_length=255) description = models.CharField(max_length=255) applicable_events = models.ManyToManyField(Event) applicable_devices = models.ManyToManyField(Device) applicable_platform = models.ManyToManyField(Platform) property_type = models.CharField(max_length=20, choices=TYPE_CHOICES) expected_value = ArrayField(models.CharField(max_length=200), blank=True) When I go to the Event section in the Django Admin Panel I am able to edit the events. But I want to be able to see a list of all the properties that apply to it underneath where I edit the event. Is this possible? -
Django: get current URL path to use in a form
I have been stuck on this for a while now. I need to extract the current domain name of the tenant in order to use as a parameter to upload data in this tenant schema. I am struggling to make this work because of the structure of my view. This is what I have been able to do so far forms.py class ETL(forms.Form): Historical = forms.FileField() Pre_processing = forms.FileField() Supplier = forms.FileField() parameters = forms.FileField() def process_data(self, request ,*args, **kwargs): url = request.get_full_path() print(url) dbschema = remove_www(request.get_host().split(':')[0]).lower() print(url) fh = io.TextIOWrapper(self.cleaned_data['Historical'].file) fpp = io.TextIOWrapper(self.cleaned_data['Pre_processing'].file) fs = io.TextIOWrapper(self.cleaned_data['Supplier'].file) fp = io.TextIOWrapper(self.cleaned_data['parameters'].file) ........ and my view.py @method_decorator(login_required, name='dispatch') class Getfiles(LoginRequiredMixin,FormView): template_name = 'upload.html' form_class = ETL success_url = 'Home' def form_valid(self, form): form.process_data() print('data_processed well') return super().form_valid(form) with this view format, I am struggling on how to pass the request.get_hosts() inside of the view. How can I can fix it? Is this a proper way to get the schema name or is there a better way to get the tenant schema in the form? -
How do I change the location to where pip install site-package modules?
I'm using Ubuntu 18.04 and Python 3.6. Whenever I try and install pip packages, pip installs them to my home directory instead of the virtual environment where I want them. I have tried reinstalling python3, pip, and re-creating the virtual environment (as well as deactivating and reactivating it). This is roughly what happens ,I try and install modules from my requirements file, and they appear to be installed successfully ... (venv) davea@chicommons-laboratory:/var/www/html/web$ /var/www/html/web/venv/bin/python3 -m pip install -r requirements.txt Collecting asgiref==3.2.3 (from -r requirements.txt (line 1)) Using cached https://files.pythonhosted.org/packages/a5/cb/5a235b605a9753ebcb2730c75e610fb51c8cab3f01230080a8229fa36adb/asgiref-3.2.3-py2.py3-none-any.whl Collecting attrs==19.3.0 (from -r requirements.txt (line 2)) Using cached https://files.pythonhosted.org/packages/a2/db/4313ab3be961f7a763066401fb77f7748373b6094076ae2bda2806988af6/attrs-19.3.0-py2.py3-none-any.whl Collecting Babel==2.8.0 (from -r requirements.txt (line 3)) Using cached https://files.pythonhosted.org/packages/15/a1/522dccd23e5d2e47aed4b6a16795b8213e3272c7506e625f2425ad025a19/Babel-2.8.0-py2.py3-none-any.whl Collecting click==7.1.1 (from -r requirements.txt (line 4)) Using cached https://files.pythonhosted.org/packages/dd/c0/4d8f43a9b16e289f36478422031b8a63b54b6ac3b1ba605d602f10dd54d6/click-7.1.1-py2.py3-none-any.whl Collecting click-plugins==1.1.1 (from -r requirements.txt (line 5)) Using cached https://files.pythonhosted.org/packages/e9/da/824b92d9942f4e472702488857914bdd50f73021efea15b4cad9aca8ecef/click_plugins-1.1.1-py2.py3-none-any.whl Collecting cligj==0.5.0 (from -r requirements.txt (line 6)) Using cached https://files.pythonhosted.org/packages/e4/be/30a58b4b0733850280d01f8bd132591b4668ed5c7046761098d665ac2174/cligj-0.5.0-py3-none-any.whl Collecting Django==2.0 (from -r requirements.txt (line 7)) Using cached https://files.pythonhosted.org/packages/44/98/35b935a98a17e9a188efc2d53fc51ae0c8bf498a77bc224f9321ae5d111c/Django-2.0-py3-none-any.whl Collecting django-address==0.2.1 (from -r requirements.txt (line 8)) Collecting django-extensions==2.2.8 (from -r requirements.txt (line 9)) Using cached https://files.pythonhosted.org/packages/c9/9f/c780e0360fb10a36b519d015096d93311088fcec4874a9238bb8996013dc/django_extensions-2.2.8-py2.py3-none-any.whl Collecting django-mysql==3.3.0 (from -r requirements.txt (line 10)) Using cached https://files.pythonhosted.org/packages/eb/4a/62b2eb9f0b94541161b0e7d355bea89f5b2273e146f5b3a30e728adb9ce2/django_mysql-3.3.0-py3-none-any.whl Collecting django-phonenumber-field==4.0.0 (from -r requirements.txt (line 11)) Using cached https://files.pythonhosted.org/packages/1f/2d/330ae13ceef7d9b083aa61b82779daec6afe4d66ae88adf968adcc6b752c/django_phonenumber_field-4.0.0-py3-none-any.whl Collecting djangorestframework==3.11.0 (from -r requirements.txt (line 12)) Using cached https://files.pythonhosted.org/packages/be/5b/9bbde4395a1074d528d6d9e0cc161d3b99bd9d0b2b558ca919ffaa2e0068/djangorestframework-3.11.0-py3-none-any.whl Collecting Fiona==1.8.13.post1 (from -r requirements.txt … -
Using Django and Postgres to store phone numbers
I currently want to make a web app in django with a form that asks a user to input a phone number and submit, and I want that number they submit to be stored in a database using postgres. I'm having a hard time finding information on how to use post requests in django to connect to postgres. index.html <html lang="en"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1.0"> <meta http-equiv="X-UA-Compatible" content="ie=edge"> <title>Test Form 1</title> </head> <body> <form method="post">{% csrf_token %} {{ form.as_p }} <input type="submit" value="Send message"> </form> </body> </html> admin.py from django.contrib import admin from .models import Post admin.site.register(Post) urls.py from django.contrib import admin from django.urls import path # from main.views import first from main import views as test_app_views urlpatterns = [ path('admin/', admin.site.urls), # path('', first) path('', test_app_views.FormView1.as_view()) ] forms.py from django import forms from phone_field import PhoneField from main.models import Post class HomeForm(forms.ModelForm): phone = PhoneField() class Meta: model = Post fields = ('phone',) models.py from django.db import models from phone_field import PhoneField from django.contrib.auth.models import User class Post(models.Model): phone = PhoneField() user = models.ForeignKey(User, on_delete=models.CASCADE,) views.py from django.shortcuts import render from django.views.generic.edit import FormView from .forms import HomeForm class FormView1(FormView): template_name = 'index.html' # form_class = …