KEMBAR78
Code | PDF | Login | Computing
0% found this document useful (0 votes)
46 views10 pages

Code

This document contains code for a Django web application that allows users to create polls, vote in polls, and see poll results. It includes views for authentication, creating polls, voting, viewing results, and deleting polls. It also includes forms, models, URLs, and settings files to configure the Django project.

Uploaded by

karnikayush30
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as TXT, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
46 views10 pages

Code

This document contains code for a Django web application that allows users to create polls, vote in polls, and see poll results. It includes views for authentication, creating polls, voting, viewing results, and deleting polls. It also includes forms, models, URLs, and settings files to configure the Django project.

Uploaded by

karnikayush30
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as TXT, PDF, TXT or read online on Scribd
You are on page 1/ 10

... views.

py
from django.shortcuts import get_object_or_404,render, redirect
from .models import PollModel
from .forms import PollForm
from django.contrib.auth.models import User
from django.contrib.auth import login, logout, authenticate
from random import randrange
from django.core.mail import send_mail
from django.contrib.auth.decorators import login_required
from django.http import HttpResponseForbidden

def home(request):
if request.user.is_authenticated:
data = PollModel.objects.all()
return render(request, "home.html",{"data":data})
else:
return render(request, "login.html")

from django.shortcuts import render, redirect


from .forms import PollForm # Import the PollForm from your forms module

