-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathSqlite_Web.py
572 lines (490 loc) · 18.2 KB
/
Sqlite_Web.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
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
# -*- coding: utf-8 -*-
# Librarys
import os
import re
import sys
import csv
import json
import sqlite3
import datetime
import collections
from functools import wraps
from collections import namedtuple, OrderedDict
try:
from flask import (Flask, render_template, request, abort, session,
flash, redirect, url_for, Markup, make_response, send_file, send_from_directory)
except ImportError:
raise RuntimeError('Unable to import flask module. Install by running '
'pip install flask')
try:
from pygments import formatters, highlight, lexers
except ImportError:
import warnings
warnings.warn('pygments library not found.', ImportWarning)
syntax_highlight = lambda data: '<pre>%s</pre>' % data
else:
def syntax_highlight(data):
if not data:
return ''
lexer = lexers.get_lexer_by_name('sql')
formatter = formatters.HtmlFormatter(linenos=False)
return highlight(data, lexer, formatter)
# Settings
CUR_DIR = os.path.realpath(os.path.dirname(__file__))
DEBUG = True
SECRET_KEY = 'sqlite-database-browser-0.1.0'
MAX_RESULT_SIZE = 50
ROWS_PER_PAGE = 20
OUT_FOLDER = 'export_file'
# Variables
app = Flask(__name__)
app.config.from_object(__name__)
dataset = None
# Database Tools
class SqliteTools():
def __init__(self, filename):
self.file = filename
self.db = sqlite3.connect(filename, check_same_thread=False)
self.cursor = self.db.cursor()
@property
def filename(self):
return self.file
@property
def location(self):
return os.path.abspath(self.file)
@property
def size(self):
return os.path.getsize(self.file)
@property
def created(self):
stat = os.stat(self.file)
return datetime.datetime.fromtimestamp(stat.st_ctime)
@property
def modified(self):
stat = os.stat(self.file)
return datetime.datetime.fromtimestamp(stat.st_mtime)
@property
def tables(self):
tables = self.cursor.execute(
'SELECT name FROM sqlite_master WHERE type="table" ORDER BY name;')
return set([row[0] for row in tables.fetchall()])
def get_table(self, table):
table = self.cursor.execute(
'SELECT * FROM %s;' % (table,)).fetchall()
return table
def table_sql(self, table):
sql = self.cursor.execute('SELECT sql FROM sqlite_master WHERE tbl_name = ? AND type = ?',
[table, 'table']).fetchone()[0]
return sql
def get_table_info(self, table):
info = self.cursor.execute(
"PRAGMA table_info('%s')" % table).fetchall()
return info
def get_foreign_keys(self, table):
return self.cursor.execute("PRAGMA foreign_key_list('%s')" % table).fetchall()
def get_indexes(self, table):
return self.cursor.execute("PRAGMA index_list('%s')" % table).fetchall()
def paginate(self, table, page, paginate_by=20, order=None):
if page > 0:
page -= 1
if order:
table_page = self.cursor.execute(
'SELECT * FROM %s ORDER BY %s LIMIT %s OFFSET %s;' % (table, order, paginate_by, page * paginate_by)).fetchall()
else:
table_page = self.cursor.execute(
'SELECT * FROM %s LIMIT %s OFFSET %s;' % (table, paginate_by, page * paginate_by)).fetchall()
return table_page
def drop_table(self, table):
self.cursor.execute("DROP TABLE %s" % table)
def copy_table(self, old_table, new_table):
infos = self.get_table_info(old_table)
old_columns = ','.join([row[1] for row in infos])
if 'default' in old_columns:
old_columns = old_columns.replace('default', '"default"')
infos = self.get_table_info(new_table)
new_columns = ','.join([row[1] for row in infos])
sql = 'INSERT INTO %s(%s) SELECT %s FROM %s;' % (
new_table, new_columns, old_columns, old_table)
self.cursor.execute(sql)
def drop_column(self, table, column):
sql = self.cursor.execute('SELECT sql FROM sqlite_master WHERE tbl_name = ? AND type = ?',
[table, 'table']).fetchone()[0]
if len(re.findall('\\b' + column + '\\b', sql)) != 1:
return False
self.cursor.execute(
"ALTER TABLE %s RENAME TO old_%s" % (table, table))
sql = re.sub(column + '.+,\s+', '', sql)
self.cursor.execute(sql)
infos = self.get_table_info("old_%s" % table)
old_columns = ','.join([row[1] for row in infos if row[1] != column])
infos = self.get_table_info(table)
new_columns = ','.join([row[1] for row in infos])
sql = 'INSERT INTO %s(%s) SELECT %s FROM old_%s;' % (
table, new_columns, old_columns, table)
if 'default' in sql:
sql = sql.replace('default', '"default"')
self.cursor.execute(sql)
self.drop_table("old_%s" % table)
return True
def add_column(self, table, column, column_type):
columns = [row[1] for row in self.get_table_info(table)]
if column and column not in columns and column_type:
self.cursor.execute('ALTER TABLE %s ADD COLUMN %s %s' %
(table, column, column_type))
return True
else:
return False
def rename_cloumn(self, table, rename, rename_to):
sql = self.cursor.execute('SELECT sql FROM sqlite_master WHERE tbl_name = ? AND type = ?',
[table, 'table']).fetchone()[0]
self.cursor.execute(
"ALTER TABLE %s RENAME TO old_%s" % (table, table))
r = '\\b' + rename + '\\b'
sql = re.sub(r, rename_to, sql)
self.cursor.execute(sql)
self.copy_table("old_%s" % table, table)
self.drop_table("old_%s" % table)
@property
def close(self):
self.db.close()
@property
def reset(self):
self.db.rollback()
def require_database(fn):
@wraps(fn)
def inner(table, *args, **kwargs):
if not database:
return redirect(url_for('index'))
if table not in dataset.tables:
abort(404)
return fn(table, *args, **kwargs)
return inner
# Views
@app.route('/', methods=('GET', 'POST'))
def index():
if request.method == 'POST':
global database
file = request.files.get('sqlite-file')
if not file or file.filename.split('.')[-1] != 'sqlite':
database = None
flash('No select SQLite database.', 'danger')
else:
file.save(file.filename)
database = file.filename
return redirect(url_for('index'))
return render_template('index.html')
@app.route('/<table>', methods=('GET', 'POST'))
@require_database
def table_info(table):
return render_template(
'table_structure.html',
columns=dataset.get_table(table),
infos=dataset.get_table_info(table),
table=table,
# indexes=dataset.get_indexes(table),
# foreign_keys=dataset.get_foreign_keys(table),
table_sql=dataset.table_sql(table))
@app.route('/<table>/rename-column', methods=['GET', 'POST'])
@require_database
def rename_column(table):
rename = request.args.get('rename')
infos = dataset.get_table_info(table)
column_names = [row[1] for row in infos]
if request.method == 'POST':
new_name = request.form.get('rename_to', '')
rename = request.form.get('rename', '')
if new_name and new_name not in column_names:
dataset.rename_cloumn(table, rename, new_name)
flash('Column "%s" was renamed successfully!' % rename, 'success')
else:
flash('Column name is required and cannot conflict with an '
'existing column\'s name.', 'danger')
return redirect(url_for('rename_column', table=table))
return render_template(
'rename_column.html',
infos=infos,
table=table,
rename=rename,
)
@app.route('/<table>/drop-column/', methods=['GET', 'POST'])
@require_database
def drop_column(table):
name = request.args.get('name')
infos = dataset.get_table_info(table)
if request.method == 'POST':
column_names = [row[1] for row in infos]
name = request.form.get('name', '')
if name and name in column_names:
if dataset.drop_column(table, name):
flash('Column "%s" was dropped successfully!' %
name, 'success')
else:
flash('Drop column is unsuccessful', 'danger')
else:
flash('Name is required.', 'danger')
return redirect(url_for('drop_column', table=table))
return render_template(
'drop_column.html',
infos=infos,
table=table,
name=name)
@app.route('/<table>/add-column/', methods=['GET', 'POST'])
@require_database
def add_column(table):
column_mapping = ['VARCHAR', 'TEXT', 'INTEGER', 'REAL',
'BOOL', 'BLOB', 'DATETIME', 'DATE', 'TIME', 'DECIMAL']
if request.method == 'POST':
name = request.form.get('name', '')
column_type = request.form.get('type', '')
if name and column_type and dataset.add_column(table, name, column_type):
flash('Column "%s" creatr success' % name, 'success')
else:
flash(
'Please check that table has already existed, Type is not empty', 'danger')
return redirect(url_for(add_column), table=table)
return render_template(
'add_column.html',
column_mapping=column_mapping,
table=table)
@app.route('/<table>/content/', methods=['GET', 'POST'])
@require_database
def table_content(table):
# filter
columns_count = dataset.get_table(table)
ordering = request.args.get('ordering')
rows_per_page = app.config['ROWS_PER_PAGE']
page = request.args.get('page', 1, type=int)
if ordering:
columns = dataset.paginate(
table, page, paginate_by=rows_per_page, order=ordering)
else:
columns = dataset.paginate(
table=table, page=page, paginate_by=rows_per_page)
total_pages = len(columns_count) // rows_per_page
previous_page = page - 1
next_page = page + 1 if page + \
1 <= total_pages else 0
return render_template(
'table_content.html',
columns=columns,
ordering=ordering,
page=page,
total_pages=total_pages,
previous_page=previous_page,
next_page=next_page,
columns_count=columns_count,
infos=dataset.get_table_info(table),
table=table,
)
@app.route('/<table>/query/', methods=['GET', 'POST'])
@require_database
def table_query(table):
row_count, error, data, data_description = None, None, None, None
if request.method == 'POST':
sql = request.form.get('sql', '')
if 'export_json' in request.form:
return export(table, sql, 'json')
elif 'export_csv' in request.form:
return export(table, sql, 'csv')
try:
cur = dataset.cursor.execute(sql)
dataset.db.commit()
except Exception as exc:
error = str(exc)
else:
data = cur.fetchall()[:app.config['MAX_RESULT_SIZE']]
data_description = cur.description
row_count = cur.rowcount
else:
if request.args.get('sql'):
sql = request.args.get('sql')
else:
sql = 'SELECT *\nFROM "%s"' % (table)
return render_template(
'table_query.html',
row_count=row_count,
data=data,
data_description=data_description,
table=table,
sql=sql,
query_images=get_query_images(),
error=error,
table_sql=dataset.table_sql(table)
)
@app.route('/table_create/', methods=['POST'])
def table_create():
table = request.form.get('table_name', '')
if not table:
flash('Table name is required.', 'danger')
return redirect(request.referrer)
dataset.cursor.execute(
'CREATE TABLE %s(id INTEGER NOT NULL PRIMARY KEY)' % table)
return redirect(url_for('table_import', table=table))
@app.route('/<table>/import/', methods=['GET', 'POST'])
@require_database
def table_import(table):
if request.method == 'POST':
file = request.files.get('file')
if not file:
flash('Please select an import file.', 'danger')
elif file.filename.lower().split('.')[-1] not in ['csv', 'json']:
flash('Unsupported file-type. Must be a .json or .csv file.',
'danger')
else:
file_format = file.filename.lower().split('.')[-1]
try:
count = import_data_file(table, file, file_format)
except Exception as exc:
flash('Error importing file: %s' % exc, 'danger')
else:
flash('Successfully imported %s objects from %s.' %
(count, file.filename), 'success')
return redirect(url_for('table_content', table=table))
return render_template('table_import.html', table=table)
@require_database
def import_data_file(table, file, file_format):
file.save(file.filename)
with open(file.filename, 'r') as f:
if file_format == 'json':
json_data = json.load(
f, object_pairs_hook=OrderedDict)
be_columns = [row[1] for row in dataset.get_table_info(table)]
columns = json_data[0].keys()
for column in columns:
if column not in be_columns:
dataset.cursor.execute(
'ALTER TABLE %s ADD COLUMN %s TEXT' % (table, column))
for data in json_data:
dataset.cursor.execute('INSERT INTO %s %s VALUES %s' % (
table, str(tuple(data.keys())), str(tuple(data.values()))))
dataset.db.commit()
try:
os.remove(file.filename)
except:
pass
return len(json_data)
if file_format == 'csv':
csv_data = list(csv.reader(f))
be_columns = [row[1] for row in dataset.get_table_info(table)]
columns = csv_data.pop(0)
for column in columns:
if column not in be_columns:
dataset.cursor.execute(
'ALTER TABLE %s ADD COLUMN %s TEXT' % (table, column))
for data in csv_data:
dataset.cursor.execute('INSERT INTO %s %s VALUES %s' % (
table, str(tuple(columns)), str(tuple(data))))
dataset.db.commit()
try:
os.remove(file.filename)
except:
pass
return len(csv_data)
@app.route('/<table>/drop', methods=['GET', 'POST'])
@require_database
def drop_table(table):
if request.method == 'POST':
try:
dataset.cursor.execute('DROP TABLE %s' % table)
except Exception as exc:
flash('Error importing file: %s' % exc, 'danger')
else:
flash('Table "%s" dropped successfully.' % table, 'success')
return redirect(url_for('index'))
return render_template('drop_table.html', table=table)
@app.route('/colse')
def colse():
global database
global dataset
dataset = None
database = None
return redirect(url_for('index'))
def export(table, sql, export_format):
cur = dataset.cursor.execute(sql)
data = cur.fetchall()
data_description = cur.description
row_count = cur.rowcount
filename_path = '%s/%s_export.%s' % (
app.config['OUT_FOLDER'], table, export_format)
filename = '%s_export.%s' % (table, export_format)
if not os.path.exists(app.config['OUT_FOLDER']):
os.mkdir(app.config['OUT_FOLDER'])
if export_format == 'csv':
data.insert(0, [row[0] for row in data_description])
with open(filename_path, 'w', newline='') as f:
writer = csv.writer(f)
for row in data:
writer.writerow(row)
elif export_format == 'json':
datas = []
rows = [row[0] for row in data_description]
for d in data:
dd = OrderedDict()
for i in range(len(rows)):
dd[rows[i]] = d[i]
datas.append(dd)
with open(filename_path, 'w') as f:
json.dump(datas, f, indent=4,
ensure_ascii=False)
dirpath = os.path.join(app.root_path, app.config['OUT_FOLDER'])
return send_from_directory(dirpath, filename, as_attachment=True)
@app.route('/table-definition/', methods=['POST'])
def set_table_definition_preference():
key = "show"
show = False
if request.form.get(key):
session[key] = show = True
elif key in request.session:
del request.session[key]
return jsonify({key: show})
column_re = re.compile('(.+?)\((.+)\)', re.S)
column_split_re = re.compile(r'(?:[^,(]|\([^)]*\))+')
def _format_create_table(sql):
create_table, column_list = column_re.search(sql).groups()
columns = [' %s' % column.strip()
for column in column_split_re.findall(column_list)
if column.strip()]
return '%s (\n%s\n)' % (
create_table,
',\n'.join(columns))
@app.template_filter()
def format_create_table(sql):
try:
return _format_create_table(sql)
except:
return sql
@app.template_filter('highlight')
def highlight_filter(data):
return Markup(syntax_highlight(data))
def get_query_images():
accum = []
image_dir = os.path.join(app.static_folder, 'img')
if not os.path.exists(image_dir):
return accum
for filename in sorted(os.listdir(image_dir)):
basename = os.path.splitext(os.path.basename(filename))[0]
parts = basename.split('-')
accum.append((parts, 'img/' + filename))
return accum
@app.context_processor
def _general():
return {
'dataset': dataset,
}
@app.before_request
def _before_request():
if database:
global dataset
dataset = SqliteTools(database)
@app.teardown_request
def _reset_db(e):
if dataset:
dataset.reset
dataset.close
def main():
global database
database = None
app.run()
# Run
if __name__ == '__main__':
main()