-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy pathdatabase.py
88 lines (69 loc) · 2.89 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
import sqlite3
class Database:
__conn = None
__cursor = None
def __init__(self, db):
self.__conn = sqlite3.connect(db)
if self.__conn is not None:
self.__cursor = self.__conn.cursor()
self.__setup()
def __setup(self):
if self.__cursor is None:
return
self.__cursor.execute('create table if not exists server \
(id integer primary key, uri text, welcome text)')
self.__cursor.execute('create table if not exists file \
(id integer primary key, serverid integer, path text, \
filename text, unique(serverid, path, filename) on conflict ignore)')
def close(self):
self.__cursor = None
if self.__conn is not None:
self.__conn.close()
def add_server(self, uri, welcome_msg):
'''
Insert a new FTP server address, if it doesn't exist.
Return the server id of the already existing server or the newly added one.
'''
if self.__cursor is None:
return
server_id = self.get_server_id(uri)
if server_id is None:
self.__cursor.execute('insert into server values (NULL, ?, ?)', (uri, welcome_msg))
self.__conn.commit()
return self.__cursor.lastrowid
return server_id
def get_server_id(self, uri):
if self.__cursor is None:
return None
self.__cursor.execute('select rowid from server where uri=?', (uri,))
id = self.__cursor.fetchone()
return None if (id is None) else id[0]
def get_server_from_file(self, fid):
if self.__cursor is None:
return None
self.__cursor.execute('select uri from server join file on server.id=file.serverid where file.id=?', (fid,))
row = self.__cursor.fetchone()
return None if (row is None) else row[0]
def add_file(self, serverid, filepath, filename):
if self.__cursor is None:
return
self.__cursor.execute('insert into file values (NULL, ?, ?, ?)', (serverid, filepath, filename))
self.__conn.commit()
return self.__cursor.lastrowid
def get_full_filepath(self, fid):
if self.__cursor is None:
return None
self.__cursor.execute('select path, filename from file where file.id=?', (fid,))
row = self.__cursor.fetchone()
ret = None
if row is not None:
ret = row[0] + '/' + row[1]
return ret
def get_files_for_server(self, uri):
if self.__cursor is None:
return []
sid = self.get_server_id(uri)
if sid is None:
return []
self.__cursor.execute('select id, path, filename from file where serverid=?', (sid,))
return self.__cursor.fetchall()