def create(request):
if request.user.is_authenticated:
if request.method == "POST":
fm = PollForm(request.POST)
if fm.is_valid():
poll = fm.save(commit=False)
poll.user = request.user # Set the user
poll.save()
return redirect('home')
else:
return render(request, "create.html", {"fm": fm, "msg": "Invalid
data"})
else:
fm = PollForm()
return render(request, "create.html", {"fm": fm})
else:
return render(request, "login.html")

def handle_validation_error(request, error):


messages.error(request, str(error), extra_tags='alert')
return redirect('create')

def vote(request, id):


data = PollModel.objects.get(id=id)
if request.method == "POST":
op = request.POST.get("r")
if op == "op1":
data.op1c += 1
elif op == "op2":
data.op2c += 1
else:
data.op3c += 1
data.save()
return redirect("home")
else:
return render(request, "vote.html",{"data":data})
def delete_question(request, question_id):
question = get_object_or_404(PollModel, pk=question_id)
if question.user != request.user:
return render(request, "error.html", {"error_message": "You are not
authorized to delete this poll."})

question.delete()
return redirect('home')

def result(request, id):


data = PollModel.objects.get(id=id)
return render(request, "result.html",{"data":data})

def ulogin(request):
if request.user.is_authenticated:
return redirect("home")
elif request.method == "POST":
un = request.POST.get("un")
pw = request.POST.get("pw")
usr = authenticate(username=un, password=pw)
if usr is not None:
login(request, usr)
return redirect("home")
else:
return render(request, "login.html",{"msg":"invalid
credentials"})
else:
return render(request, "login.html")

def usignup(request):
if request.user.is_authenticated:
return redirect("home")
elif request.method == "POST":

un = request.POST.get("un")
try:
usr = User.objects.get(username=un)
return render(request, "signup.html",{"msg":"user already
exists"})
except User.DoesNotExist:
pw = ""
text = "123456789"
for i in range(8):
pw = pw + text[randrange(len(text))]
print(un)
print(pw)
subject = "Welcome Your New Password is "+str(pw)
text = "Your Password Is " +str(pw)
from_email = "ayushkarnik0@gmail.com"
to_email = [str(un)]
send_mail(subject, text, from_email, to_email)
usr = User.objects.create_user(username=un, password=pw)
usr.save();
return redirect("ulogin")
else:
return render(request, "signup.html")
def rnp(request):
if request.user.is_authenticated:
return redirect("home")
elif request.method == "POST":
un = request.POST.get("un")
try:
usr = User.objects.get(username=un)
pw = ""
text = "123456789"
for i in range(8):
pw = pw + text[randrange(len(text))]
print(pw)
usr.set_password(pw)
usr.save();
subject = "Welcome Your New Password is "+str(pw)
from_email = "ayushkarnik0@gmail.com"
to_email = [str(un)]
send_mail(subject, text, from_email, to_email)
return redirect("ulogin")

except User.DoesNotExist:
return render(request, "rnp.html",{"msg":"user does not exist"})
else:
return render(request, "rnp.html")

def delete(request):
if request.user.is_authenticated:
data = PollModel.objects.all()
return render(request, "delete.html",{"data":data})
else:
return render(request, "login.html")

def ulogout(request):
logout(request)
return redirect("ulogin")

... admin.py
from django.contrib import admin
from .models import PollModel
admin.site.register(PollModel)

... apps.py
from django.apps import AppConfig

class PollappConfig(AppConfig):
default_auto_field = 'django.db.models.BigAutoField'
name = 'pollapp'

... forms.py
from django import forms
from .models import PollModel

class PollForm(forms.ModelForm):
class Meta:
model = PollModel
fields = [ "qts", "op1", "op2", "op3"] # Include "user" field
widgets = {"qts":forms.Textarea(attrs={"rows":4, "cols":30})}

... models.py
from django.db import models
from django.core.exceptions import ValidationError
from django.contrib.auth.models import User

def validate_text(value):
if len(value) < 5:
raise ValidationError("Text field should have a minimum length of 5.")

def validate_char(value):
if len(value) < 3:
raise ValidationError("Char field should have a minimum length of 3.")

class PollModel(models.Model):
user = models.ForeignKey(User, on_delete=models.CASCADE)
qts = models.TextField(validators=[validate_text])
op1 = models.CharField(max_length=50, validators=[validate_char])
op2 = models.CharField(max_length=50, validators=[validate_char])
op3 = models.CharField(max_length=50, validators=[validate_char])
op1c = models.IntegerField(default=0)
op2c = models.IntegerField(default=0)
op3c = models.IntegerField(default=0)

def __str__(self):
return self.qts

... urls.py
"""pollproject URL Configuration

The `urlpatterns` list routes URLs to views. For more information please see:
https://docs.djangoproject.com/en/3.2/topics/http/urls/
Examples:
Function views
1. Add an import: from my_app import views
2. Add a URL to urlpatterns: path('', views.home, name='home')
Class-based views
1. Add an import: from other_app.views import Home
2. Add a URL to urlpatterns: path('', Home.as_view(), name='home')
Including another URLconf
1. Import the include() function: from django.urls import include, path
2. Add a URL to urlpatterns: path('blog/', include('blog.urls'))
"""
from django.contrib import admin
from django.urls import path
from pollapp.views import home, create, vote, result, delete_question, ulogin,
usignup, ulogout, rnp, delete

urlpatterns = [
path('admin/', admin.site.urls),
path("", home, name="home"),
path("create/", create, name="create"),
path("vote/<int:id>", vote, name="vote"),
path("result/<int:id>", result, name="result"),
path('question/<int:question_id>/delete/', delete_question,
name='delete_question'),
path("ulogin/", ulogin, name="ulogin"),
path("usignup/", usignup, name="usignup"),
path("ulogout/", ulogout, name="ulogout"),
path("rnp/", rnp, name="rnp"),
path("delete/", delete, name="delete"),
]

...settings.py
"""
Django settings for pollproject project.

Generated by 'django-admin startproject' using Django 3.2.

For more information on this file, see


https://docs.djangoproject.com/en/3.2/topics/settings/

For the full list of settings and their values, see


https://docs.djangoproject.com/en/3.2/ref/settings/
"""

from pathlib import Path

# Build paths inside the project like this: BASE_DIR / 'subdir'.


BASE_DIR = Path(__file__).resolve().parent.parent

# Quick-start development settings - unsuitable for production


# See https://docs.djangoproject.com/en/3.2/howto/deployment/checklist/

# SECURITY WARNING: keep the secret key used in production secret!


SECRET_KEY = 'django-insecure-ssj65olirbx+q@n_k56b@7_f+(%@odd(g+i*ji&4vz-@1^d8q!'

# SECURITY WARNING: don't run with debug turned on in production!


DEBUG = True

ALLOWED_HOSTS = [ "*" ]

# Application definition

INSTALLED_APPS = [
'django.contrib.admin',
'django.contrib.auth',
'django.contrib.contenttypes',
'django.contrib.sessions',
'django.contrib.messages',
'django.contrib.staticfiles',
'pollapp',
]

MIDDLEWARE = [
'django.middleware.security.SecurityMiddleware',
'django.contrib.sessions.middleware.SessionMiddleware',
'django.middleware.common.CommonMiddleware',
'django.middleware.csrf.CsrfViewMiddleware',
'django.contrib.auth.middleware.AuthenticationMiddleware',
'django.contrib.messages.middleware.MessageMiddleware',
'django.middleware.clickjacking.XFrameOptionsMiddleware',
]
ROOT_URLCONF = 'pollproject.urls'

TEMPLATES = [
{
'BACKEND': 'django.template.backends.django.DjangoTemplates',
'DIRS': [ BASE_DIR / "templates" ],
'APP_DIRS': True,
'OPTIONS': {
'context_processors': [
'django.template.context_processors.debug',
'django.template.context_processors.request',
'django.contrib.auth.context_processors.auth',
'django.contrib.messages.context_processors.messages',
],
},
},
]

WSGI_APPLICATION = 'pollproject.wsgi.application'

# Database
# https://docs.djangoproject.com/en/3.2/ref/settings/#databases

DATABASES = {
'default': {
'ENGINE': 'django.db.backends.sqlite3',
'NAME': BASE_DIR / 'db.sqlite3',
}
}

# Password validation
# https://docs.djangoproject.com/en/3.2/ref/settings/#auth-password-validators

AUTH_PASSWORD_VALIDATORS = [
{
'NAME':
'django.contrib.auth.password_validation.UserAttributeSimilarityValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.MinimumLengthValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.CommonPasswordValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.NumericPasswordValidator',
},
]

# Internationalization
# https://docs.djangoproject.com/en/3.2/topics/i18n/

LANGUAGE_CODE = 'en-us'

TIME_ZONE = 'UTC'
USE_I18N = True

USE_L10N = True

USE_TZ = True

# Static files (CSS, JavaScript, Images)


# https://docs.djangoproject.com/en/3.2/howto/static-files/

STATIC_URL = '/static/'

# Default primary key field type


# https://docs.djangoproject.com/en/3.2/ref/settings/#default-auto-field

DEFAULT_AUTO_FIELD = 'django.db.models.BigAutoField'

EMAIL_BACKEND = 'django.core.mail.backends.smtp.EmailBackend'
EMAIL_HOST = 'smtp.gmail.com'
EMAIL_PORT = 587
EMAIL_USE_TLS = True
EMAIL_HOST_USER = "ayushkarnik0@gmail.com"
EMAIL_HOST_PASSWORD = "vheqqdvupbogcbuk"

...base.html
<html>
<head>
<title>Poll App</title>
<style>
*{ color:teal; background-color:lavender; }
*{ font-size: 30px; }
.nav { background-color:teal; }
.nav a { background-color:teal;color:lavender; text-
decoration:none; margin:80px; }
textarea { resize:none; }
</style>
</head>
<body>
<center>
<div class="nav">
{% if user.is_authenticated %}
<a href={% url 'home' %}>Home</a>
<a href={% url 'create' %}>Create</a>
<a href={% url 'delete' %}>Delete</a>
{% else %}
<a href="{% url 'ulogin' %}">Login</a>
<a href="{% url 'usignup' %}">Signup</a>
<a href="{% url 'rnp' %}">Forgot Password</a>
{% endif %}
</div>

{% block content %}
{% endblock %}
</center>
</body>
</html>

...create.html
{% extends "base.html" %}

{% block content %}
<h1>Create New Polls</h1>
<h2>Make Sure question has a minimum length of 5 characters and options have a
minimum length of 3 characters</h2>
{{ msg }}
{% if messages %}
<div class="alert-container">
{% for message in messages %}
<div class="alert">{{ message }}</div>
{% endfor %}
</div>
{% endif %}
<form method="POST">
{% csrf_token %}
{{ fm.as_p }}
<input type="submit" value="Save" />
</form>
<button><a href="{% url 'ulogout' %}" style="text-decoration: none; color:
teal;">Logout</a></button>
{% endblock %}

...delete.html
{% extends "base.html" %}

{% block content %}
<button><a href="{% url 'ulogout' %}"style="text-decoration: none; color:
teal;">Logout</a></button>
<h1>Available Polls</h1>

{% for d in data %}
<h2>{{ d.qts }}</h2>
<button><a href="{% url 'delete_question' d.id %}" onclick="return
confirm('do u want to delete this poll ?')">Delete</a></button>
{% empty %}
<h2>No Polls Available</h2>
{% endfor %}
{% endblock %}

...error.html
{% extends "base.html" %}

{% block content %}
<h1>Authorization Error</h1>
<p>{{ error_message }}</p>
<button><a href="javascript:history.back()">Go Back</a></button>
{% endblock %}

...home.html
{% extends "base.html" %}

{% block content %}
<h1>Available Polls</h1>
{% for d in data %}
<h2>{{ d.qts }}</h2>
<p>Created by: {{ d.user.username }}</p>
<button><a href="{% url 'vote' d.id %}">Vote</a></button>
<button><a href="{% url 'result' d.id %}">View Results</a></button>
{% empty %}
<h2>No Polls Available</h2>
{% endfor %}
<br/><br/><button><a href="{% url 'ulogout' %}"style="text-decoration: none;
color: teal;">Logout</a></button>
{% endblock %}

...login.html
{% extends 'base.html' %}
{% block content %}
<h1>login page</h1>
<form method="POST">
{% csrf_token %}
<input type="text" name="un" placeholder="enter username" required>
<br/><br/>
<input type="password" name="pw" placeholder="enter password" required>
<br/><br/>
<input type="submit" value="Login">
<br/><br/>
</form>
{{ msg }}
{% endblock %}

...result.html
{% extends "base.html" %}
{% block content %}
<h1>POLL RESULT</h1>
<h2>{{ data.qts }}</h2>
<div style="border-style:solid; border-color:red; border-width:10px; border-
radius:30px; width:50%">
<p>Created by: {{ d.user.username }}</p>
<h3>{{ data.op1 }} --> {{ data.op1c }}</h3>
<h3>{{ data.op2 }} --> {{ data.op2c }}</h3>
<h3>{{ data.op3 }} --> {{ data.op3c }}</h3>
</div>
{% endblock %}

...rnp.html
{% extends 'base.html' %}
{% block content %}
<h1>Forgot Password</h1>
<form method="POST">
{% csrf_token %}
<input type="email" name="un" placeholder="enter your email" required>
<br/><br/>
<input type="submit" value="Request New Password">
<br/><br/>
<h2>New Password Will Be Sent To Your Email</h2>
</form>
{{ msg }}
{% endblock %}

...signup.html
{% extends 'base.html' %}
{% block content %}
<h1>signup page</h1>
<form method="POST">
{% csrf_token %}
<input type="email" name="un" placeholder="enter email" required>
<br/><br/>
<input type="submit" value="Register">
<br/><br/>
<h2>Password Will Be Sent To Your Email</h2>
</form>
{{ msg }}
{% endblock %}

...vote.html
{% extends "base.html" %}

{% block content %}
<h1>Cast Your Vote Here</h1>
<h2>{{ data.qts }}</h2>
<form method="POST">
{% csrf_token %}
<input type="radio" name="r" value="op1" required>{{ data.op1 }}</input>
<br/><br/>
<input type="radio" name="r" value="op2" required>{{ data.op2 }}</input>
<br/><br/>
<input type="radio" name="r" value="op3" required>{{ data.op3 }}</input>
<br/><br/>
<input type="submit"/>
</form>
{% endblock %}

You might also like