-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathrunDBUpdate.py
executable file
·221 lines (159 loc) · 6.57 KB
/
runDBUpdate.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
#!/usr/bin/env python3
'''
Retrieve a mysqldump file from a given location on a remote host and use mysql
to import the database locally. The remote file can be compressed as a .zip
archive, in which case it is inflated. After successful load, the dump file
is archived.
'''
import argparse
import configparser
import glob
import logging
import os
import shutil
import subprocess
import sys
from time import gmtime, strftime, sleep
import zipfile
class Conf:
'''
Make accessible the parameters, configuration and set up logging
'''
def __init__(self, path):
config = configparser.ConfigParser()
config.read(path)
self.remoteHost = config.get('remote', 'host')
self.remoteUser = config.get('remote', 'user')
self.remotePath = config.get('remote', 'path')
self.workDir = config.get('local', 'workDir')
self.archiveDir = config.get('local', 'archiveDir')
self.mysqlOptionsPath = config.get('local', 'mysqloptions')
self.format = config.get('local', 'format')
self.noImport = config.get('local', 'noImport')
self.retryCount = config.getint('local', 'retryCount')
logging.basicConfig(filename=config.get('logs', 'file'),
format=config.get('logs', 'format'),
datefmt=config.get('logs', 'dateFormat'),
level=config.get('logs', 'level').upper())
self.checkPerms(self.mysqlOptionsPath)
def checkPerms(self, path):
if not os.path.exists(path):
raise Exception('mysql import options/password file: ' + path + ' does not exist. Import terminated.')
# The password file must not be world-readable
if (os.stat(path).st_mode & (os.R_OK | os.W_OK | os.X_OK) != 0):
raise Exception('Open permissions found on database password file. Import terminated.')
def getConfig():
parser = argparse.ArgumentParser()
parser.add_argument('-c', '--config', default='./importMariaDBdmpFile/config.ini', )
args = parser.parse_args()
if os.path.exists(args.config):
return args
raise Exception('Configuration file ' + args.config + ' does not exist')
def runCommand(args):
'''
Run the given argument array as a command
'''
logging.debug('running command:' + ' '.join(args))
try:
subprocess.check_output(args, stderr=subprocess.STDOUT, shell=False)
except subprocess.CalledProcessError as p:
logging.error('command failed: ' + ' '.join(args))
raise Exception(p.output.rstrip())
def getDump(remoteUser, remoteHost, remotePath, localDir):
'''
Fetch the file from the remote and save it locally
'''
logging.debug('fetching remote file ... ')
# there is clear text personal data in the dump so try to make sure the permissions are appropriate
os.umask(0o077)
# scp will replace the local file contents if it already exists
# We do not run with '-q' to allow meaningful authentication error messages to be logged.
args = ['/usr/bin/scp',
'-o', 'PasswordAuthentication=no',
remoteUser + '@' + remoteHost + ':' + remotePath,
localDir
]
runCommand(args)
logging.debug('remote fetch completed')
localPath = localDir + '/' + os.path.basename(remotePath)
suffix = os.path.splitext(localPath)[1]
if suffix == '.zip':
logging.debug('inflating fetched zip archive ...')
zip = zipfile.ZipFile(localPath, 'r')
zipContents = zip.namelist()
if len(zipContents) != 1:
raise Exception('Error: .zip archive must contain only 1 file.')
logging.debug('inflating to ' + localDir)
zip.extractall(localDir)
localPath = localDir + '/' + zip.namelist()[0]
logging.debug('inflated ' + localPath)
zip.close
logging.debug('zip archive inflation completed')
return localPath
def importDB(optionsPath, importPath, retryCount):
'''
Use mysql to import the file
'''
# Tested using dump generated using the command
# > mysqldump --databases --lock-tables --dump-date \
# --add-locks -p gocdb -r /tmp/dbdump.sql
args = ['/usr/bin/mysql',
'--defaults-extra-file=' + optionsPath,
'-e SOURCE ' + importPath
]
count = 0
while count < retryCount:
count += 1
try:
logging.debug('loading database from dump file ...')
runCommand(args)
break
except Exception as exc:
logging.debug('mysql command import failed.')
if count < retryCount:
logging.error(str(sys.exc_info()[1]) + '. Retrying.')
snooze = min(0.1 * (pow(2, count) - 1), 20)
logging.debug('sleeping (' + '{:.2f}'.format(snooze) + 'secs)')
sleep(snooze)
logging.debug('retry ' + str(count) + ' of ' + str(retryCount))
# insert backoff time wait here
pass
else:
logging.debug('exceeded retry count for database load failures')
raise exc
logging.debug('database load completed')
def archiveDump(importPath, archive, format):
'''
Save the dump file in the archive directory
'''
logging.debug('archiving dump file ...')
if not os.path.isdir(archive):
raise Exception('Archive directory ' + archive + ' does not exist.')
archivePath = archive + '/' + strftime(format, gmtime())
logging.debug('moving ' + importPath + ' to ' + archivePath)
shutil.move(importPath, archivePath)
logging.debug('removing all .dmp files in ' + archive)
for oldDump in glob.iglob(archive + '/*.dmp'):
os.remove(oldDump)
shutil.move(archivePath, archivePath + '.dmp')
logging.debug('moving ' + archivePath + ' to ' + archivePath + '.dmp')
logging.debug('archive completed')
def main():
try:
args = getConfig()
cnf = Conf(args.config)
if os.path.isfile(cnf.noImport):
logging.error(cnf.noImport + ' exists. No import attempted. File contents -')
with open(cnf.noImport) as f:
logging.error(f.read().rstrip())
return 1
dump = getDump(cnf.remoteUser, cnf.remoteHost, cnf.remotePath, cnf.workDir)
importDB(cnf.mysqlOptionsPath, dump, max(1, cnf.retryCount))
archiveDump(dump, cnf.archiveDir, cnf.format)
logging.info('completed ok')
return 0
except Exception:
logging.error(sys.exc_info()[1])
return 1
if __name__ == '__main__':
sys.exit(main())