-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathdatabase.py
113 lines (90 loc) · 2.93 KB
/
database.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
import sqlite3
from typing import List
import datetime
from model import ToDo
conn = sqlite3.connect("todo.db")
cursor = conn.cursor()
def create_table():
cursor.execute(
"""
CREATE TABLE IF NOT EXISTS todo(
task text,
category text,
date_added text,
date_completed text,
status int,
position integer
)
"""
)
create_table()
def insert_todo(todo: ToDo):
cursor.execute("SELECT COUNT(*) FROM todo")
count = cursor.fetchone()[0]
todo.position = count if count else 0
print("count", count)
with conn:
cursor.execute(
"INSERT INTO todo VALUES (:task, :category, :date_added, :date_completed, :status, :position)",
{
"task": todo.task,
"category": todo.category,
"date_added": todo.date_added,
"date_completed": todo.date_completed,
"status": todo.status,
"position": todo.position,
},
)
def get_all_todos() -> List[ToDo]:
cursor.execute("SELECT * from todo")
results = cursor.fetchall()
todos = []
for result in results:
todos.append(ToDo(*result))
return todos
def delete_todo(position):
cursor.execute("SELECT COUNT(*) from todo")
count = cursor.fetchone()[0]
print("count", count)
with conn:
cursor.execute(
"DELETE FROM todo WHERE position=:position", {"position": position}
)
for pos in range(position + 1, count):
change_position(pos, pos - 1, False)
def change_position(old_pos, new_pos, commit=True):
cursor.execute(
"UPDATE todo SET position=:new_pos WHERE position=:old_pos",
{"old_pos": old_pos, "new_pos": new_pos},
)
if commit:
conn.commit()
def update_todo(position: int, task: str, category: str):
with conn:
if task and category:
cursor.execute(
"UPDATE todo SET task=:task, category=:category WHERE position=:position",
{"task": task, "category": category, "position": position},
)
if task:
cursor.execute(
"UPDATE todo SET task=:task WHERE position=:position",
{"task": task, "position": position},
)
if category:
cursor.execute(
"UPDATE todo SET category=:category WHERE position=:position",
{"task": task, "position": position},
)
def complete_todo(position: int):
with conn:
cursor.execute(
"UPDATE todo SET status = 2, date_completed = :date_completed WHERE position = :position",
{
"position": position,
"date_completed": datetime.datetime.now().isoformat(),
},
)
def clear_all():
with conn:
cursor.execute("DELETE FROM todo;")