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 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219
|
#! /usr/bin/env python
# -*- coding: utf-8 -*-
#
# This file is part of command_runner module
"""
command_runner is a quick tool to launch commands from Python, get exit code
and output, and handle most errors that may happen
Versioning semantics:
Major version: backward compatibility breaking changes
Minor version: New functionality
Patch version: Backwards compatible bug fixes
"""
# python 2.7 compat fixes so all strings are considered unicode
from __future__ import unicode_literals
__intname__ = "command_runner"
__author__ = "Orsiris de Jong"
__copyright__ = "Copyright (C) 2015-2024 Orsiris de Jong for NetInvent SASU"
__licence__ = "BSD 3 Clause"
__version__ = "1.7.0"
__build__ = "2024091501"
__compat__ = "python2.7+"
import io
import os
import shlex
import subprocess
import sys
from datetime import datetime
from logging import getLogger
from time import sleep
try:
import psutil
except ImportError:
# Don't bother with an error since we need command_runner to work without dependencies
pass
try:
# Also make sure we directly import priority classes so we can reuse them
if os.name == "nt":
from psutil import (
ABOVE_NORMAL_PRIORITY_CLASS,
BELOW_NORMAL_PRIORITY_CLASS,
HIGH_PRIORITY_CLASS,
IDLE_PRIORITY_CLASS,
NORMAL_PRIORITY_CLASS,
REALTIME_PRIORITY_CLASS,
)
from psutil import IOPRIO_HIGH, IOPRIO_NORMAL, IOPRIO_LOW, IOPRIO_VERYLOW
else:
from psutil import (
IOPRIO_CLASS_BE,
IOPRIO_CLASS_IDLE,
IOPRIO_CLASS_NONE,
IOPRIO_CLASS_RT,
)
except (ImportError, AttributeError):
pass
try:
import signal
except ImportError:
pass
# Python 2.7 compat fixes (queue was Queue)
try:
import queue
except ImportError:
import Queue as queue
import threading
# Python 2.7 compat fixes (missing typing)
try:
from typing import Union, Optional, List, Tuple, NoReturn, Any, Callable
except ImportError:
pass
# Python 2.7 compat fixes (no concurrent futures)
try:
from concurrent.futures import Future
from functools import wraps
except ImportError:
# Python 2.7 just won't have concurrent.futures, so we just declare threaded and wraps in order to
# avoid NameError
def threaded(fn):
"""
Simple placeholder for python 2.7
"""
return fn
def wraps(fn):
"""
Simple placeholder for python 2.7
"""
return fn
# Python 2.7 compat fixes (no FileNotFoundError class)
try:
# pylint: disable=E0601 (used-before-assignment)
FileNotFoundError
except NameError:
# pylint: disable=W0622 (redefined-builtin)
FileNotFoundError = IOError
# python <= 3.3 compat fixes (missing TimeoutExpired class)
try:
TimeoutExpired = subprocess.TimeoutExpired
except AttributeError:
class TimeoutExpired(BaseException):
"""
Basic redeclaration when subprocess.TimeoutExpired does not exist, python <= 3.3
"""
def __init__(self, cmd, timeout, output=None, stderr=None, *args, **kwargs):
self.cmd = cmd
self.timeout = timeout
self.output = output
self.stderr = stderr
super().__init__(*args, **kwargs)
def __str__(self):
return "Command '%s' timed out after %s seconds" % (self.cmd, self.timeout)
@property
def stdout(self):
return self.output
@stdout.setter
def stdout(self, value):
# There's no obvious reason to set this, but allow it anyway so
# .stdout is a transparent alias for .output
self.output = value
class InterruptGetOutput(BaseException):
"""
Make sure we get the current output when process is stopped mid-execution
"""
def __init__(self, output, *args, **kwargs):
self._output = output
super().__init__(*args, **kwargs)
@property
def output(self):
return self._output
class KbdInterruptGetOutput(InterruptGetOutput):
"""
Make sure we get the current output when KeyboardInterrupt is made
"""
def __init__(self, output, *args, **kwargs):
self._output = output
super().__init__(output, *args, **kwargs)
@property
def output(self):
return self._output
class StopOnInterrupt(InterruptGetOutput):
"""
Make sure we get the current output when optional stop_on function execution returns True
"""
def __init__(self, output, *args, **kwargs):
self._output = output
super().__init__(output, *args, **kwargs)
@property
def output(self):
return self._output
### BEGIN DIRECT IMPORT FROM ofunctions.threading
def call_with_future(fn, future, args, kwargs):
"""
Threading a function with return info using Future
from https://stackoverflow.com/a/19846691/2635443
Example:
@threaded
def somefunc(arg):
return 'arg was %s' % arg
thread = somefunc('foo')
while thread.done() is False:
time.sleep(1)
print(thread.result())
"""
try:
result = fn(*args, **kwargs)
future.set_result(result)
except Exception as exc:
future.set_exception(exc)
# pylint: disable=E0102 (function-redefined)
def threaded(fn):
"""
@threaded wrapper in order to thread any function
@wraps decorator sole purpose is for function.__name__ to be the real function
instead of 'wrapper'
"""
@wraps(fn)
def wrapper(*args, **kwargs):
if kwargs.pop("__no_threads", False):
return fn(*args, **kwargs)
future = Future()
thread = threading.Thread(
target=call_with_future, args=(fn, future, args, kwargs)
)
thread.daemon = True
thread.start()
return future
return wrapper
### END DIRECT IMPORT FROM ofunctions.threading
logger = getLogger(__intname__)
PIPE = subprocess.PIPE
def _set_priority(
pid, # type: int
priority, # type: Union[int, str]
priority_type, # type: str
):
"""
Set process and / or io priorities
Since Windows and Linux use different possible values, let's simplify things by allowing 3 prioriy types
"""
priority = priority.lower()
if priority_type == "process":
if isinstance(priority, int) and os.name != "nt" and -20 <= priority <= 20:
raise ValueError("Bogus process priority int given: {}".format(priority))
if priority not in ["low", "normal", "high"]:
raise ValueError(
"Bogus {} priority given: {}".format(priority_type, priority)
)
if priority_type == "io" and priority not in ["low", "normal", "high"]:
raise ValueError("Bogus {} priority given: {}".format(priority_type, priority))
if os.name == "nt":
priorities = {
"process": {
"low": BELOW_NORMAL_PRIORITY_CLASS,
"normal": NORMAL_PRIORITY_CLASS,
"high": HIGH_PRIORITY_CLASS,
},
"io": {"low": IOPRIO_LOW, "normal": IOPRIO_NORMAL, "high": IOPRIO_HIGH},
}
else:
priorities = {
"process": {"low": 15, "normal": 0, "high": -15},
"io": {
"low": IOPRIO_CLASS_IDLE,
"normal": IOPRIO_CLASS_BE,
"high": IOPRIO_CLASS_RT,
},
}
if priority_type == "process":
# Allow direct priority nice settings under linux
if isinstance(priority, int):
_priority = priority
else:
_priority = priorities[priority_type][priority]
psutil.Process(pid).nice(_priority)
elif priority_type == "io":
psutil.Process(pid).ionice(priorities[priority_type][priority])
else:
raise ValueError("Bogus priority type given.")
def set_priority(
pid, # type: int
priority, # type: Union[int, str]
):
"""
Shorthand for _set_priority
"""
_set_priority(pid, priority, "process")
def set_io_priority(
pid, # type: int
priority, # type: str
):
"""
Shorthand for _set_priority
"""
_set_priority(pid, priority, "io")
def to_encoding(
process_output, # type: Union[str, bytes]
encoding, # type: Optional[str]
errors, # type: str
):
# type: (...) -> str
"""
Convert bytes output to string and handles conversion errors
Varation of ofunctions.string_handling.safe_string_convert
"""
if not encoding:
return process_output
# Compatibility for earlier Python versions where Popen has no 'encoding' nor 'errors' arguments
if isinstance(process_output, bytes):
try:
process_output = process_output.decode(encoding, errors=errors)
except TypeError:
try:
# handle TypeError: don't know how to handle UnicodeDecodeError in error callback
process_output = process_output.decode(encoding, errors="ignore")
except (ValueError, TypeError):
# What happens when str cannot be concatenated
logger.error("Output cannot be captured {}".format(process_output))
elif process_output is None:
# We deal with strings. Alter output string to avoid NoneType errors
process_output = ""
return process_output
def kill_childs_mod(
pid=None, # type: int
itself=False, # type: bool
soft_kill=False, # type: bool
):
# type: (...) -> bool
"""
Inline version of ofunctions.kill_childs that has no hard dependency on psutil
Kills all childs of pid (current pid can be obtained with os.getpid())
If no pid given current pid is taken
Good idea when using multiprocessing, is to call with atexit.register(ofunctions.kill_childs, os.getpid(),)
Beware: MS Windows does not maintain a process tree, so child dependencies are computed on the fly
Knowing this, orphaned processes (where parent process died) cannot be found and killed this way
Prefer using process.send_signal() in favor of process.kill() to avoid race conditions when PID was reused too fast
:param pid: Which pid tree we'll kill
:param itself: Should parent be killed too ?
"""
sig = None
### BEGIN COMMAND_RUNNER MOD
if "psutil" not in sys.modules:
logger.error(
"No psutil module present. Can only kill direct pids, not child subtree."
)
if "signal" not in sys.modules:
logger.error(
"No signal module present. Using direct psutil kill API which might have race conditions when PID is reused too fast."
)
else:
"""
Warning: There are only a couple of signals supported on Windows platform
Extract from signal.valid_signals():
Windows / Python 3.9-64
{<Signals.SIGINT: 2>, <Signals.SIGILL: 4>, <Signals.SIGFPE: 8>, <Signals.SIGSEGV: 11>, <Signals.SIGTERM: 15>, <Signals.SIGBREAK: 21>, <Signals.SIGABRT: 22>}
Linux / Python 3.8-64
{<Signals.SIGHUP: 1>, <Signals.SIGINT: 2>, <Signals.SIGQUIT: 3>, <Signals.SIGILL: 4>, <Signals.SIGTRAP: 5>, <Signals.SIGABRT: 6>, <Signals.SIGBUS: 7>, <Signals.SIGFPE: 8>, <Signals.SIGKILL: 9>, <Signals.SIGUSR1: 10>, <Signals.SIGSEGV: 11>, <Signals.SIGUSR2: 12>, <Signals.SIGPIPE: 13>, <Signals.SIGALRM: 14>, <Signals.SIGTERM: 15>, 16, <Signals.SIGCHLD: 17>, <Signals.SIGCONT: 18>, <Signals.SIGSTOP: 19>, <Signals.SIGTSTP: 20>, <Signals.SIGTTIN: 21>, <Signals.SIGTTOU: 22>, <Signals.SIGURG: 23>, <Signals.SIGXCPU: 24>, <Signals.SIGXFSZ: 25>, <Signals.SIGVTALRM: 26>, <Signals.SIGPROF: 27>, <Signals.SIGWINCH: 28>, <Signals.SIGIO: 29>, <Signals.SIGPWR: 30>, <Signals.SIGSYS: 31>, <Signals.SIGRTMIN: 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, <Signals.SIGRTMAX: 64>}
A ValueError will be raised in any other case. Note that not all systems define the same set of signal names;
an AttributeError will be raised if a signal name is not defined as SIG* module level constant.
"""
try:
if not soft_kill and hasattr(signal, "SIGKILL"):
# Don't bother to make pylint go crazy on Windows
# pylint: disable=E1101
sig = signal.SIGKILL
else:
sig = signal.SIGTERM
except NameError:
sig = None
### END COMMAND_RUNNER MOD
def _process_killer(
process, # type: Union[subprocess.Popen, psutil.Process]
sig, # type: signal.valid_signals
soft_kill, # type: bool
):
# (...) -> None
"""
Simple abstract process killer that works with signals in order to avoid reused PID race conditions
and can prefers using terminate than kill
"""
if sig:
try:
process.send_signal(sig)
# psutil.NoSuchProcess might not be available, let's be broad
# pylint: disable=W0703
except Exception:
pass
else:
if soft_kill:
process.terminate()
else:
process.kill()
try:
current_process = psutil.Process(pid)
# psutil.NoSuchProcess might not be available, let's be broad
# pylint: disable=W0703
except Exception:
if itself:
### BEGIN COMMAND_RUNNER MOD
try:
os.kill(
pid, 15
) # 15 being signal.SIGTERM or SIGKILL depending on the platform
except OSError as exc:
if os.name == "nt":
# We'll do an ugly hack since os.kill() has some pretty big caveats on Windows
# especially for Python 2.7 where we can get Access Denied
os.system("taskkill /F /pid {}".format(pid))
else:
logger.error(
"Could not properly kill process with pid {}: {}".format(
pid,
to_encoding(exc.__str__(), "utf-8", "backslashreplace"),
)
)
raise
### END COMMAND_RUNNER MOD
return False
else:
for child in current_process.children(recursive=True):
_process_killer(child, sig, soft_kill)
if itself:
_process_killer(current_process, sig, soft_kill)
return True
def command_runner(
command, # type: Union[str, List[str]]
valid_exit_codes=False, # type: Union[List[int], bool]
timeout=3600, # type: Optional[int]
shell=False, # type: bool
encoding=None, # type: Optional[Union[str, bool]]
stdin=None, # type: Optional[Union[int, str, Callable, queue.Queue]]
stdout=None, # type: Optional[Union[int, str, Callable, queue.Queue]]
stderr=None, # type: Optional[Union[int, str, Callable, queue.Queue]]
no_close_queues=False, # type: Optional[bool]
windows_no_window=False, # type: bool
live_output=False, # type: bool
method="monitor", # type: str
check_interval=0.05, # type: float
stop_on=None, # type: Callable
on_exit=None, # type: Callable
process_callback=None, # type: Callable
split_streams=False, # type: bool
silent=False, # type: bool
priority=None, # type: Union[int, str]
io_priority=None, # type: str
heartbeat=0, # type: int
**kwargs # type: Any
):
# type: (...) -> Union[Tuple[int, Optional[Union[bytes, str]]], Tuple[int, Optional[Union[bytes, str]], Optional[Union[bytes, str]]]]
"""
Unix & Windows compatible subprocess wrapper that handles output encoding and timeouts
Newer Python check_output already handles encoding and timeouts, but this one is retro-compatible
It is still recommended to set cp437 for windows and utf-8 for unix
Also allows a list of various valid exit codes (ie no error when exit code = arbitrary int)
command should be a list of strings, eg ['ping', '-c 2', '127.0.0.1']
command can also be a single string, ex 'ping -c 2 127.0.0.1' if shell=True or if os is Windows
Accepts all of subprocess.popen arguments
Whenever we can, we need to avoid shell=True in order to preserve better security
Avoiding shell=True involves passing absolute paths to executables since we don't have shell PATH environment
When no stdout option is given, we'll get output into the returned (exit_code, output) tuple
When stdout = filename or stderr = filename, we'll write output to the given file
live_output will poll the process for output and show it on screen (output may be non reliable, don't use it if
your program depends on the commands' stdout output)
windows_no_window will disable visible window (MS Windows platform only)
stop_on is an optional function that will stop execution if function returns True
priority and io_priority can be set to 'low', 'normal' or 'high'
priority may also be an int from -20 to 20 on Unix
heartbeat will log a line every heartbeat seconds informing that we're still alive
Returns a tuple (exit_code, output)
"""
# Choose default encoding when none set
# cp437 encoding assures we catch most special characters from cmd.exe
# Unless encoding=False in which case nothing gets encoded except Exceptions and logger strings for Python 2
error_encoding = "cp437" if os.name == "nt" else "utf-8"
if encoding is None:
encoding = error_encoding
# Fix when unix command was given as single string
# This is more secure than setting shell=True
if os.name == "posix":
if not shell and isinstance(command, str):
command = shlex.split(command)
elif shell and isinstance(command, list):
command = " ".join(command)
# Set default values for kwargs
errors = kwargs.pop(
"errors", "backslashreplace"
) # Don't let encoding issues make you mad
universal_newlines = kwargs.pop("universal_newlines", False)
creationflags = kwargs.pop("creationflags", 0)
# subprocess.CREATE_NO_WINDOW was added in Python 3.7 for Windows OS only
if (
windows_no_window
and sys.version_info[0] >= 3
and sys.version_info[1] >= 7
and os.name == "nt"
):
# Disable the following pylint error since the code also runs on nt platform, but
# triggers an error on Unix
# pylint: disable=E1101
creationflags = creationflags | subprocess.CREATE_NO_WINDOW
close_fds = kwargs.pop("close_fds", "posix" in sys.builtin_module_names)
# Default buffer size. line buffer (1) is deprecated in Python 3.7+
bufsize = kwargs.pop("bufsize", 16384)
# Decide whether we write to output variable only (stdout=None), to output variable and stdout (stdout=PIPE)
# or to output variable and to file (stdout='path/to/file')
if stdout is None:
_stdout = PIPE
stdout_destination = "pipe"
elif callable(stdout):
_stdout = PIPE
stdout_destination = "callback"
elif isinstance(stdout, queue.Queue):
_stdout = PIPE
stdout_destination = "queue"
elif isinstance(stdout, str):
# We will send anything to file
_stdout = open(stdout, "wb")
stdout_destination = "file"
elif stdout is False:
# Python 2.7 does not have subprocess.DEVNULL, hence we need to use a file descriptor
try:
_stdout = subprocess.DEVNULL
except AttributeError:
_stdout = PIPE
stdout_destination = None
else:
# We will send anything to given stdout pipe
_stdout = stdout
stdout_destination = "pipe"
# The only situation where we don't add stderr to stdout is if a specific target file was given
if callable(stderr):
_stderr = PIPE
stderr_destination = "callback"
elif isinstance(stderr, queue.Queue):
_stderr = PIPE
stderr_destination = "queue"
elif isinstance(stderr, str):
_stderr = open(stderr, "wb")
stderr_destination = "file"
elif stderr is False:
try:
_stderr = subprocess.DEVNULL
except AttributeError:
_stderr = PIPE
stderr_destination = None
elif stderr is not None:
_stderr = stderr
stderr_destination = "pipe"
# Automagically add a pipe so we are sure not to redirect to stdout
elif split_streams:
_stderr = PIPE
stderr_destination = "pipe"
else:
_stderr = subprocess.STDOUT
stderr_destination = "stdout"
def _read_pipe(
stream, # type: io.StringIO
output_queue, # type: queue.Queue
):
# type: (...) -> None
"""
will read from subprocess.PIPE
Must be threaded since readline() might be blocking on Windows GUI apps
Partly based on https://stackoverflow.com/a/4896288/2635443
"""
# WARNING: Depending on the stream type (binary or text), the sentinel character
# needs to be of the same type, or the iterator won't have an end
# We also need to check that stream has readline, in case we're writing to files instead of PIPE
# Another magnificient python 2.7 fix
# So we need to convert sentinel_char which would be unicode because of unicode_litterals
# to str which is the output format from stream.readline()
if hasattr(stream, "readline"):
sentinel_char = str("") if hasattr(stream, "encoding") else b""
for line in iter(stream.readline, sentinel_char):
output_queue.put(line)
output_queue.put(None)
stream.close()
def _get_error_output(output_stdout, output_stderr):
"""
Try to concatenate output for exceptions if possible
"""
try:
return output_stdout + output_stderr
except TypeError:
if output_stdout:
return output_stdout
if output_stderr:
return output_stderr
return None
def _heartbeat_thread(
process, # type: Union[subprocess.Popen[str], subprocess.Popen]
heartbeat, # type: int
):
begin_time = datetime.now()
while True:
elapsed_time = int((datetime.now() - begin_time).total_seconds())
if elapsed_time > heartbeat and elapsed_time % heartbeat == 0:
logger.info("Still running command after %s seconds" % elapsed_time)
if process.poll() is not None:
break
sleep(1)
def _poll_process(
process, # type: Union[subprocess.Popen[str], subprocess.Popen]
timeout, # type: int
encoding, # type: str
errors, # type: str
):
# type: (...) -> Union[Tuple[int, Optional[str]], Tuple[int, Optional[str], Optional[str]]]
"""
Process stdout/stderr output polling is only used in live output mode
since it takes more resources than using communicate()
Reads from process output pipe until:
- Timeout is reached, in which case we'll terminate the process
- Process ends by itself
Returns an encoded string of the pipe output
"""
def __check_timeout(
begin_time, # type: datetime.timestamp
timeout, # type: int
):
# type: (...) -> None
"""
Simple subfunction to check whether timeout is reached
Since we check this alot, we put it into a function
"""
if timeout and (datetime.now() - begin_time).total_seconds() > timeout:
kill_childs_mod(process.pid, itself=True, soft_kill=False)
raise TimeoutExpired(
process, timeout, _get_error_output(output_stdout, output_stderr)
)
if stop_on and stop_on():
kill_childs_mod(process.pid, itself=True, soft_kill=False)
raise StopOnInterrupt(_get_error_output(output_stdout, output_stderr))
begin_time = datetime.now()
if heartbeat:
heartbeat_thread = threading.Thread(
target=_heartbeat_thread,
args=(
process,
heartbeat,
),
)
heartbeat_thread.daemon = True
heartbeat_thread.start()
if encoding is False:
output_stdout = output_stderr = b""
else:
output_stdout = output_stderr = ""
try:
if stdout_destination is not None:
stdout_read_queue = True
stdout_queue = queue.Queue()
stdout_read_thread = threading.Thread(
target=_read_pipe, args=(process.stdout, stdout_queue)
)
stdout_read_thread.daemon = True # thread dies with the program
stdout_read_thread.start()
else:
stdout_read_queue = False
# Don't bother to read stderr if we redirect to stdout
if stderr_destination not in ["stdout", None]:
stderr_read_queue = True
stderr_queue = queue.Queue()
stderr_read_thread = threading.Thread(
target=_read_pipe, args=(process.stderr, stderr_queue)
)
stderr_read_thread.daemon = True # thread dies with the program
stderr_read_thread.start()
else:
stderr_read_queue = False
while stdout_read_queue or stderr_read_queue:
if stdout_read_queue:
try:
line = stdout_queue.get(timeout=check_interval)
except queue.Empty:
pass
else:
if line is None:
stdout_read_queue = False
else:
line = to_encoding(line, encoding, errors)
if stdout_destination == "callback":
stdout(line)
if stdout_destination == "queue":
stdout.put(line)
if live_output:
sys.stdout.write(line)
output_stdout += line
if stderr_read_queue:
try:
line = stderr_queue.get(timeout=check_interval)
except queue.Empty:
pass
else:
if line is None:
stderr_read_queue = False
else:
line = to_encoding(line, encoding, errors)
if stderr_destination == "callback":
stderr(line)
if stderr_destination == "queue":
stderr.put(line)
if live_output:
sys.stderr.write(line)
if split_streams:
output_stderr += line
else:
output_stdout += line
__check_timeout(begin_time, timeout)
# Make sure we wait for the process to terminate, even after
# output_queue has finished sending data, so we catch the exit code
while process.poll() is None:
__check_timeout(begin_time, timeout)
# Additional timeout check to make sure we don't return an exit code from processes
# that were killed because of timeout
__check_timeout(begin_time, timeout)
exit_code = process.poll()
if split_streams:
return exit_code, output_stdout, output_stderr
return exit_code, output_stdout
except KeyboardInterrupt:
raise KbdInterruptGetOutput(_get_error_output(output_stdout, output_stderr))
def _timeout_check_thread(
process, # type: Union[subprocess.Popen[str], subprocess.Popen]
timeout, # type: int
must_stop, # type dict
):
# type: (...) -> None
"""
Since elder python versions don't have timeout, we need to manually check the timeout for a process
when working in process monitor mode
"""
begin_time = datetime.now()
while True:
if timeout and (datetime.now() - begin_time).total_seconds() > timeout:
kill_childs_mod(process.pid, itself=True, soft_kill=False)
must_stop["value"] = "T" # T stands for TIMEOUT REACHED
break
if stop_on and stop_on():
kill_childs_mod(process.pid, itself=True, soft_kill=False)
must_stop["value"] = "S" # S stands for STOP_ON RETURNED TRUE
break
if process.poll() is not None:
break
# We definitly need some sleep time here or else we will overload CPU
sleep(check_interval)
def _monitor_process(
process, # type: Union[subprocess.Popen[str], subprocess.Popen]
timeout, # type: int
encoding, # type: str
errors, # type: str
):
# type: (...) -> Union[Tuple[int, Optional[str]], Tuple[int, Optional[str], Optional[str]]]
"""
Create a thread in order to enforce timeout or a stop_on condition
Get stdout output and return it
"""
# Shared mutable objects have proven to have race conditions with PyPy 3.7 (mutable object
# is changed in thread, but outer monitor function has still old mutable object state)
# Strangely, this happened only sometimes on github actions/ubuntu 20.04.3 & pypy 3.7
# Just make sure the thread is done before using mutable object
must_stop = {"value": False}
thread = threading.Thread(
target=_timeout_check_thread,
args=(process, timeout, must_stop),
)
thread.daemon = True # was setDaemon(True) which has been deprecated
thread.start()
if heartbeat:
heartbeat_thread = threading.Thread(
target=_heartbeat_thread,
args=(
process,
heartbeat,
),
)
heartbeat_thread.daemon = True
heartbeat_thread.start()
if encoding is False:
output_stdout = output_stderr = b""
output_stdout_end = output_stderr_end = b""
else:
output_stdout = output_stderr = ""
output_stdout_end = output_stderr_end = ""
try:
# Don't use process.wait() since it may deadlock on old Python versions
# Also it won't allow communicate() to get incomplete output on timeouts
while process.poll() is None:
if must_stop["value"]:
break
# We still need to use process.communicate() in this loop so we don't get stuck
# with poll() is not None even after process is finished, when using shell=True
# Behavior validated on python 3.7
try:
output_stdout, output_stderr = process.communicate()
# ValueError is raised on closed IO file
except (TimeoutExpired, ValueError):
pass
exit_code = process.poll()
try:
output_stdout_end, output_stderr_end = process.communicate()
except (TimeoutExpired, ValueError):
pass
# Fix python 2.7 first process.communicate() call will have output whereas other python versions
# will give output in second process.communicate() call
if output_stdout_end and len(output_stdout_end) > 0:
output_stdout = output_stdout_end
if output_stderr_end and len(output_stderr_end) > 0:
output_stderr = output_stderr_end
if split_streams:
if stdout_destination is not None:
output_stdout = to_encoding(output_stdout, encoding, errors)
if stderr_destination is not None:
output_stderr = to_encoding(output_stderr, encoding, errors)
else:
if stdout_destination is not None:
output_stdout = to_encoding(output_stdout, encoding, errors)
# On PyPy 3.7 only, we can have a race condition where we try to read the queue before
# the thread could write to it, failing to register a timeout.
# This workaround prevents reading the mutable object while the thread is still alive
while thread.is_alive():
sleep(check_interval)
if must_stop["value"] == "T":
raise TimeoutExpired(
process, timeout, _get_error_output(output_stdout, output_stderr)
)
if must_stop["value"] == "S":
raise StopOnInterrupt(_get_error_output(output_stdout, output_stderr))
if split_streams:
return exit_code, output_stdout, output_stderr
return exit_code, output_stdout
except KeyboardInterrupt:
raise KbdInterruptGetOutput(_get_error_output(output_stdout, output_stderr))
# After all the stuff above, here's finally the function main entry point
output_stdout = output_stderr = None
try:
# Don't allow monitor method when stdout or stderr is callback/queue redirection (makes no sense)
if method == "monitor" and (
stdout_destination
in [
"callback",
"queue",
]
or stderr_destination in ["callback", "queue"]
):
raise ValueError(
'Cannot use callback or queue destination in monitor mode. Please use method="poller" argument.'
)
# Finally, we won't use encoding & errors arguments for Popen
# since it would defeat the idea of binary pipe reading in live mode
# Python >= 3.3 has SubProcessError(TimeoutExpired) class
# Python >= 3.6 has encoding & error arguments
# universal_newlines=True makes netstat command fail under windows
# timeout does not work under Python 2.7 with subprocess32 < 3.5
# decoder may be cp437 or unicode_escape for dos commands or utf-8 for powershell
# Disabling pylint error for the same reason as above
# pylint: disable=E1123
if sys.version_info >= (3, 6):
process = subprocess.Popen(
command,
stdin=stdin,
stdout=_stdout,
stderr=_stderr,
shell=shell,
universal_newlines=universal_newlines,
encoding=encoding if encoding is not False else None,
errors=errors if encoding is not False else None,
creationflags=creationflags,
bufsize=bufsize, # 1 = line buffered
close_fds=close_fds,
**kwargs
)
else:
process = subprocess.Popen(
command,
stdin=stdin,
stdout=_stdout,
stderr=_stderr,
shell=shell,
universal_newlines=universal_newlines,
creationflags=creationflags,
bufsize=bufsize,
close_fds=close_fds,
**kwargs
)
# Set process priority if given
if priority:
try:
try:
set_priority(process.pid, priority)
except psutil.AccessDenied as exc:
logger.warning(
"Cannot set process priority {}. Access denied.".format(exc)
)
logger.debug("Trace:", exc_info=True)
except Exception as exc:
logger.warning("Cannot set process priority: {}".format(exc))
logger.debug("Trace:", exc_info=True)
except NameError:
logger.warning(
"Cannot set process priority. No psutil module installed."
)
logger.debug("Trace:", exc_info=True)
# Set io priority if given
if io_priority:
try:
try:
set_io_priority(process.pid, io_priority)
except psutil.AccessDenied as exc:
logger.warning(
"Cannot set io priority for process {}: access denied.".format(
exc
)
)
logger.debug("Trace:", exc_info=True)
except Exception as exc:
logger.warning("Cannot set io priority: {}".format(exc))
logger.debug("Trace:", exc_info=True)
raise
except NameError:
logger.warning("Cannot set io priority. No psutil module installed.")
try:
# let's return process information if callback was given
if callable(process_callback):
process_callback(process)
if method == "poller" or live_output and _stdout is not False:
if split_streams:
exit_code, output_stdout, output_stderr = _poll_process(
process, timeout, encoding, errors
)
else:
exit_code, output_stdout = _poll_process(
process, timeout, encoding, errors
)
elif method == "monitor":
if split_streams:
exit_code, output_stdout, output_stderr = _monitor_process(
process, timeout, encoding, errors
)
else:
exit_code, output_stdout = _monitor_process(
process, timeout, encoding, errors
)
else:
raise ValueError("Unknown method {} provided.".format(method))
except KbdInterruptGetOutput as exc:
exit_code = -252
output_stdout = "KeyboardInterrupted. Partial output\n{}".format(exc.output)
try:
kill_childs_mod(process.pid, itself=True, soft_kill=False)
except AttributeError:
pass
if stdout_destination == "file" and output_stdout:
_stdout.write(output_stdout.encode(encoding, errors=errors))
if stderr_destination == "file" and output_stderr:
_stderr.write(output_stderr.encode(encoding, errors=errors))
elif stdout_destination == "file" and output_stderr:
_stdout.write(output_stderr.encode(encoding, errors=errors))
logger.debug(
'Command "{}" returned with exit code "{}". Command output was:\n{}'.format(
command, exit_code, to_encoding(output_stdout, error_encoding, errors)
)
)
except subprocess.CalledProcessError as exc:
exit_code = exc.returncode
try:
output_stdout = exc.output
except AttributeError:
output_stdout = "command_runner: Could not obtain output from command."
logger_fn = logger.error
valid_exit_codes_msg = ""
if valid_exit_codes:
if valid_exit_codes is True or exit_code in valid_exit_codes:
logger_fn = logger.info
valid_exit_codes_msg = " allowed"
if not silent:
logger_fn(
'Command "{}" failed with{} exit code "{}". Command output was:'.format(
command,
valid_exit_codes_msg,
exc.returncode,
)
)
logger_fn(output_stdout)
except FileNotFoundError as exc:
message = 'Command "{}" failed, file not found: {}'.format(
command, to_encoding(exc.__str__(), error_encoding, errors)
)
if not silent:
logger.error(message)
if stdout_destination == "file":
_stdout.write(message.encode(error_encoding, errors=errors))
exit_code, output_stdout = (-253, message)
# On python 2.7, OSError is also raised when file is not found (no FileNotFoundError)
# pylint: disable=W0705 (duplicate-except)
except (OSError, IOError) as exc:
message = 'Command "{}" failed because of OS: {}'.format(
command, to_encoding(exc.__str__(), error_encoding, errors)
)
if not silent:
logger.error(message)
if stdout_destination == "file":
_stdout.write(message.encode(error_encoding, errors=errors))
exit_code, output_stdout = (-253, message)
except TimeoutExpired as exc:
message = 'Timeout {} seconds expired for command "{}" execution. Original output was: {}'.format(
timeout, command, to_encoding(exc.output, error_encoding, errors)[-1000:]
)
if not silent:
logger.error(message)
if stdout_destination == "file":
_stdout.write(message.encode(error_encoding, errors=errors))
exit_code, output_stdout = (-254, message)
except StopOnInterrupt as exc:
message = "Command {} was stopped because stop_on function returned True. Original output was: {}".format(
command, to_encoding(exc.output, error_encoding, errors)[-1000:]
)
if not silent:
logger.info(message)
if stdout_destination == "file":
_stdout.write(message.encode(error_encoding, errors=errors))
exit_code, output_stdout = (-251, message)
except ValueError as exc:
message = to_encoding(exc.__str__(), error_encoding, errors)
if not silent:
logger.error(message, exc_info=True)
if stdout_destination == "file":
_stdout.write(message)
exit_code, output_stdout = (-250, message)
# We need to be able to catch a broad exception
# pylint: disable=W0703
except Exception as exc:
if not silent:
logger.error(
'Command "{}" failed for unknown reasons: {}'.format(
command, to_encoding(exc.__str__(), error_encoding, errors)
),
exc_info=True,
)
exit_code, output_stdout = (
-255,
to_encoding(exc.__str__(), error_encoding, errors),
)
finally:
if stdout_destination == "file":
_stdout.close()
if stderr_destination == "file":
_stderr.close()
stdout_output = to_encoding(output_stdout, error_encoding, errors)
if stdout_output:
logger.debug("STDOUT: " + stdout_output)
if stderr_destination not in ["stdout", None]:
stderr_output = to_encoding(output_stderr, error_encoding, errors)
if stderr_output:
logger.debug("STDERR: " + stderr_output)
# Make sure we send a simple queue end before leaving to make sure any queue read process will stop regardless
# of command_runner state (useful when launching with queue and method poller which isn't supposed to write queues)
if not no_close_queues:
if stdout_destination == "queue":
stdout.put(None)
if stderr_destination == "queue":
stderr.put(None)
# With polling, we return None if nothing has been send to the queues
# With monitor, process.communicate() will result in '' even if nothing has been sent
# Let's fix this here
# Python 2.7 will return False to u'' == '' (UnicodeWarning: Unicode equal comparison failed)
# so we have to make the following statement
if stdout_destination is None or (
output_stdout is not None and len(output_stdout) == 0
):
output_stdout = None
if stderr_destination is None or (
output_stderr is not None and len(output_stderr) == 0
):
output_stderr = None
if on_exit:
logger.debug("Running on_exit callable.")
on_exit()
if split_streams:
return exit_code, output_stdout, output_stderr
return exit_code, _get_error_output(output_stdout, output_stderr)
if sys.version_info[0] >= 3:
@threaded
def command_runner_threaded(*args, **kwargs):
"""
Threaded version of command_runner_threaded which returns concurrent.Future result
Not available for Python 2.7
"""
return command_runner(*args, **kwargs)
def deferred_command(command, defer_time=300):
# type: (str, int) -> None
"""
This is basically an ugly hack to launch commands which are detached from parent process
Especially useful to launch an auto update/deletion of a running executable after a given amount of
seconds after it finished
"""
# Use ping as a standard timer in shell since it's present on virtually *any* system
if os.name == "nt":
deferrer = "ping 127.0.0.1 -n {} > NUL & ".format(defer_time)
else:
deferrer = "sleep {} && ".format(defer_time)
# We'll create a independent shell process that will not be attached to any stdio interface
# Our command shall be a single string since shell=True
subprocess.Popen(
deferrer + command,
shell=True,
stdin=None,
stdout=None,
stderr=None,
close_fds=True,
)
|