-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathjson2sqlite.py
253 lines (216 loc) · 9.11 KB
/
json2sqlite.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
#!/usr/bin/env python
# -*- coding: utf-8 -*-
# Copyright (c) 2016 Renat Nasridinov
# This software may be freely distributed under the MIT license.
# https://opensource.org/licenses/MIT The MIT License (MIT)
# or see LICENSE file
import argparse
import errno
import json
import os
import re
import sqlite3
import sys
from datetime import datetime
from os import scandir
from edata import chunks, show_db_stats, SQLITE_MAX_VARIABLE_NUMBER
class Error(Exception):
pass
class ValueIsNotADateError(Error):
def __init__(self, message):
self.message = message
class NotValidEDataJSONError(Error):
def __init__(self, filename):
sys.stderr.write(
'Файл `{}` не є файлом, вивантаженим '
'з порталу\n'.format(filename)
)
class NoTransactionsFoundError(Error):
def __init__(self, filename):
sys.stderr.write('У файлі `{}` відсутні транзакції\n'.format(filename))
class NoFilesProvidedError(Error):
def __init__(self):
sys.stderr.write('Файли для обробки відсутні\n')
class ErrorsInJSONFileError(Error):
def __init__(self, filename):
sys.stderr.write('У файлі `{}` присутні помилки\n'.format(filename))
arg_parser = argparse.ArgumentParser(
prog=None,
usage=None,
description="Імпортує дані із JSON-файлів, вивантажених з порталу "
"Є-Data, у базу даних SQLite",
epilog=None
)
arg_parser.add_argument('-f', '--file', default=[], help='JSON-файл(и)',
type=str, nargs='+')
arg_parser.add_argument('-d', '--database', dest='database',
default='edata',
help="ім'я файла бази даних (БЕЗ розширення), "
"за замовчуванням -- `edata`"
)
arg_parser.add_argument('-v', '--verbose', dest='verbose',
help="виводити додаткову інформацію",
action='store_true',
)
class EDataSQLDatabase(object):
def __init__(self, database=None, verbose=None):
self._database_name = database+'.sqlite' if database \
else 'edata.sqlite'
self._database = sqlite3.connect(self._database_name)
self.date8601 = True
self.verbose = verbose
self.values = {'amount': None, 'payer_bank': None, 'region_id': None,
'trans_date': None, 'recipt_name': None, 'id': None,
'payment_details': None, 'recipt_mfo': None,
'payer_edrpou': None, 'recipt_bank': None,
'recipt_edrpou': None, 'payer_mfo': None,
'payer_name': None}
# регулярний вираз для перетворення iso 8601 datetime
# на iso8601 date
self._dt_8601 = re.compile(
"(\d{4}\-\d{2}\-\d{2}T\d{2}\:\d{2}\:\d{2})((?:\+|\-)\d{2}\:\d{2})"
)
if not self._check_table():
if self.verbose:
sys.stdout.write('Створюємо таблицю...\n')
self._create_table()
def _check_table(self):
c = self._database.cursor()
chk_qry = """SELECT name FROM sqlite_master WHERE type='table'
AND name = 'edata';""".format(self._database_name)
c.execute(chk_qry)
return c.fetchone()
def _create_table(self):
try:
c = self._database.cursor()
qry = """CREATE TABLE IF NOT EXISTS edata (amount real,
payer_bank text, region_id integer, trans_date text,
recipt_name text, id integer PRIMARY KEY ON CONFLICT REPLACE,
payment_details text, recipt_mfo integer NULL,
payer_edrpou text, recipt_bank text NULL, recipt_edrpou text,
payer_mfo integer NULL,
payer_name text NULL);"""
c.execute(qry)
return 0
except:
raise
def _iso8601_replace(self, edata):
transactions = self._date_generator(edata)
for t in transactions:
t['trans_date'] = self._iso8601_to_date(t['trans_date'])
return edata
def _date_generator(self, edata_transactions):
transactions = [t for t in edata_transactions]
for t in transactions:
yield t
def _iso8601_to_date(self, s):
m = self._dt_8601.match(s)
if m:
datetime_part, timezone_part = m.groups()
else:
return s
d = datetime.strptime(
"{}{}".format(datetime_part, re.sub('\:', '', timezone_part)),
'%Y-%m-%dT%H:%M:%S%z'
)
return d.strftime('%Y-%m-%d')
def _insert_json(self, edata):
c = self._database.cursor()
if self.verbose:
# загальна кількість записів, що є сумою кількостей
# повернутих запитами нижче (кожен запить містить
# максимум 999 елементів, щоб задовольняти обмеженню
# SQLITE_MAX_VARIABLE_NUMBER
present_records = processed_records = 0
id2insert_lists = chunks([
x['id'] for x in edata],
SQLITE_MAX_VARIABLE_NUMBER)
already_exist_qry = 'SELECT COUNT(*) FROM edata WHERE id IN (%s)'
for l in id2insert_lists:
placeholders = ', '.join(['?'] * len(l))
query = already_exist_qry % placeholders
c.execute(query, l)
chunk_count = c.fetchone()[0]
present_records += chunk_count
# convert dates
self._iso8601_replace(edata)
qry = """INSERT INTO edata (amount, payer_bank, region_id, trans_date,
recipt_name, id, payment_details, recipt_mfo, payer_edrpou,
recipt_bank, recipt_edrpou, payer_mfo, payer_name) VALUES (:amount,
:payer_bank, :region_id, :trans_date, :recipt_name, :id,
:payment_details, :recipt_mfo, :payer_edrpou, :recipt_bank,
:recipt_edrpou, :payer_mfo, :payer_name);"""
# запит ділиться на частини по 999, щоб задовольняти обмеженню
# SQLITE_MAX_VARIABLE_NUMBER
processed_records = 0
for edata_chunk in chunks(edata, SQLITE_MAX_VARIABLE_NUMBER):
try:
c.executemany(
qry,
({k: d.get(k, self.values[k]) for k in self.values}
for d in edata_chunk)
)
processed_records += c.rowcount
except:
raise
else:
self._database.commit()
if self.verbose:
show_db_stats(processed_records, present_records)
def _check_structure(self, f, j):
if 'response' not in j:
raise NotValidEDataJSONError(f)
if 'transactions' not in j['response']:
raise NotValidEDataJSONError(f)
if not j['response']['transactions']:
raise NoTransactionsFoundError(f)
if j["response"]["errors"]:
raise ErrorsInJSONFileError(f)
def import_file(self, json_file):
try:
with open(json_file, encoding='utf-8') as f:
json_data = json.load(f)
self._check_structure(json_file, json_data)
except json.decoder.JSONDecodeError as e:
sys.stderr.write(
'Файл `{}` не є файлом JSON або містить '
'наступні помилки: {}\n'.format(json_file, e.msg)
)
except (NotValidEDataJSONError, NoTransactionsFoundError):
pass
except:
raise
else:
self._insert_json(json_data['response']['transactions'])
def check_file(json_file):
try:
if not os.path.isfile(json_file):
raise FileNotFoundError(
errno.ENOENT,
os.strerror(errno.ENOENT),
json_file
)
return 1
except FileNotFoundError as e:
if e.errno == errno.ENOENT:
print('Файл `{}` не існує, пропуск'.format(e.filename))
return
def main():
results = arg_parser.parse_args()
if re.match('^.+\.sqlite$', results.database):
results.database = re.sub('^(.+)\.sqlite$', '\\1', results.database)
try:
json_filenames = results.file if results.file else \
[f.path for f in scandir() if f.is_file() and
os.path.splitext(f.path)[1].lower() == '.json']
if not json_filenames:
raise NoFilesProvidedError
except NoFilesProvidedError:
sys.exit(2)
else:
edb = EDataSQLDatabase(database=results.database,
verbose=results.verbose)
for f in [f for f in json_filenames if check_file(f)]:
edb.import_file(f)
if __name__ == '__main__':
main()