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.
@@ -0,0 +1,307 @@
1
+ # ruff: noqa: UP007
2
+ import abc
3
+ import errno
4
+ import logging
5
+ import os
6
+ import typing as ta
7
+
8
+ from .compat import as_bytes
9
+ from .compat import compact_traceback
10
+ from .compat import find_prefix_at_end
11
+ from .compat import readfd
12
+ from .compat import strip_escapes
13
+ from .configs import ProcessConfig
14
+ from .events import ProcessLogStderrEvent
15
+ from .events import ProcessLogStdoutEvent
16
+ from .events import notify_event
17
+ from .types import AbstractSubprocess
18
+
19
+
20
+ log = logging.getLogger(__name__)
21
+
22
+
23
+ class Dispatcher(abc.ABC):
24
+
25
+ def __init__(self, process: AbstractSubprocess, channel: str, fd: int) -> None:
26
+ super().__init__()
27
+
28
+ self._process = process # process which "owns" this dispatcher
29
+ self._channel = channel # 'stderr' or 'stdout'
30
+ self._fd = fd
31
+ self._closed = False # True if close() has been called
32
+
33
+ def __repr__(self) -> str:
34
+ return f'<{self.__class__.__name__} at {id(self)} for {self._process} ({self._channel})>'
35
+
36
+ @property
37
+ def process(self) -> AbstractSubprocess:
38
+ return self._process
39
+
40
+ @property
41
+ def channel(self) -> str:
42
+ return self._channel
43
+
44
+ @property
45
+ def fd(self) -> int:
46
+ return self._fd
47
+
48
+ @property
49
+ def closed(self) -> bool:
50
+ return self._closed
51
+
52
+ @abc.abstractmethod
53
+ def readable(self) -> bool:
54
+ raise NotImplementedError
55
+
56
+ @abc.abstractmethod
57
+ def writable(self) -> bool:
58
+ raise NotImplementedError
59
+
60
+ def handle_read_event(self) -> None:
61
+ raise TypeError
62
+
63
+ def handle_write_event(self) -> None:
64
+ raise TypeError
65
+
66
+ def handle_error(self) -> None:
67
+ nil, t, v, tbinfo = compact_traceback()
68
+
69
+ log.critical('uncaptured python exception, closing channel %s (%s:%s %s)', repr(self), t, v, tbinfo)
70
+ self.close()
71
+
72
+ def close(self) -> None:
73
+ if not self._closed:
74
+ log.debug('fd %s closed, stopped monitoring %s', self._fd, self)
75
+ self._closed = True
76
+
77
+ def flush(self) -> None: # noqa
78
+ pass
79
+
80
+
81
+ class OutputDispatcher(Dispatcher):
82
+ """
83
+ Dispatcher for one channel (stdout or stderr) of one process. Serves several purposes:
84
+
85
+ - capture output sent within <!--XSUPERVISOR:BEGIN--> and <!--XSUPERVISOR:END--> tags and signal a
86
+ ProcessCommunicationEvent by calling notify_event(event).
87
+ - route the output to the appropriate log handlers as specified in the config.
88
+ """
89
+
90
+ def __init__(self, process: AbstractSubprocess, event_type, fd):
91
+ """
92
+ Initialize the dispatcher.
93
+
94
+ `event_type` should be one of ProcessLogStdoutEvent or ProcessLogStderrEvent
95
+ """
96
+ super().__init__(process, event_type.channel, fd)
97
+ self.event_type = event_type
98
+
99
+ self.lc: ProcessConfig.Log = getattr(process.config, self._channel)
100
+
101
+ self._init_normal_log()
102
+ self._init_capture_log()
103
+
104
+ self._child_log = self._normal_log
105
+
106
+ self._capture_mode = False # are we capturing process event data
107
+ self._output_buffer = b'' # data waiting to be logged
108
+
109
+ # all code below is purely for minor speedups
110
+ begin_token = self.event_type.BEGIN_TOKEN
111
+ end_token = self.event_type.END_TOKEN
112
+ self.begin_token_data = (begin_token, len(begin_token))
113
+ self.end_token_data = (end_token, len(end_token))
114
+ self.main_log_level = logging.DEBUG
115
+ config = self._process.config
116
+ self.log_to_main_log = process.context.config.loglevel <= self.main_log_level
117
+ self.stdout_events_enabled = config.stdout.events_enabled
118
+ self.stderr_events_enabled = config.stderr.events_enabled
119
+
120
+ _child_log: ta.Optional[logging.Logger] # the current logger (normal_log or capture_log)
121
+ _normal_log: ta.Optional[logging.Logger] # the "normal" (non-capture) logger
122
+ _capture_log: ta.Optional[logging.Logger] # the logger used while we're in capture_mode
123
+
124
+ def _init_normal_log(self) -> None:
125
+ """
126
+ Configure the "normal" (non-capture) log for this channel of this process. Sets self.normal_log if logging is
127
+ enabled.
128
+ """
129
+ config = self._process.config # noqa
130
+ channel = self._channel # noqa
131
+
132
+ logfile = self.lc.file
133
+ maxbytes = self.lc.maxbytes # noqa
134
+ backups = self.lc.backups # noqa
135
+ to_syslog = self.lc.syslog
136
+
137
+ if logfile or to_syslog:
138
+ self._normal_log = logging.getLogger(__name__)
139
+
140
+ # if logfile:
141
+ # loggers.handle_file(
142
+ # self.normal_log,
143
+ # filename=logfile,
144
+ # fmt='%(message)s',
145
+ # rotating=bool(maxbytes), # optimization
146
+ # maxbytes=maxbytes,
147
+ # backups=backups,
148
+ # )
149
+ #
150
+ # if to_syslog:
151
+ # loggers.handle_syslog(
152
+ # self.normal_log,
153
+ # fmt=config.name + ' %(message)s',
154
+ # )
155
+
156
+ def _init_capture_log(self) -> None:
157
+ """
158
+ Configure the capture log for this process. This log is used to temporarily capture output when special output
159
+ is detected. Sets self.capture_log if capturing is enabled.
160
+ """
161
+ capture_maxbytes = self.lc.capture_maxbytes
162
+ if capture_maxbytes:
163
+ self._capture_log = logging.getLogger(__name__)
164
+ # loggers.handle_boundIO(
165
+ # self._capture_log,
166
+ # fmt='%(message)s',
167
+ # maxbytes=capture_maxbytes,
168
+ # )
169
+
170
+ def remove_logs(self):
171
+ for log in (self._normal_log, self._capture_log):
172
+ if log is not None:
173
+ for handler in log.handlers:
174
+ handler.remove() # type: ignore
175
+ handler.reopen() # type: ignore
176
+
177
+ def reopen_logs(self):
178
+ for log in (self._normal_log, self._capture_log):
179
+ if log is not None:
180
+ for handler in log.handlers:
181
+ handler.reopen() # type: ignore
182
+
183
+ def _log(self, data):
184
+ if data:
185
+ if self._process.context.config.strip_ansi:
186
+ data = strip_escapes(data)
187
+ if self._child_log:
188
+ self._child_log.info(data)
189
+ if self.log_to_main_log:
190
+ if not isinstance(data, bytes):
191
+ text = data
192
+ else:
193
+ try:
194
+ text = data.decode('utf-8')
195
+ except UnicodeDecodeError:
196
+ text = f'Undecodable: {data!r}'
197
+ log.log(self.main_log_level, '%r %s output:\n%s', self._process.config.name, self._channel, text) # noqa
198
+ if self._channel == 'stdout':
199
+ if self.stdout_events_enabled:
200
+ notify_event(ProcessLogStdoutEvent(self._process, self._process.pid, data))
201
+ elif self.stderr_events_enabled:
202
+ notify_event(ProcessLogStderrEvent(self._process, self._process.pid, data))
203
+
204
+ def record_output(self):
205
+ if self._capture_log is None:
206
+ # shortcut trying to find capture data
207
+ data = self._output_buffer
208
+ self._output_buffer = b''
209
+ self._log(data)
210
+ return
211
+
212
+ if self._capture_mode:
213
+ token, tokenlen = self.end_token_data
214
+ else:
215
+ token, tokenlen = self.begin_token_data
216
+
217
+ if len(self._output_buffer) <= tokenlen:
218
+ return # not enough data
219
+
220
+ data = self._output_buffer
221
+ self._output_buffer = b''
222
+
223
+ try:
224
+ before, after = data.split(token, 1)
225
+ except ValueError:
226
+ after = None
227
+ index = find_prefix_at_end(data, token)
228
+ if index:
229
+ self._output_buffer = self._output_buffer + data[-index:]
230
+ data = data[:-index]
231
+ self._log(data)
232
+ else:
233
+ self._log(before)
234
+ self.toggle_capture_mode()
235
+ self._output_buffer = after # type: ignore
236
+
237
+ if after:
238
+ self.record_output()
239
+
240
+ def toggle_capture_mode(self):
241
+ self._capture_mode = not self._capture_mode
242
+
243
+ if self._capture_log is not None:
244
+ if self._capture_mode:
245
+ self._child_log = self._capture_log
246
+ else:
247
+ for handler in self._capture_log.handlers:
248
+ handler.flush()
249
+ data = self._capture_log.getvalue() # type: ignore
250
+ channel = self._channel
251
+ procname = self._process.config.name
252
+ event = self.event_type(self._process, self._process.pid, data)
253
+ notify_event(event)
254
+
255
+ log.debug('%r %s emitted a comm event', procname, channel)
256
+ for handler in self._capture_log.handlers:
257
+ handler.remove() # type: ignore
258
+ handler.reopen() # type: ignore
259
+ self._child_log = self._normal_log
260
+
261
+ def writable(self) -> bool:
262
+ return False
263
+
264
+ def readable(self) -> bool:
265
+ if self._closed:
266
+ return False
267
+ return True
268
+
269
+ def handle_read_event(self) -> None:
270
+ data = readfd(self._fd)
271
+ self._output_buffer += data
272
+ self.record_output()
273
+ if not data:
274
+ # if we get no data back from the pipe, it means that the child process has ended. See
275
+ # mail.python.org/pipermail/python-dev/2004-August/046850.html
276
+ self.close()
277
+
278
+
279
+ class InputDispatcher(Dispatcher):
280
+
281
+ def __init__(self, process: AbstractSubprocess, channel: str, fd: int) -> None:
282
+ super().__init__(process, channel, fd)
283
+ self._input_buffer = b''
284
+
285
+ def writable(self) -> bool:
286
+ if self._input_buffer and not self._closed:
287
+ return True
288
+ return False
289
+
290
+ def readable(self) -> bool:
291
+ return False
292
+
293
+ def flush(self) -> None:
294
+ # other code depends on this raising EPIPE if the pipe is closed
295
+ sent = os.write(self._fd, as_bytes(self._input_buffer))
296
+ self._input_buffer = self._input_buffer[sent:]
297
+
298
+ def handle_write_event(self) -> None:
299
+ if self._input_buffer:
300
+ try:
301
+ self.flush()
302
+ except OSError as why:
303
+ if why.args[0] == errno.EPIPE:
304
+ self._input_buffer = b''
305
+ self.close()
306
+ else:
307
+ raise
@@ -0,0 +1,304 @@
1
+ # ruff: noqa: UP006 UP007
2
+ import typing as ta
3
+
4
+ from .compat import as_string
5
+ from .states import get_process_state_description
6
+
7
+
8
+ class EventCallbacks:
9
+ def __init__(self) -> None:
10
+ super().__init__()
11
+
12
+ self._callbacks: ta.List[ta.Tuple[type, ta.Callable]] = []
13
+
14
+ def subscribe(self, type, callback): # noqa
15
+ self._callbacks.append((type, callback))
16
+
17
+ def unsubscribe(self, type, callback): # noqa
18
+ self._callbacks.remove((type, callback))
19
+
20
+ def notify(self, event):
21
+ for type, callback in self._callbacks: # noqa
22
+ if isinstance(event, type):
23
+ callback(event)
24
+
25
+ def clear(self):
26
+ self._callbacks[:] = []
27
+
28
+
29
+ EVENT_CALLBACKS = EventCallbacks()
30
+
31
+ notify_event = EVENT_CALLBACKS.notify
32
+ clear_events = EVENT_CALLBACKS.clear
33
+
34
+
35
+ class Event:
36
+ """Abstract event type """
37
+
38
+
39
+ class ProcessLogEvent(Event):
40
+ """Abstract"""
41
+ channel: ta.Optional[str] = None
42
+
43
+ def __init__(self, process, pid, data):
44
+ super().__init__()
45
+ self.process = process
46
+ self.pid = pid
47
+ self.data = data
48
+
49
+ def payload(self):
50
+ groupname = ''
51
+ if self.process.group is not None:
52
+ groupname = self.process.group.config.name
53
+ try:
54
+ data = as_string(self.data)
55
+ except UnicodeDecodeError:
56
+ data = f'Undecodable: {self.data!r}'
57
+ fmt = as_string('processname:%s groupname:%s pid:%s channel:%s\n%s')
58
+ result = fmt % (
59
+ as_string(self.process.config.name),
60
+ as_string(groupname),
61
+ self.pid,
62
+ as_string(self.channel), # type: ignore
63
+ data,
64
+ )
65
+ return result
66
+
67
+
68
+ class ProcessLogStdoutEvent(ProcessLogEvent):
69
+ channel = 'stdout'
70
+
71
+
72
+ class ProcessLogStderrEvent(ProcessLogEvent):
73
+ channel = 'stderr'
74
+
75
+
76
+ class ProcessCommunicationEvent(Event):
77
+ """ Abstract """
78
+ # event mode tokens
79
+ BEGIN_TOKEN = b'<!--XSUPERVISOR:BEGIN-->'
80
+ END_TOKEN = b'<!--XSUPERVISOR:END-->'
81
+
82
+ def __init__(self, process, pid, data):
83
+ super().__init__()
84
+ self.process = process
85
+ self.pid = pid
86
+ self.data = data
87
+
88
+ def payload(self):
89
+ groupname = ''
90
+ if self.process.group is not None:
91
+ groupname = self.process.group.config.name
92
+ try:
93
+ data = as_string(self.data)
94
+ except UnicodeDecodeError:
95
+ data = f'Undecodable: {self.data!r}'
96
+ return f'processname:{self.process.config.name} groupname:{groupname} pid:{self.pid}\n{data}'
97
+
98
+
99
+ class ProcessCommunicationStdoutEvent(ProcessCommunicationEvent):
100
+ channel = 'stdout'
101
+
102
+
103
+ class ProcessCommunicationStderrEvent(ProcessCommunicationEvent):
104
+ channel = 'stderr'
105
+
106
+
107
+ class RemoteCommunicationEvent(Event):
108
+ def __init__(self, type, data): # noqa
109
+ super().__init__()
110
+ self.type = type
111
+ self.data = data
112
+
113
+ def payload(self):
114
+ return f'type:{self.type}\n{self.data}'
115
+
116
+
117
+ class SupervisorStateChangeEvent(Event):
118
+ """ Abstract class """
119
+
120
+ def payload(self):
121
+ return ''
122
+
123
+
124
+ class SupervisorRunningEvent(SupervisorStateChangeEvent):
125
+ pass
126
+
127
+
128
+ class SupervisorStoppingEvent(SupervisorStateChangeEvent):
129
+ pass
130
+
131
+
132
+ class EventRejectedEvent: # purposely does not subclass Event
133
+ def __init__(self, process, event):
134
+ super().__init__()
135
+ self.process = process
136
+ self.event = event
137
+
138
+
139
+ class ProcessStateEvent(Event):
140
+ """ Abstract class, never raised directly """
141
+ frm = None
142
+ to = None
143
+
144
+ def __init__(self, process, from_state, expected=True):
145
+ super().__init__()
146
+ self.process = process
147
+ self.from_state = from_state
148
+ self.expected = expected
149
+ # we eagerly render these so if the process pid, etc changes beneath
150
+ # us, we stash the values at the time the event was sent
151
+ self.extra_values = self.get_extra_values()
152
+
153
+ def payload(self):
154
+ groupname = ''
155
+ if self.process.group is not None:
156
+ groupname = self.process.group.config.name
157
+ l = [
158
+ ('processname', self.process.config.name),
159
+ ('groupname', groupname),
160
+ ('from_state', get_process_state_description(self.from_state)),
161
+ ]
162
+ l.extend(self.extra_values)
163
+ s = ' '.join([f'{name}:{val}' for name, val in l])
164
+ return s
165
+
166
+ def get_extra_values(self):
167
+ return []
168
+
169
+
170
+ class ProcessStateFatalEvent(ProcessStateEvent):
171
+ pass
172
+
173
+
174
+ class ProcessStateUnknownEvent(ProcessStateEvent):
175
+ pass
176
+
177
+
178
+ class ProcessStateStartingOrBackoffEvent(ProcessStateEvent):
179
+ def get_extra_values(self):
180
+ return [('tries', int(self.process.backoff))]
181
+
182
+
183
+ class ProcessStateBackoffEvent(ProcessStateStartingOrBackoffEvent):
184
+ pass
185
+
186
+
187
+ class ProcessStateStartingEvent(ProcessStateStartingOrBackoffEvent):
188
+ pass
189
+
190
+
191
+ class ProcessStateExitedEvent(ProcessStateEvent):
192
+ def get_extra_values(self):
193
+ return [('expected', int(self.expected)), ('pid', self.process.pid)]
194
+
195
+
196
+ class ProcessStateRunningEvent(ProcessStateEvent):
197
+ def get_extra_values(self):
198
+ return [('pid', self.process.pid)]
199
+
200
+
201
+ class ProcessStateStoppingEvent(ProcessStateEvent):
202
+ def get_extra_values(self):
203
+ return [('pid', self.process.pid)]
204
+
205
+
206
+ class ProcessStateStoppedEvent(ProcessStateEvent):
207
+ def get_extra_values(self):
208
+ return [('pid', self.process.pid)]
209
+
210
+
211
+ class ProcessGroupEvent(Event):
212
+ def __init__(self, group):
213
+ super().__init__()
214
+ self.group = group
215
+
216
+ def payload(self):
217
+ return f'groupname:{self.group}\n'
218
+
219
+
220
+ class ProcessGroupAddedEvent(ProcessGroupEvent):
221
+ pass
222
+
223
+
224
+ class ProcessGroupRemovedEvent(ProcessGroupEvent):
225
+ pass
226
+
227
+
228
+ class TickEvent(Event):
229
+ """ Abstract """
230
+
231
+ def __init__(self, when, supervisord):
232
+ super().__init__()
233
+ self.when = when
234
+ self.supervisord = supervisord
235
+
236
+ def payload(self):
237
+ return f'when:{self.when}'
238
+
239
+
240
+ class Tick5Event(TickEvent):
241
+ period = 5
242
+
243
+
244
+ class Tick60Event(TickEvent):
245
+ period = 60
246
+
247
+
248
+ class Tick3600Event(TickEvent):
249
+ period = 3600
250
+
251
+
252
+ TICK_EVENTS = [ # imported elsewhere
253
+ Tick5Event,
254
+ Tick60Event,
255
+ Tick3600Event,
256
+ ]
257
+
258
+
259
+ class EventTypes:
260
+ EVENT = Event # abstract
261
+
262
+ PROCESS_STATE = ProcessStateEvent # abstract
263
+ PROCESS_STATE_STOPPED = ProcessStateStoppedEvent
264
+ PROCESS_STATE_EXITED = ProcessStateExitedEvent
265
+ PROCESS_STATE_STARTING = ProcessStateStartingEvent
266
+ PROCESS_STATE_STOPPING = ProcessStateStoppingEvent
267
+ PROCESS_STATE_BACKOFF = ProcessStateBackoffEvent
268
+ PROCESS_STATE_FATAL = ProcessStateFatalEvent
269
+ PROCESS_STATE_RUNNING = ProcessStateRunningEvent
270
+ PROCESS_STATE_UNKNOWN = ProcessStateUnknownEvent
271
+
272
+ PROCESS_COMMUNICATION = ProcessCommunicationEvent # abstract
273
+ PROCESS_COMMUNICATION_STDOUT = ProcessCommunicationStdoutEvent
274
+ PROCESS_COMMUNICATION_STDERR = ProcessCommunicationStderrEvent
275
+
276
+ PROCESS_LOG = ProcessLogEvent
277
+ PROCESS_LOG_STDOUT = ProcessLogStdoutEvent
278
+ PROCESS_LOG_STDERR = ProcessLogStderrEvent
279
+
280
+ REMOTE_COMMUNICATION = RemoteCommunicationEvent
281
+
282
+ SUPERVISOR_STATE_CHANGE = SupervisorStateChangeEvent # abstract
283
+ SUPERVISOR_STATE_CHANGE_RUNNING = SupervisorRunningEvent
284
+ SUPERVISOR_STATE_CHANGE_STOPPING = SupervisorStoppingEvent
285
+
286
+ TICK = TickEvent # abstract
287
+ TICK_5 = Tick5Event
288
+ TICK_60 = Tick60Event
289
+ TICK_3600 = Tick3600Event
290
+
291
+ PROCESS_GROUP = ProcessGroupEvent # abstract
292
+ PROCESS_GROUP_ADDED = ProcessGroupAddedEvent
293
+ PROCESS_GROUP_REMOVED = ProcessGroupRemovedEvent
294
+
295
+
296
+ def get_event_name_by_type(requested):
297
+ for name, typ in EventTypes.__dict__.items():
298
+ if typ is requested:
299
+ return name
300
+ return None
301
+
302
+
303
+ def register(name, event):
304
+ setattr(EventTypes, name, event)
@@ -0,0 +1,22 @@
1
+ class ProcessError(Exception):
2
+ """ Specialized exceptions used when attempting to start a process """
3
+
4
+
5
+ class BadCommandError(ProcessError):
6
+ """ Indicates the command could not be parsed properly. """
7
+
8
+
9
+ class NotExecutableError(ProcessError):
10
+ """ Indicates that the filespec cannot be executed because its path
11
+ resolves to a file which is not executable, or which is a directory. """
12
+
13
+
14
+ class NotFoundError(ProcessError):
15
+ """ Indicates that the filespec cannot be executed because it could not be found """
16
+
17
+
18
+ class NoPermissionError(ProcessError):
19
+ """
20
+ Indicates that the file cannot be executed because the supervisor process does not possess the appropriate UNIX
21
+ filesystem permission to execute the file.
22
+ """