forked from omegaup/omegaup
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathdatabase_utils.py
144 lines (125 loc) · 4.55 KB
/
database_utils.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
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
'''Library of utilities to work with MySQL.'''
import logging
import os
import shlex
import subprocess
import sys
import tempfile
from typing import Optional, Sequence
_MYSQL_BINARY = '/usr/bin/mysql'
_MYSQLDUMP_BINARY = '/usr/bin/mysqldump'
def inside_container() -> bool:
'''Returns whether this command is run inside a container.'''
return os.path.isdir('/opt/omegaup')
def check_inside_container() -> None:
'''Re-runs the current command inside the container if needed.'''
if inside_container():
return
sys.stderr.write(
'\033[91mThis command needs to be run inside the container.\033[0m\n')
sys.stderr.write('\n')
answer = 'n'
if sys.stdin.isatty():
try:
answer = input(
'\033[95mDo you want to run this now?\033[0m [y/N]: ')
answer = answer.lower().strip()
except KeyboardInterrupt:
sys.stderr.write('\n')
if answer != 'y':
sys.stderr.write('\nYou can use the following command to run '
'it inside the container:\n\n')
sys.stderr.write(
f' docker-compose exec -T frontend {shlex.join(sys.argv)}\n')
sys.stderr.write('\n')
sys.exit(1)
result = subprocess.run(['docker-compose', 'exec', '-T', 'frontend'] +
sys.argv,
check=False)
sys.exit(result.returncode)
def quote(s: str) -> str:
'''Escapes the string |s| so it can be safely used in a shell command.'''
if 'quote' in dir(shlex):
# This is unavailable in Python <3.3
return shlex.quote(s)
# pylint: disable=import-outside-toplevel
import pipes
return pipes.quote(s)
def default_config_file() -> Optional[str]:
'''Returns the default config file path for MySQL.'''
for candidate_path in (
# ~/.my.cnf
os.path.join(os.getenv('HOME') or '.', '.my.cnf'),
):
if os.path.isfile(candidate_path):
return candidate_path
return None
def authentication(*,
config_file: Optional[str] = default_config_file(),
username: Optional[str] = None,
password: Optional[str] = None,
hostname: Optional[str] = None,
port: Optional[int] = None) -> Sequence[str]:
'''Computes the authentication arguments for mysql binaries.'''
if config_file and os.path.isfile(config_file):
return ['--defaults-file=%s' % quote(config_file)]
assert username
args = ['--user=%s' % quote(username)]
if password is not None:
if password:
args.append('--password=%s' % quote(password))
else:
args.append('--skip-password')
if hostname is not None:
args.extend(['--protocol=TCP', '--host=%s' % quote(hostname)])
if port is not None:
args.extend(['--port=%d' % port])
return args
def mysql(query: str,
*,
container_check: bool = True,
dbname: Optional[str] = None,
auth: Sequence[str] = ()) -> str:
'''Runs the MySQL commandline client with |query| as query.'''
args = []
if container_check and not inside_container():
args.extend(['docker-compose', 'exec', '-T', 'frontend'])
args += [_MYSQL_BINARY] + list(auth)
if dbname:
args.append(dbname)
args.append('-NBe')
args.append(query)
try:
return subprocess.check_output(args,
universal_newlines=True,
stderr=subprocess.PIPE)
except subprocess.CalledProcessError as e:
logging.exception('failed to run %r: %s', query, e.stderr)
raise
def mysqldump(*,
container_check: bool = True,
dbname: Optional[str] = None,
auth: Sequence[str] = ()) -> bytes:
'''Runs the mysqldump commandline tool.'''
args = []
if container_check and not inside_container():
args.extend(['docker-compose', 'exec', '-T', 'frontend'])
args += [_MYSQLDUMP_BINARY] + list(auth)
if dbname:
args.append(dbname)
with tempfile.NamedTemporaryFile(mode='rb') as outfile:
args.extend([
'--no-data',
'--skip-comments',
'--skip-opt',
'--create-options',
'--single-transaction',
'--routines',
'--default-character-set=utf8',
'--result-file',
outfile.name,
])
subprocess.check_call(args)
return outfile.read()