You cannot select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
63 lines
1.8 KiB
Python
63 lines
1.8 KiB
Python
2 years ago
|
from itertools import groupby #used to hadle iterations
|
||
|
import sqlite3
|
||
|
from webbrowser import get
|
||
|
from flask import Flask, render_template, request, flash, redirect, url_for
|
||
|
|
||
|
|
||
|
# FUNCTIONS:
|
||
|
|
||
|
def get_db_connection():
|
||
|
conn = sqlite3.connect('database.db')
|
||
|
conn.row_factory = sqlite3.Row
|
||
|
return conn
|
||
|
|
||
|
# Added row_factory attribute to the slqite connection. In this way you can have name-based access to columns; this means that the database connection will return rows that behave like regular Python dictionaries.
|
||
|
|
||
|
# FLASK APP:
|
||
|
|
||
|
app = Flask(__name__)
|
||
|
app.config['SECRET KEY'] = 'this should be a secret random string'
|
||
|
|
||
|
|
||
|
@app.route('/')
|
||
|
def index():
|
||
|
conn = get_db_connection()
|
||
|
todos = conn.execute('SELECT i.content, l.title FROM items i JOIN lists l \
|
||
|
ON i.list_id = l.id ORDER BY l.title;').fetchall()
|
||
|
|
||
|
lists = {}
|
||
|
|
||
|
for k, g in groupby(todos, key=lambda t: t['title']):
|
||
|
lists[k] = list(g)
|
||
|
|
||
|
conn.close()
|
||
|
return render_template('index.html', lists=lists)
|
||
|
|
||
|
|
||
|
|
||
|
@app.route('/create/', methods=('GET', 'POST'))
|
||
|
def create():
|
||
|
conn = get_db_connection()
|
||
|
|
||
|
if request.method == 'POST':
|
||
|
content = request.form['content']
|
||
|
list_title = request.form['list']
|
||
|
|
||
|
if not content:
|
||
|
flash('Content is required!')
|
||
|
return redirect(url_for('index'))
|
||
|
|
||
|
list_id = conn.execute('SELECT id FROM lists WHERE title = (?);',
|
||
|
(list_title,)).fetchone()['id']
|
||
|
conn.execute('INSERT INTO items (content, list_id) VALUES (?, ?)',
|
||
|
(content, list_id))
|
||
|
conn.commit()
|
||
|
conn.close()
|
||
|
return redirect(url_for('index'))
|
||
|
|
||
|
lists = conn.execute('SELECT title FROM lists;').fetchall()
|
||
|
|
||
|
conn.close()
|
||
|
return render_template('create.html', lists=lists)
|
||
|
|
||
|
|