-
Notifications
You must be signed in to change notification settings - Fork 48
/
Copy pathexecutor.py
238 lines (208 loc) · 8.3 KB
/
executor.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
# Copyright (C) 2016-2020 by Clearcode <http://clearcode.cc>
# and associates (see AUTHORS).
# This file is part of pytest-postgresql.
# pytest-dbfixtures is free software: you can redistribute it and/or modify
# it under the terms of the GNU Lesser General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
# pytest-dbfixtures is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU Lesser General Public License for more details.
# You should have received a copy of the GNU Lesser General Public License
# along with pytest-dbfixtures. If not, see <http://www.gnu.org/licenses/>.
"""PostgreSQL executor crafter around pg_ctl."""
import os.path
import platform
import re
import shutil
import subprocess
import tempfile
import time
from typing import Any, Optional, TypeVar
from mirakuru import TCPExecutor
from mirakuru.exceptions import ProcessFinishedWithError
from packaging.version import parse
from pytest_postgresql.exceptions import ExecutableMissingException, PostgreSQLUnsupported
_LOCALE = "C.UTF-8"
if platform.system() == "Darwin":
_LOCALE = "en_US.UTF-8"
T = TypeVar("T", bound="PostgreSQLExecutor")
class PostgreSQLExecutor(TCPExecutor):
"""PostgreSQL executor running on pg_ctl.
Based over an `pg_ctl program
<http://www.postgresql.org/docs/current/static/app-pg-ctl.html>`_
"""
BASE_PROC_START_COMMAND = (
"{executable} start -D {datadir} "
"-o \"-F -p {port} -c log_destination='stderr' "
"-c logging_collector=off "
"-c unix_socket_directories='{unixsocketdir}' {postgres_options}\" "
"-l {logfile} {startparams}"
)
VERSION_RE = re.compile(r".* (?P<version>\d+(?:\.\d+)?)")
MIN_SUPPORTED_VERSION = parse("10")
def __init__(
self,
executable: str,
host: str,
port: int,
datadir: str,
unixsocketdir: str,
logfile: str,
startparams: str,
dbname: str,
shell: bool = False,
timeout: Optional[int] = 60,
sleep: float = 0.1,
user: str = "postgres",
password: str = "",
options: str = "",
postgres_options: str = "",
):
"""Initialize PostgreSQLExecutor executor.
:param executable: pg_ctl location
:param host: host under which process is accessible
:param port: port under which process is accessible
:param datadir: path to postgresql datadir
:param unixsocketdir: path to socket directory
:param logfile: path to logfile for postgresql
:param startparams: additional start parameters
:param shell: see `subprocess.Popen`
:param timeout: time to wait for process to start or stop.
if None, wait indefinitely.
:param sleep: how often to check for start/stop condition
:param user: postgresql's username used to manage
and access PostgreSQL
:param password: optional password for the user
:param dbname: database name (might not yet exist)
:param options:
:param postgres_options: extra arguments to `postgres start`
"""
self._directory_initialised = False
self.executable = executable
self.user = user
self.password = password
self.dbname = dbname
self.options = options
self.datadir = datadir
self.unixsocketdir = unixsocketdir
self.logfile = logfile
self.startparams = startparams
self.postgres_options = postgres_options
command = self.BASE_PROC_START_COMMAND.format(
executable=self.executable,
datadir=self.datadir,
port=port,
unixsocketdir=self.unixsocketdir,
logfile=self.logfile,
startparams=self.startparams,
postgres_options=self.postgres_options,
)
super().__init__(
command,
host,
port,
shell=shell,
timeout=timeout,
sleep=sleep,
envvars={
"LC_ALL": _LOCALE,
"LC_CTYPE": _LOCALE,
"LANG": _LOCALE,
},
)
@property
def template_dbname(self) -> str:
"""Return the template database name."""
return f"{self.dbname}_tmpl"
def start(self: T) -> T:
"""Add check for postgresql version before starting process."""
if self.version < self.MIN_SUPPORTED_VERSION:
raise PostgreSQLUnsupported(
f"Your version of PostgreSQL is not supported. "
f"Consider updating to PostgreSQL {self.MIN_SUPPORTED_VERSION} at least. "
f"The currently installed version of PostgreSQL: {self.version}."
)
self.init_directory()
return super().start()
def clean_directory(self) -> None:
"""Remove directory created for postgresql run."""
if os.path.isdir(self.datadir):
shutil.rmtree(self.datadir)
self._directory_initialised = False
def init_directory(self) -> None:
"""Initialize postgresql data directory.
See `Initialize postgresql data directory
<www.postgresql.org/docs/9.5/static/app-initdb.html>`_
"""
# only make sure it's removed if it's handled by this exact process
if self._directory_initialised:
return
# remove old one if exists first.
self.clean_directory()
init_directory = [self.executable, "initdb", "--pgdata", self.datadir]
options = ["--username=%s" % self.user]
if self.password:
with tempfile.NamedTemporaryFile() as password_file:
options += ["--auth=password", "--pwfile=%s" % password_file.name]
if hasattr(self.password, "encode"):
password = self.password.encode("utf-8")
else:
password = self.password # type: ignore[assignment]
password_file.write(password)
password_file.flush()
init_directory += ["-o", " ".join(options)]
subprocess.check_output(init_directory)
else:
options += ["--auth=trust"]
init_directory += ["-o", " ".join(options)]
subprocess.check_output(init_directory)
self._directory_initialised = True
def wait_for_postgres(self) -> None:
"""Wait for postgresql being started."""
if "-w" not in self.startparams:
return
# wait until server is running
while 1:
if self.running():
break
time.sleep(1)
@property
def version(self) -> Any:
"""Detect postgresql version."""
try:
version_string = subprocess.check_output([self.executable, "--version"]).decode("utf-8")
except FileNotFoundError as ex:
raise ExecutableMissingException(
f"Could not found {self.executable}. Is PostgreSQL server installed? "
f"Alternatively pg_config installed might be from different "
f"version that postgresql-server."
) from ex
matches = self.VERSION_RE.search(version_string)
assert matches is not None
return parse(matches.groupdict()["version"])
def running(self) -> bool:
"""Check if server is running."""
if not os.path.exists(self.datadir):
return False
status_code = subprocess.getstatusoutput(f"{self.executable} status -D {self.datadir}")[0]
return status_code == 0
def stop(self: T, sig: Optional[int] = None, exp_sig: Optional[int] = None) -> T:
"""Issue a stop request to executable."""
subprocess.check_output(
f"{self.executable} stop -D {self.datadir} -m f",
shell=True,
)
try:
super().stop(sig, exp_sig)
except ProcessFinishedWithError:
# Finished, leftovers ought to be cleaned afterwards anyway
pass
return self
def __del__(self) -> None:
"""Make sure the directories are properly removed at the end."""
try:
super().__del__()
finally:
self.clean_directory()