ClickHouse/tests/ci/tee_popen.py

Ignoring revisions in .git-blame-ignore-revs. Click here to bypass and see the normal blame view.

67 lines
2.0 KiB
Python
Raw Normal View History

2021-12-03 08:33:16 +00:00
#!/usr/bin/env python3
from subprocess import Popen, PIPE, STDOUT
from threading import Thread
from time import sleep
import logging
2021-12-03 08:33:16 +00:00
import os
import sys
2021-12-03 08:33:16 +00:00
# Very simple tee logic implementation. You can specify shell command, output
# logfile and env variables. After TeePopen is created you can only wait until
# it finishes. stderr and stdout will be redirected both to specified file and
# stdout.
class TeePopen:
2021-12-03 09:19:39 +00:00
# pylint: disable=W0102
def __init__(self, command, log_file, env=os.environ.copy(), timeout=None):
2021-12-03 08:33:16 +00:00
self.command = command
self.log_file = log_file
self.env = env
self.process = None
self.timeout = timeout
def _check_timeout(self):
sleep(self.timeout)
while self.process.poll() is None:
logging.warning(
"Killing process %s, timeout %s exceeded",
self.process.pid,
self.timeout,
)
os.killpg(self.process.pid, 9)
sleep(10)
2021-12-03 08:33:16 +00:00
def __enter__(self):
self.process = Popen(
self.command,
shell=True,
universal_newlines=True,
env=self.env,
start_new_session=True, # signall will be sent to all children
stderr=STDOUT,
stdout=PIPE,
bufsize=1,
)
self.log_file = open(self.log_file, "w", encoding="utf-8")
if self.timeout is not None and self.timeout > 0:
t = Thread(target=self._check_timeout)
t.daemon = True # does not block the program from exit
t.start()
2021-12-03 08:33:16 +00:00
return self
def __exit__(self, t, value, traceback):
for line in self.process.stdout:
sys.stdout.write(line)
self.log_file.write(line)
2022-02-15 22:50:21 +00:00
self.process.wait()
2021-12-03 08:33:16 +00:00
self.log_file.close()
def wait(self):
for line in self.process.stdout:
sys.stdout.write(line)
self.log_file.write(line)
2022-02-15 22:50:21 +00:00
return self.process.wait()