-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmain.py
244 lines (220 loc) · 10.4 KB
/
main.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
from cmath import exp
import os
import asyncio
import mysql.connector
from mysql.connector import errorcode
from progress.bar import Bar
from progress.spinner import Spinner
from pick import pick
from dotenv import load_dotenv
load_dotenv()
config = {
'user': os.environ.get('database_user'),
'password': os.environ.get('database_password'),
'host': os.environ.get('database_host'),
'database': os.environ.get('database_name')
}
avaiableNewSettingTables = ['settings_shortcuts', 'settings_view_for_employee', 'settings_view_leaves', 'settings_view_overhours']
def main():
print("BEFORE USE - Don't forget you need to create settings child tables but DON'T DELETE FIELD FROM settings YET !")
print("The same situation on event_history table. you need to create it but DON'T DROP COLUMNS FROM TABLE event!!")
understand = askUserBool("Understand ? (y/n) [y]:")
if(understand):
action = askUserForAction()
if(action == 0): # Transfer from settings to child.
try:
connection = mysql.connector.connect(**config)
if(connection.is_connected()):
print("Connect to database - correct.")
settingsColumnName = getNameOfColumns(connection, 'settings')
tablesValidation = {}
tableOfColumns = {}
settingChilds = multiSelectOption('Pick settings you want to transfer, press SPACE to select', avaiableNewSettingTables)
for tableName in settingChilds:
tablesValidation[tableName] = True
settingColumns = getNameOfColumns(connection, tableName)
if(len(settingColumns) != 0 ):
for settingColumn in settingColumns:
if not settingColumn in settingsColumnName:
tablesValidation[tableName] = False
if(tablesValidation[tableName] == True):
tableOfColumns[tableName] = settingColumns
else:
print("[ERROR] Table "+tableName+" does not exist - rejected!")
tablesValidation[tableName] = False
for tableName in tablesValidation:
if(tablesValidation[tableName] == True):
isDataTransfered = transferDataFromTableToTable(connection, tableName, tableOfColumns[tableName], 'settings')
if(isDataTransfered):
print("[DONE] TABLE "+tableName+" imported correctly !")
else:
print("[ERROR] Some field from "+tableName+" not in table settings - rejected")
else:
print("Connecting to database falied.")
except mysql.connector.Error as error:
if error.errno == errorcode.ER_ACCESS_DENIED_ERROR:
print("Cannot access to database, maybe username or password is wrong.")
elif error.errno == errorcode.ER_BAD_DB_ERROR:
print("Chosen database does not exist.")
else:
print(error)
else:
connection.close()
elif(action == 1):
try:
connection = mysql.connector.connect(**config)
if(connection.is_connected()):
print("Connect to database - correct.")
isEventsValid = True
eventsColumnName = getNameOfColumns(connection, 'event')
eventsColumnName[eventsColumnName.index('id')] = 'event_id'
eventHistryColumnName = getNameOfColumns(connection, 'event_history')
eventHistryColumnName.remove("id")
if(len(eventHistryColumnName) != 0 ):
for eventHistoryName in eventHistryColumnName:
if eventHistoryName != 'event_id' and not eventHistoryName in eventsColumnName:
isEventsValid = False
else:
print("[ERROR] Table event_histry does not exist - rejected!")
isEventsValid = False
if isEventsValid:
isDataTransfered = transferDataFromTableToTable(connection, 'event_history', eventHistryColumnName, 'event')
if(isDataTransfered):
print("[DONE] TABLE event_history imported correctly !")
else:
print("[ERROR] Some field from event_history not in table events - rejected")
except mysql.connector.Error as error:
if error.errno == errorcode.ER_ACCESS_DENIED_ERROR:
print("Cannot access to database, maybe username or password is wrong.")
elif error.errno == errorcode.ER_BAD_DB_ERROR:
print("Chosen database does not exist.")
else:
print(error)
else:
connection.close()
else:
print("Script rejected.")
def getNameOfColumns(connection, table_name):
arrayOfColumns = []
current = connection.cursor()
current.execute("SELECT `COLUMN_NAME` FROM `INFORMATION_SCHEMA`.`COLUMNS` WHERE `TABLE_SCHEMA` = '"+os.environ.get('database_name')+"' AND `TABLE_NAME` = '"+table_name+"';")
for name in current.fetchall():
arrayOfColumns.append(name[0]) # Getting name of settings column.
return arrayOfColumns
def transferDataFromTableToTable(connection, table, columns, parent):
if not checkIsTableBlank(connection, table):
question = askUserBool("Table "+table+" isn't empty, do you want to clean all data and import again ? (y/n) [y]:")
if(question):
emptyTable(connection, table)
return transferDataFromTableToTable(connection, table, columns, parent)
else:
print("Skipping to next table.")
return False
else:
print("Initialize Query...")
selectString = ''
lastElement = columns[-1]
for column in columns:
if(column != 'id'):
if(column == lastElement):
selectString = selectString+' `'+(parent == 'event' and (column == 'event_id' and "id" or column) or column)+'`'
else:
selectString = selectString+' `'+(parent == 'event' and (column == 'event_id' and "id" or column) or column)+'`,'
try:
bar = Bar('Progress...', max=countFromTable(connection, 'event'))
query = connection.cursor()
query.execute("SELECT "+selectString+" FROM `"+parent+"`;")
if parent == 'event':
for values in query.fetchall():
bar.next()
value = ','.join([str(data if data else "null") for data in values])
query.execute("INSERT INTO `"+table+"` ("+selectString[:-4]+"`event_id`) VALUES ("+value+")")
else:
insertString = ''
for values in query.fetchall():
value = ','.join([str(data if data else "null") for data in values])
insertString = insertString+'('+value+'), '
query.execute("INSERT INTO `"+table+"` ("+selectString+") VALUES "+insertString[:-2])
connection.commit()
query.close()
return True
except mysql.connector.Error as err:
print("[ERROR] Something went wrong: {}".format(err))
def dropColumnsFromSettings(connection, columnsNames):
query = connection.cursor()
queryString = ''
lastElement = columnsNames[-1]
for column in columnsNames:
if(column != 'id'):
if(column == lastElement):
queryString = queryString+'DROP COLUMN `'+column+'`;'
else:
queryString = queryString+'DROP COLUMN `'+column+'`, '
try:
print("ALTER TABLE `settings` "+queryString)
query.execute("ALTER TABLE `settings` DROP COLUMN"+queryString)
print("[DONE] Dropped columns from settings - complete")
query.close()
except mysql.connector.Error as err:
print("[ERROR] Something went wrong: {}".format(err))
def checkIsTableBlank(connection, table):
try:
query = connection.cursor()
query.execute("SELECT * FROM `"+table+"`")
countResults = len(query.fetchall())
query.close()
if countResults == 0:
return True
else:
return False
except mysql.connector.Error as err:
print("[ERROR] Something went wrong: {}".format(err))
def emptyTable(connection, table):
try:
query = connection.cursor()
query.execute("DELETE FROM `"+table+"`")
connection.commit()
query.close()
except mysql.connector.Error as err:
print("[ERROR] Something went wrong: {}".format(err))
def askUserBool(msg):
while True:
try:
passing = str(input(msg))
print(passing)
if passing == 'y' or passing == '':
return True
elif passing == 'n':
return False
else:
print("This command didn't match.")
continue
except ValueError:
print("This command didn't match.")
continue
def askUserForAction():
title = 'Please choice what you want to do:'
options = ['Transfer data from table settings to child tables', 'Transfer data about event histry']
option, index = pick(options, title, indicator="=>")
return index
def multiSelectOption(title, options):
selected = pick(options, title, multiselect=True, indicator="=>", min_selection_count=1)
tableNames = []
for select in selected:
tableNames.append(select[0])
return tableNames
def countFromTable(connection, table):
try:
query = connection.cursor(buffered=True)
query.execute("SELECT COUNT(`id`) FROM `"+table+"`;")
countResults = query.fetchone()[0]
return countResults
query.close()
except mysql.connector.Error as err:
print("[ERROR] Something went wrong: {}".format(err))
if(__name__) == '__main__':
try:
main()
except MemoryError:
sys.stderr.write("Maximum Memory Exceeded")
sys.exit(-1)