checkpoint
This commit is contained in:
parent
e8530a4186
commit
7146fcd2fc
3
.gitignore
vendored
3
.gitignore
vendored
@ -8,3 +8,6 @@ venv/
|
||||
# cache
|
||||
*.pyc
|
||||
__pycache__/
|
||||
|
||||
# db
|
||||
*.sqlite
|
||||
|
3
.idea/.gitignore
vendored
Normal file
3
.idea/.gitignore
vendored
Normal file
@ -0,0 +1,3 @@
|
||||
# Default ignored files
|
||||
/shelf/
|
||||
/workspace.xml
|
10
.idea/helloworld_web.iml
Normal file
10
.idea/helloworld_web.iml
Normal file
@ -0,0 +1,10 @@
|
||||
<?xml version="1.0" encoding="UTF-8"?>
|
||||
<module type="PYTHON_MODULE" version="4">
|
||||
<component name="NewModuleRootManager">
|
||||
<content url="file://$MODULE_DIR$">
|
||||
<excludeFolder url="file://$MODULE_DIR$/venv" />
|
||||
</content>
|
||||
<orderEntry type="inheritedJdk" />
|
||||
<orderEntry type="sourceFolder" forTests="false" />
|
||||
</component>
|
||||
</module>
|
6
.idea/inspectionProfiles/profiles_settings.xml
Normal file
6
.idea/inspectionProfiles/profiles_settings.xml
Normal file
@ -0,0 +1,6 @@
|
||||
<component name="InspectionProjectProfileManager">
|
||||
<settings>
|
||||
<option name="USE_PROJECT_PROFILE" value="false" />
|
||||
<version value="1.0" />
|
||||
</settings>
|
||||
</component>
|
7
.idea/misc.xml
Normal file
7
.idea/misc.xml
Normal file
@ -0,0 +1,7 @@
|
||||
<?xml version="1.0" encoding="UTF-8"?>
|
||||
<project version="4">
|
||||
<component name="ProjectRootManager" version="2" project-jdk-name="Python 3.8 (venv)" project-jdk-type="Python SDK" />
|
||||
<component name="PyCharmProfessionalAdvertiser">
|
||||
<option name="shown" value="true" />
|
||||
</component>
|
||||
</project>
|
8
.idea/modules.xml
Normal file
8
.idea/modules.xml
Normal file
@ -0,0 +1,8 @@
|
||||
<?xml version="1.0" encoding="UTF-8"?>
|
||||
<project version="4">
|
||||
<component name="ProjectModuleManager">
|
||||
<modules>
|
||||
<module fileurl="file://$PROJECT_DIR$/.idea/helloworld_web.iml" filepath="$PROJECT_DIR$/.idea/helloworld_web.iml" />
|
||||
</modules>
|
||||
</component>
|
||||
</project>
|
6
.idea/vcs.xml
Normal file
6
.idea/vcs.xml
Normal file
@ -0,0 +1,6 @@
|
||||
<?xml version="1.0" encoding="UTF-8"?>
|
||||
<project version="4">
|
||||
<component name="VcsDirectoryMappings">
|
||||
<mapping directory="$PROJECT_DIR$" vcs="Git" />
|
||||
</component>
|
||||
</project>
|
10
forms.py
Normal file
10
forms.py
Normal file
@ -0,0 +1,10 @@
|
||||
from flask_wtf import FlaskForm
|
||||
from wtforms import StringField, SubmitField, TextAreaField
|
||||
from wtforms.validators import DataRequired, Email
|
||||
|
||||
|
||||
class ContactForm(FlaskForm):
|
||||
name = StringField("Name: ", validators=[DataRequired()])
|
||||
email = StringField("Email: ", validators=[Email()])
|
||||
message = TextAreaField("Message", validators=[DataRequired()])
|
||||
submit = SubmitField("Submit")
|
134
main.py
Normal file
134
main.py
Normal file
@ -0,0 +1,134 @@
|
||||
import flask
|
||||
from flask import Flask, request, current_app, url_for, render_template, flash, redirect
|
||||
from flask_script import Manager, Shell
|
||||
from jinja2 import Template
|
||||
from flask_sqlalchemy import SQLAlchemy
|
||||
from datetime import datetime
|
||||
|
||||
from forms import ContactForm
|
||||
|
||||
app = Flask(__name__)
|
||||
app.debug = True
|
||||
app.config['SECRET_KEY'] = '0d6e368e-bd0c-11ea-921d-9342d47f60ca'
|
||||
app.config['SQLALCHEMY_TRACK_MODIFICATIONS'] = False
|
||||
app.config['SQLALCHEMY_DATABASE_URI'] = "sqlite:///db.sqlite"
|
||||
manager = Manager(app)
|
||||
db = SQLAlchemy(app)
|
||||
|
||||
|
||||
class Category(db.Model):
|
||||
__tablename__ = 'categories'
|
||||
id = db.Column(db.Integer(), primary_key=True)
|
||||
name = db.Column(db.String(255), nullable=False)
|
||||
slug = db.Column(db.String(255), nullable=False)
|
||||
created_on = db.Column(db.DateTime(), default=datetime.utcnow)
|
||||
posts = db.relationship('Post', backref='category')
|
||||
|
||||
def __repr__(self):
|
||||
return "<{}:{}>".format(id, self.name)
|
||||
|
||||
|
||||
class Post(db.Model):
|
||||
__tablename__ = 'posts'
|
||||
id = db.Column(db.Integer(), primary_key=True)
|
||||
title = db.Column(db.String(255), nullable=False)
|
||||
slug = db.Column(db.String(255), nullable=False)
|
||||
content = db.Column(db.Text(), nullable=False)
|
||||
created_on = db.Column(db.DateTime(), default=datetime.utcnow)
|
||||
updated_on = db.Column(db.DateTime(), default=datetime.utcnow, onupdate=datetime.utcnow)
|
||||
category_id = db.Column(db.Integer(), db.ForeignKey('categories.id'))
|
||||
|
||||
def __repr__(self):
|
||||
return "<{}:{}>".format(self.id, self.title[:10])
|
||||
|
||||
|
||||
post_tags = db.Table('post_tags',
|
||||
db.Column('post_id', db.Integer, db.ForeignKey('posts.id')),
|
||||
db.Column('tag_id', db.Integer, db.ForeignKey('tags.id'))
|
||||
)
|
||||
|
||||
|
||||
class Tag(db.Model):
|
||||
__tablename__ = 'tags'
|
||||
id = db.Column(db.Integer(), primary_key=True)
|
||||
name = db.Column(db.String(255), nullable=False)
|
||||
slug = db.Column(db.String(255), nullable=False)
|
||||
created_on = db.Column(db.DateTime(), default=datetime.utcnow)
|
||||
posts = db.relationship('Post', secondary=post_tags, backref='tags')
|
||||
|
||||
def __repr__(self):
|
||||
return "<{}:{}>".format(id, self.name)
|
||||
|
||||
|
||||
class Feedback(db.Model):
|
||||
__tablename__ = 'feedbacks'
|
||||
id = db.Column(db.Integer(), primary_key=True)
|
||||
name = db.Column(db.String(1000), nullable=False)
|
||||
email = db.Column(db.String(100), nullable=False)
|
||||
message = db.Column(db.Text(), nullable=False)
|
||||
created_on = db.Column(db.DateTime(), default=datetime.utcnow)
|
||||
|
||||
def __repr__(self):
|
||||
return "<{}:{}>".format(self.id, self.name)
|
||||
|
||||
|
||||
@manager.command
|
||||
def faker():
|
||||
print("Команда для добавления поддельных данных в таблицы")
|
||||
|
||||
|
||||
@app.route('/')
|
||||
def index():
|
||||
return render_template('index.html')
|
||||
|
||||
|
||||
@app.route('/login/', methods=['post', 'get'])
|
||||
def login():
|
||||
username = ''
|
||||
password = ''
|
||||
message = ''
|
||||
if request.method == 'POST':
|
||||
username = request.form.get('username') # запрос к данным формы
|
||||
password = request.form.get('password')
|
||||
|
||||
if username == 'root' and password == 'pass':
|
||||
message = "Correct username and password"
|
||||
else:
|
||||
message = "Wrong username or password"
|
||||
|
||||
return render_template('login.html', message=message)
|
||||
|
||||
|
||||
@app.route('/contact/', methods=['get', 'post'])
|
||||
def contact():
|
||||
form = ContactForm()
|
||||
if form.validate_on_submit():
|
||||
name = form.name.data
|
||||
email = form.email.data
|
||||
message = form.message.data
|
||||
print(name)
|
||||
print(email)
|
||||
print(message)
|
||||
# здесь логика базы данных
|
||||
feedback = Feedback(name=name, email=email, message=message)
|
||||
db.session.add(feedback)
|
||||
db.session.commit()
|
||||
|
||||
print("\nData received. Now redirecting ...")
|
||||
flash("Message Received", "success")
|
||||
return redirect(url_for('contact'))
|
||||
|
||||
return render_template('contact.html', form=form)
|
||||
|
||||
|
||||
def shell_context():
|
||||
import os, sys
|
||||
return {'app': app, 'os': os, 'sys': sys, 'flask': flask, 'request': request, 'current_app': current_app,
|
||||
'url_for': url_for, 'Template': Template, 'db': db}
|
||||
|
||||
|
||||
manager.add_command("shell", Shell(make_context=shell_context))
|
||||
|
||||
if __name__ == "__main__":
|
||||
db.init_app(app)
|
||||
manager.run()
|
@ -1,2 +1,6 @@
|
||||
Flask==1.1.2
|
||||
Flask-WTF==0.14.3
|
||||
Flask-Script==2.0.6
|
||||
email_validator==1.1.1
|
||||
Flask_SQLAlchemy==2.4.3
|
||||
SQLAlchemy==1.3.18
|
||||
|
29
templates/contact.html
Normal file
29
templates/contact.html
Normal file
@ -0,0 +1,29 @@
|
||||
<!DOCTYPE html>
|
||||
<html lang="en">
|
||||
<head>
|
||||
<meta charset="UTF-8">
|
||||
<title>Contact</title>
|
||||
</head>
|
||||
<body>
|
||||
|
||||
{% for category, message in get_flashed_messages(with_categories=true) %}
|
||||
<spam class="{{ category }}">{{ message }}</spam>
|
||||
{% endfor %}
|
||||
|
||||
<form action="" method="post">
|
||||
|
||||
{{ form.csrf_token() }}
|
||||
|
||||
{% for field in form if field.name != "csrf_token" %}
|
||||
<p>{{ field.label() }}</p>
|
||||
<p>{{ field }}
|
||||
{% for error in field.errors %}
|
||||
{{ error }}
|
||||
{% endfor %}
|
||||
</p>
|
||||
{% endfor %}
|
||||
|
||||
</form>
|
||||
|
||||
</body>
|
||||
</html>
|
10
templates/index.html
Normal file
10
templates/index.html
Normal file
@ -0,0 +1,10 @@
|
||||
<!DOCTYPE html>
|
||||
<html lang="en">
|
||||
<head>
|
||||
<meta charset="UTF-8">
|
||||
<title>Hello</title>
|
||||
</head>
|
||||
<body>
|
||||
<h2>Hello{% if name %}, <p>{{ name }}</p>{% endif %}</h2>
|
||||
</body>
|
||||
</html>
|
28
templates/login.html
Normal file
28
templates/login.html
Normal file
@ -0,0 +1,28 @@
|
||||
<!DOCTYPE html>
|
||||
<html lang="en">
|
||||
<head>
|
||||
<meta charset="UTF-8">
|
||||
<title>Login</title>
|
||||
</head>
|
||||
<body>
|
||||
|
||||
{% if message %}
|
||||
<p>{{ message }}</p>
|
||||
{% endif %}
|
||||
|
||||
<form action="" method="post">
|
||||
<p>
|
||||
<label for="username">Username</label>
|
||||
<input type="text" name="username">
|
||||
</p>
|
||||
<p>
|
||||
<label for="password">Password</label>
|
||||
<input type="password" name="password">
|
||||
</p>
|
||||
<p>
|
||||
<input type="submit">
|
||||
</p>
|
||||
</form>
|
||||
|
||||
</body>
|
||||
</html>
|
Loading…
Reference in New Issue
Block a user