Suby is a small wrapper around the subprocess module. You can find many similar wrappers, but this particular one differs from the others in the following ways:
- Beautiful minimalistic call syntax.
- Ability to specify your callbacks to catch
stdoutandstderr. - Support for cancellation tokens.
- Ability to set timeouts for subprocesses.
- Efficient event-driven process waiting using
pidfd(Linux) andkqueue(macOS). - Logging of command execution.
- Quick start
- Run subprocess and look at the result
- Command parsing
- Output
- Logging
- Exceptions
- Working with Cancellation Tokens
- Timeouts
Install it:
pip install subyAnd use it:
from suby import run
run('python -c "print(\'hello, world!\')"')
# > hello, world!You can also quickly try out this and other packages without installing them, using instld.
Import the run function like this:
from suby import runLet's try to call it:
result = run('python -c "print(\'hello, world!\')"')
print(result)
# > SubprocessResult(id='e9f2d29acb4011ee8957320319d7541c', stdout='hello, world!\n', stderr='', returncode=0, killed_by_token=False)It returns an object of the SubprocessResult class, which contains the following fields:
- id: a unique string that allows you to distinguish one result of calling the same command from another.
- stdout: a string containing the entire output of the command being run.
- stderr: a string containing the entire stderr output of the command being run. If the subprocess fails to start at all, this field remains empty because no process stderr existed yet.
- returncode: an integer indicating the return code of the subprocess.
0means that the process was completed successfully; other values usually indicate an error. - killed_by_token: a boolean flag indicating whether the subprocess was killed due to token cancellation.
suby always builds an argument list for subprocess. By default, every string positional argument is split with shlex, and the resulting parts are concatenated.
The contract is:
str: split withshlexPath: converted tostrwithout splittingsplit=False: disable splitting for all string arguments
Examples:
run('python -c "print(\'hello, world!\')"')
run('python', '-c "print(777)"')Path arguments are passed through unchanged except for string conversion:
import sys
from pathlib import Path
run(Path(sys.executable), '-c print(777)')If you pass split=False, you must provide arguments in their final form:
run('python', '-c', 'print(777)', split=False)The shlex module operates in POSIX mode, which means it treats the backslash (\) as an escape character. This is problematic on Windows, where backslashes are used as path separators — shlex would silently eat them.
To work around this, suby automatically doubles all backslashes in command strings before passing them to shlex on Windows. This is controlled by the double_backslash parameter, which defaults to True on Windows and False on other platforms:
# On Windows, backslashes in paths are preserved by default:
run(r'C:\Python\python.exe -c pass')
# You can disable this behavior:
run(r'C:\Python\python.exe -c pass', double_backslash=False)
# Or enable it on non-Windows platforms:
run(r'path\to\executable -c pass', double_backslash=True)Note that this only affects string arguments that go through shlex splitting. Path objects and arguments passed with split=False are not affected.
By default, the stdout and stderr of the subprocess are forwarded to the stdout and stderr of the current process. Reading from the subprocess is continuous, and output is flushed each time a full line is read. suby reads stdout and stderr in separate threads so that neither stream blocks the other.
You can override the output functions for stdout and stderr. To do this, you need to pass functions accepting a string as an argument via the stdout_callback and stderr_callback parameters, respectively. For example, you can color the output (the code example uses the termcolor library):
from termcolor import colored
def my_new_stdout(string: str) -> None:
print(colored(string, 'red'), end='')
run('python -c "print(\'hello, world!\')"', stdout_callback=my_new_stdout)
# > hello, world!
# You can't see it here, but if you run this code yourself, the output in the console will be red!You can also completely disable the output by passing True as the catch_output parameter:
run('python -c "print(\'hello, world!\')"', catch_output=True)
# There's nothing here.If you specify catch_output=True, even if you have also defined custom callback functions, they will not be called. In addition, suby always returns the result of executing the command, containing the full output. The catch_output argument can suppress only the output, but it does not prevent the buffering of output.
Notes about concurrent output
When the subprocess is canceled or interrupted because a callback raises an exception, the collected stdout and stderr may contain only the output that was read before termination. If both streams are active at the same time, some trailing output may or may not be captured depending on timing.
By default, suby does not log command execution. However, you can pass a logger object to run, and in this case messages will be logged at the start and end of command execution:
import logging
logging.basicConfig(
level=logging.INFO,
format="%(asctime)s [%(levelname)s] %(message)s",
handlers=[
logging.StreamHandler(),
]
)
run('python -c pass', logger=logging.getLogger('logger_name'))
# > 2024-02-22 02:15:08,155 [INFO] The beginning of the execution of the command "python -c pass".
# > 2024-02-22 02:15:08,190 [INFO] The command "python -c pass" has been successfully executed.The message about the start of the command execution is always logged at the INFO level. If the command is completed successfully, the completion message will also be at the INFO level. If the command fails, it will be at the ERROR level:
run('python -c "raise ValueError"', logger=logging.getLogger('logger_name'), catch_exceptions=True, catch_output=True)
# > 2024-02-22 02:20:25,549 [INFO] The beginning of the execution of the command "python -c "raise ValueError"".
# > 2024-02-22 02:20:25,590 [ERROR] Error when executing the command "python -c "raise ValueError"".If you don't need these details, simply omit the logger argument.
If you still prefer logging, you can use any object that implements the logger protocol from the emptylog library, including ones from third-party libraries.
If the subprocess cannot be started at all, suby logs a startup-specific message via logger.exception(...). For example, a missing executable is logged as The executable for the command "definitely_missing_command" was not found.. Permission and other operating-system startup failures have dedicated startup messages too.
By default, suby raises exceptions in four cases:
- If the command exits with a return code not equal to
0. In this case, aRunningCommandErrorexception will be raised:
from suby import run, RunningCommandError
try:
run('python -c 1/0')
except RunningCommandError as e:
print(e)
# > Error when executing the command "python -c 1/0".- If the subprocess cannot be started,
subyraisesRunningCommandErrorwith a startup-specific message and chains the originalOSErroras__cause__. In this case, the attachedresult.stdoutandresult.stderrstay empty because the process never started:
from suby import run, RunningCommandError
try:
run('definitely_missing_command')
except RunningCommandError as e:
print(e)
# > The executable for the command "definitely_missing_command" was not found.
print(type(e.__cause__))
# > <class 'FileNotFoundError'>
print(e.result.stderr)
# >-
If you pass a cancellation token when calling the command, and the token is canceled, an exception will be raised corresponding to the type of the canceled token. This feature is integrated with the cantok library, so we recommend that you familiarize yourself with it first.
-
If a timeout you set for the operation expires.
You can prevent suby from raising these exceptions. To do this, set the catch_exceptions parameter to True:
result = run('python -c "import time; time.sleep(10_000)"', timeout=1, catch_exceptions=True)
print(result)
# > SubprocessResult(id='c9125b90d03111ee9660320319d7541c', stdout='', stderr='', returncode=-9, killed_by_token=True)Keep in mind that the full result of the subprocess call can also be found through the result attribute of any exception raised by suby:
from suby import run, TimeoutCancellationError
try:
run('python -c "import time; time.sleep(10_000)"', timeout=1)
except TimeoutCancellationError as e:
print(e.result)
# > SubprocessResult(id='a80dc26cd03211eea347320319d7541c', stdout='', stderr='', returncode=-9, killed_by_token=True)Notes about callback and token errors
If a custom stdout_callback, stderr_callback, or cancellation token raises its own exception, suby re-raises that exception and attaches the current SubprocessResult to its result attribute. The captured output may be partial.
If multiple failures happen concurrently, for example both callbacks raise at nearly the same time, suby raises the first one it observes. Which one that is may depend on timing.
If a callback raises after the subprocess has already exited, the exception is still propagated, but the attached result may contain a successful returncode.
If a timeout and another failure race with each other, the timeout may still win if it expires before a callback failure has been recorded. In that case, suby raises TimeoutCancellationError and the callback exception may not be observed.
If a token exception has already been recorded before the timeout path wins the race, suby keeps propagating that token exception instead.
In timeout-versus-callback races, whether the callback comes from stdout or stderr, the attached result.killed_by_token flag may be either True or False, depending on whether the timeout path marked the result before the callback failure path was handled.
If a timeout and a callback error happen almost at the same time, the exception you catch and the attached result may describe different parts of that race. For example, suby may re-raise the callback exception, but the attached result may still show that the subprocess was stopped by the timeout. This depends on timing.
suby is fully compatible with the cancellation token pattern and supports any token objects from the cantok library.
The essence of the pattern is that you can pass an object to suby that signals whether the operation should continue. If not, suby kills the subprocess. This pattern is especially useful for long-running or unpredictably slow commands. When the result becomes unnecessary, there is no point in sitting and waiting for the command to complete.
In practice, you can pass your cancellation tokens to suby. By default, canceling a token causes an exception to be raised:
from random import randint
from cantok import ConditionToken
token = ConditionToken(lambda: randint(1, 1000) == 7) # This token will be canceled when a random unlikely event occurs.
run('python -c "import time; time.sleep(10_000)"', token=token)
# > cantok.errors.ConditionCancellationError: The cancellation condition was satisfied.However, if you pass the catch_exceptions=True argument, the exception will not be raised (see Exceptions). Instead, you will get the usual result of calling run with the killed_by_token=True flag:
token = ConditionToken(lambda: randint(1, 1000) == 7)
print(run('python -c "import time; time.sleep(10_000)"', token=token, catch_exceptions=True))
# > SubprocessResult(id='e92ccd54d24b11ee8376320319d7541c', stdout='', stderr='', returncode=-9, killed_by_token=True)Under the hood, token state is checked while stdout and stderr are being read. When the token is canceled, the subprocess is killed.
You can set a timeout for suby. It must be a number greater than or equal to zero, which specifies the maximum number of seconds the subprocess is allowed to run. If the timeout expires before the subprocess completes, an exception will be raised:
run('python -c "import time; time.sleep(10_000)"', timeout=1)
# > cantok.errors.TimeoutCancellationError: The timeout of 1 seconds has expired.A timeout of 0 is valid and means that the subprocess will be canceled immediately if it has not already exited.
Under the hood, run uses TimeoutToken from the cantok library to track the timeout.
suby re-exports this exception:
from suby import run, TimeoutCancellationError
try:
run('python -c "import time; time.sleep(10_000)"', timeout=1)
except TimeoutCancellationError as e: # As you can see, TimeoutCancellationError is available in the suby module.
print(e)
# > The timeout of 1 seconds has expired.Just as with regular cancellation tokens, you can prevent exceptions from being raised using the catch_exceptions=True argument:
print(run('python -c "import time; time.sleep(10_000)"', timeout=1, catch_exceptions=True))
# > SubprocessResult(id='ea88c518d25011eeb25e320319d7541c', stdout='', stderr='', returncode=-9, killed_by_token=True)