ominfra 0.0.0.dev76__py3-none-any.whl → 0.0.0.dev78__py3-none-any.whl
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- ominfra/clouds/aws/auth.py +97 -92
- ominfra/clouds/aws/dataclasses.py +149 -0
- ominfra/clouds/aws/journald2aws/__init__.py +0 -0
- ominfra/clouds/aws/journald2aws/journald.py +67 -0
- ominfra/clouds/aws/logs.py +173 -0
- ominfra/deploy/_executor.py +17 -0
- ominfra/pyremote/_runcommands.py +17 -0
- ominfra/scripts/__init__.py +0 -0
- ominfra/scripts/supervisor.py +3323 -0
- ominfra/supervisor/__init__.py +1 -0
- ominfra/supervisor/__main__.py +4 -0
- ominfra/supervisor/compat.py +208 -0
- ominfra/supervisor/configs.py +110 -0
- ominfra/supervisor/context.py +405 -0
- ominfra/supervisor/datatypes.py +171 -0
- ominfra/supervisor/dispatchers.py +307 -0
- ominfra/supervisor/events.py +304 -0
- ominfra/supervisor/exceptions.py +22 -0
- ominfra/supervisor/poller.py +232 -0
- ominfra/supervisor/process.py +782 -0
- ominfra/supervisor/states.py +78 -0
- ominfra/supervisor/supervisor.py +390 -0
- ominfra/supervisor/types.py +49 -0
- {ominfra-0.0.0.dev76.dist-info → ominfra-0.0.0.dev78.dist-info}/METADATA +3 -3
- {ominfra-0.0.0.dev76.dist-info → ominfra-0.0.0.dev78.dist-info}/RECORD +29 -9
- {ominfra-0.0.0.dev76.dist-info → ominfra-0.0.0.dev78.dist-info}/LICENSE +0 -0
- {ominfra-0.0.0.dev76.dist-info → ominfra-0.0.0.dev78.dist-info}/WHEEL +0 -0
- {ominfra-0.0.0.dev76.dist-info → ominfra-0.0.0.dev78.dist-info}/entry_points.txt +0 -0
- {ominfra-0.0.0.dev76.dist-info → ominfra-0.0.0.dev78.dist-info}/top_level.txt +0 -0
@@ -0,0 +1 @@
|
|
1
|
+
# @omlish-lite
|
@@ -0,0 +1,208 @@
|
|
1
|
+
# ruff: noqa: UP006 UP007
|
2
|
+
import errno
|
3
|
+
import os
|
4
|
+
import signal
|
5
|
+
import sys
|
6
|
+
import tempfile
|
7
|
+
import types
|
8
|
+
import typing as ta
|
9
|
+
|
10
|
+
|
11
|
+
T = ta.TypeVar('T')
|
12
|
+
|
13
|
+
|
14
|
+
def as_bytes(s: ta.Union[str, bytes], encoding: str = 'utf8') -> bytes:
|
15
|
+
if isinstance(s, bytes):
|
16
|
+
return s
|
17
|
+
else:
|
18
|
+
return s.encode(encoding)
|
19
|
+
|
20
|
+
|
21
|
+
def as_string(s: ta.Union[str, bytes], encoding='utf8') -> str:
|
22
|
+
if isinstance(s, str):
|
23
|
+
return s
|
24
|
+
else:
|
25
|
+
return s.decode(encoding)
|
26
|
+
|
27
|
+
|
28
|
+
def compact_traceback() -> ta.Tuple[
|
29
|
+
ta.Tuple[str, str, int],
|
30
|
+
ta.Type[BaseException],
|
31
|
+
BaseException,
|
32
|
+
types.TracebackType,
|
33
|
+
]:
|
34
|
+
t, v, tb = sys.exc_info()
|
35
|
+
tbinfo = []
|
36
|
+
if not tb:
|
37
|
+
raise RuntimeError('No traceback')
|
38
|
+
while tb:
|
39
|
+
tbinfo.append((
|
40
|
+
tb.tb_frame.f_code.co_filename,
|
41
|
+
tb.tb_frame.f_code.co_name,
|
42
|
+
str(tb.tb_lineno),
|
43
|
+
))
|
44
|
+
tb = tb.tb_next
|
45
|
+
|
46
|
+
# just to be safe
|
47
|
+
del tb
|
48
|
+
|
49
|
+
file, function, line = tbinfo[-1]
|
50
|
+
info = ' '.join(['[%s|%s|%s]' % x for x in tbinfo]) # noqa
|
51
|
+
return (file, function, line), t, v, info # type: ignore
|
52
|
+
|
53
|
+
|
54
|
+
def find_prefix_at_end(haystack: bytes, needle: bytes) -> int:
|
55
|
+
l = len(needle) - 1
|
56
|
+
while l and not haystack.endswith(needle[:l]):
|
57
|
+
l -= 1
|
58
|
+
return l
|
59
|
+
|
60
|
+
|
61
|
+
class ExitNow(Exception): # noqa
|
62
|
+
pass
|
63
|
+
|
64
|
+
|
65
|
+
##
|
66
|
+
|
67
|
+
|
68
|
+
def decode_wait_status(sts: int) -> ta.Tuple[int, str]:
|
69
|
+
"""
|
70
|
+
Decode the status returned by wait() or waitpid().
|
71
|
+
|
72
|
+
Return a tuple (exitstatus, message) where exitstatus is the exit status, or -1 if the process was killed by a
|
73
|
+
signal; and message is a message telling what happened. It is the caller's responsibility to display the message.
|
74
|
+
"""
|
75
|
+
if os.WIFEXITED(sts):
|
76
|
+
es = os.WEXITSTATUS(sts) & 0xffff
|
77
|
+
msg = f'exit status {es}'
|
78
|
+
return es, msg
|
79
|
+
elif os.WIFSIGNALED(sts):
|
80
|
+
sig = os.WTERMSIG(sts)
|
81
|
+
msg = f'terminated by {signame(sig)}'
|
82
|
+
if hasattr(os, 'WCOREDUMP'):
|
83
|
+
iscore = os.WCOREDUMP(sts)
|
84
|
+
else:
|
85
|
+
iscore = bool(sts & 0x80)
|
86
|
+
if iscore:
|
87
|
+
msg += ' (core dumped)'
|
88
|
+
return -1, msg
|
89
|
+
else:
|
90
|
+
msg = 'unknown termination cause 0x%04x' % sts # noqa
|
91
|
+
return -1, msg
|
92
|
+
|
93
|
+
|
94
|
+
_signames: ta.Optional[ta.Mapping[int, str]] = None
|
95
|
+
|
96
|
+
|
97
|
+
def signame(sig: int) -> str:
|
98
|
+
global _signames
|
99
|
+
if _signames is None:
|
100
|
+
_signames = _init_signames()
|
101
|
+
return _signames.get(sig) or 'signal %d' % sig
|
102
|
+
|
103
|
+
|
104
|
+
def _init_signames() -> ta.Dict[int, str]:
|
105
|
+
d = {}
|
106
|
+
for k, v in signal.__dict__.items():
|
107
|
+
k_startswith = getattr(k, 'startswith', None)
|
108
|
+
if k_startswith is None:
|
109
|
+
continue
|
110
|
+
if k_startswith('SIG') and not k_startswith('SIG_'):
|
111
|
+
d[v] = k
|
112
|
+
return d
|
113
|
+
|
114
|
+
|
115
|
+
class SignalReceiver:
|
116
|
+
def __init__(self) -> None:
|
117
|
+
super().__init__()
|
118
|
+
self._signals_recvd: ta.List[int] = []
|
119
|
+
|
120
|
+
def receive(self, sig: int, frame: ta.Any) -> None:
|
121
|
+
if sig not in self._signals_recvd:
|
122
|
+
self._signals_recvd.append(sig)
|
123
|
+
|
124
|
+
def install(self, *sigs: int) -> None:
|
125
|
+
for sig in sigs:
|
126
|
+
signal.signal(sig, self.receive)
|
127
|
+
|
128
|
+
def get_signal(self) -> ta.Optional[int]:
|
129
|
+
if self._signals_recvd:
|
130
|
+
sig = self._signals_recvd.pop(0)
|
131
|
+
else:
|
132
|
+
sig = None
|
133
|
+
return sig
|
134
|
+
|
135
|
+
|
136
|
+
def readfd(fd: int) -> bytes:
|
137
|
+
try:
|
138
|
+
data = os.read(fd, 2 << 16) # 128K
|
139
|
+
except OSError as why:
|
140
|
+
if why.args[0] not in (errno.EWOULDBLOCK, errno.EBADF, errno.EINTR):
|
141
|
+
raise
|
142
|
+
data = b''
|
143
|
+
return data
|
144
|
+
|
145
|
+
|
146
|
+
def try_unlink(path: str) -> bool:
|
147
|
+
try:
|
148
|
+
os.unlink(path)
|
149
|
+
except OSError:
|
150
|
+
return False
|
151
|
+
return True
|
152
|
+
|
153
|
+
|
154
|
+
def close_fd(fd: int) -> bool:
|
155
|
+
try:
|
156
|
+
os.close(fd)
|
157
|
+
except OSError:
|
158
|
+
return False
|
159
|
+
return True
|
160
|
+
|
161
|
+
|
162
|
+
def mktempfile(suffix: str, prefix: str, dir: str) -> str: # noqa
|
163
|
+
fd, filename = tempfile.mkstemp(suffix, prefix, dir)
|
164
|
+
os.close(fd)
|
165
|
+
return filename
|
166
|
+
|
167
|
+
|
168
|
+
def real_exit(code: int) -> None:
|
169
|
+
os._exit(code) # noqa
|
170
|
+
|
171
|
+
|
172
|
+
def get_path() -> ta.Sequence[str]:
|
173
|
+
"""Return a list corresponding to $PATH, or a default."""
|
174
|
+
path = ['/bin', '/usr/bin', '/usr/local/bin']
|
175
|
+
if 'PATH' in os.environ:
|
176
|
+
p = os.environ['PATH']
|
177
|
+
if p:
|
178
|
+
path = p.split(os.pathsep)
|
179
|
+
return path
|
180
|
+
|
181
|
+
|
182
|
+
def normalize_path(v: str) -> str:
|
183
|
+
return os.path.normpath(os.path.abspath(os.path.expanduser(v)))
|
184
|
+
|
185
|
+
|
186
|
+
ANSI_ESCAPE_BEGIN = b'\x1b['
|
187
|
+
ANSI_TERMINATORS = (b'H', b'f', b'A', b'B', b'C', b'D', b'R', b's', b'u', b'J', b'K', b'h', b'l', b'p', b'm')
|
188
|
+
|
189
|
+
|
190
|
+
def strip_escapes(s):
|
191
|
+
"""Remove all ANSI color escapes from the given string."""
|
192
|
+
result = b''
|
193
|
+
show = 1
|
194
|
+
i = 0
|
195
|
+
l = len(s)
|
196
|
+
while i < l:
|
197
|
+
if show == 0 and s[i:i + 1] in ANSI_TERMINATORS:
|
198
|
+
show = 1
|
199
|
+
elif show:
|
200
|
+
n = s.find(ANSI_ESCAPE_BEGIN, i)
|
201
|
+
if n == -1:
|
202
|
+
return result + s[i:]
|
203
|
+
else:
|
204
|
+
result = result + s[i:n]
|
205
|
+
i = n
|
206
|
+
show = 0
|
207
|
+
i += 1
|
208
|
+
return result
|
@@ -0,0 +1,110 @@
|
|
1
|
+
# ruff: noqa: UP007
|
2
|
+
import dataclasses as dc
|
3
|
+
import logging
|
4
|
+
import signal
|
5
|
+
import tempfile
|
6
|
+
import typing as ta
|
7
|
+
|
8
|
+
from .datatypes import byte_size
|
9
|
+
from .datatypes import existing_directory
|
10
|
+
from .datatypes import existing_dirpath
|
11
|
+
from .datatypes import logging_level
|
12
|
+
from .datatypes import octal_type
|
13
|
+
|
14
|
+
|
15
|
+
@dc.dataclass(frozen=True)
|
16
|
+
class ServerConfig:
|
17
|
+
user: ta.Optional[str] = None
|
18
|
+
nodaemon: bool = False
|
19
|
+
umask: int = 0o22
|
20
|
+
directory: ta.Optional[str] = None
|
21
|
+
logfile: str = 'supervisord.log'
|
22
|
+
logfile_maxbytes: int = 50 * 1024 * 1024
|
23
|
+
logfile_backups: int = 10
|
24
|
+
loglevel: int = logging.INFO
|
25
|
+
pidfile: str = 'supervisord.pid'
|
26
|
+
identifier: str = 'supervisor'
|
27
|
+
child_logdir: str = '/dev/null'
|
28
|
+
minfds: int = 1024
|
29
|
+
minprocs: int = 200
|
30
|
+
nocleanup: bool = False
|
31
|
+
strip_ansi: bool = False
|
32
|
+
silent: bool = False
|
33
|
+
|
34
|
+
groups: ta.Optional[ta.Sequence['ProcessGroupConfig']] = None
|
35
|
+
|
36
|
+
@classmethod
|
37
|
+
def new(
|
38
|
+
cls,
|
39
|
+
umask: ta.Union[int, str] = 0o22,
|
40
|
+
directory: ta.Optional[str] = None,
|
41
|
+
logfile: str = 'supervisord.log',
|
42
|
+
logfile_maxbytes: ta.Union[int, str] = 50 * 1024 * 1024,
|
43
|
+
loglevel: ta.Union[int, str] = logging.INFO,
|
44
|
+
pidfile: str = 'supervisord.pid',
|
45
|
+
child_logdir: ta.Optional[str] = None,
|
46
|
+
**kwargs: ta.Any,
|
47
|
+
) -> 'ServerConfig':
|
48
|
+
return cls(
|
49
|
+
umask=octal_type(umask),
|
50
|
+
directory=existing_directory(directory) if directory is not None else None,
|
51
|
+
logfile=existing_dirpath(logfile),
|
52
|
+
logfile_maxbytes=byte_size(logfile_maxbytes),
|
53
|
+
loglevel=logging_level(loglevel),
|
54
|
+
pidfile=existing_dirpath(pidfile),
|
55
|
+
child_logdir=child_logdir if child_logdir else tempfile.gettempdir(),
|
56
|
+
**kwargs,
|
57
|
+
)
|
58
|
+
|
59
|
+
|
60
|
+
@dc.dataclass(frozen=True)
|
61
|
+
class ProcessGroupConfig:
|
62
|
+
name: str
|
63
|
+
|
64
|
+
priority: int = 999
|
65
|
+
|
66
|
+
processes: ta.Optional[ta.Sequence['ProcessConfig']] = None
|
67
|
+
|
68
|
+
|
69
|
+
@dc.dataclass(frozen=True)
|
70
|
+
class ProcessConfig:
|
71
|
+
name: str
|
72
|
+
command: str
|
73
|
+
|
74
|
+
uid: ta.Optional[int] = None
|
75
|
+
directory: ta.Optional[str] = None
|
76
|
+
umask: ta.Optional[int] = None
|
77
|
+
priority: int = 999
|
78
|
+
|
79
|
+
autostart: bool = True
|
80
|
+
autorestart: str = 'unexpected'
|
81
|
+
|
82
|
+
startsecs: int = 1
|
83
|
+
startretries: int = 3
|
84
|
+
|
85
|
+
numprocs: int = 1
|
86
|
+
numprocs_start: int = 0
|
87
|
+
|
88
|
+
@dc.dataclass(frozen=True)
|
89
|
+
class Log:
|
90
|
+
file: ta.Optional[str] = None
|
91
|
+
capture_maxbytes: ta.Optional[int] = None
|
92
|
+
events_enabled: bool = False
|
93
|
+
syslog: bool = False
|
94
|
+
backups: ta.Optional[int] = None
|
95
|
+
maxbytes: ta.Optional[int] = None
|
96
|
+
|
97
|
+
stdout: Log = Log()
|
98
|
+
stderr: Log = Log()
|
99
|
+
|
100
|
+
stopsignal: int = signal.SIGTERM
|
101
|
+
stopwaitsecs: int = 10
|
102
|
+
stopasgroup: bool = False
|
103
|
+
|
104
|
+
killasgroup: bool = False
|
105
|
+
|
106
|
+
exitcodes: ta.Iterable[int] = (0,)
|
107
|
+
|
108
|
+
redirect_stderr: bool = False
|
109
|
+
|
110
|
+
environment: ta.Optional[ta.Mapping[str, str]] = None
|