Python utility for Tetra Task Scripts
Project description
ts-task-script-utils
Version
v2.1.0
Table of Contents
Summary
Utility functions for Tetra Task Scripts
Installation
pip install ts-task-script-utils
Usage
Parsing Numbers
from task_script_utils.parse import to_int
string_value = '1.0'
int_value = to_int(string_value)
# `int_value` now has the parsed value of the string
assert isinstance(int_value, int)
assert int_value == 1
# it returns `None` if the value is unparseable
string_value = 'not an int'
int_value = to_int(string_value)
assert int_value is None
Parsing Datetimes
[!WARNING] DEPRECATION Do not use the old datetime parsing functions:
convert_datetime_to_ts_formatfromtask_script_utils.convert_datetime_to_ts_formatparsefromtask_script_utils.datetime_parser
Use the DatetimeParser from task_script_utils.datetime_parser to parse datetimes.
DatetimeParser takes a list of formats used for parsing datetimes.
DatetimeParser does not infer the structure of a datetime string, formats must be provided.
DatetimeParser Usage
Using DatetimeParser with a list of formats
from task_script_utils.datetime_parser import DatetimeParser
datetime_parser = DatetimeParser(formats=["YYYY-MM-DD[T]hh:mm A Z"])
ts_formatted_datetime: str | None = datetime_parser.to_tsformat("2004-12-23T12:30 AM +05:30")
Using DatetimeParser with a timezone mapping and a list of formats
from task_script_utils.datetime_parser import DatetimeParser
formats = ["YYYY-MM-DD[T]hh:mm A zz"]
tz_dict = {"EST": "-05:00"}
datetime_parser = DatetimeParser(formats=formats, tz_dict=tz_dict)
ts_formatted_datetime: str | None = datetime_parser.to_tsformat("2004-12-23T12:30 AM EST")
If you need the TSDatetime object, you can use DatetimeParser.parse() -> TSDatetime.
TSDatetime gives access to TSDatetime.datetime which can be used as a regular python datetime object.
You can read more about the datetime parser here.
Generating Random UUIDs for Task Scripts
To generate standard and random UUIDs, Python's uuid module can be used (uuid1 for standard and uuid4 for random).
However, to get UUIDs that are reproducible for a given task script and input file, a custom UUID generator is provided:
task_script_utils.random.TaskScriptUUIDGenerator.
from pathlib import Path
from task_script_utils.random import TaskScriptUUIDGenerator
input_file = Path(...)
file_content = input_file.read_bytes()
rand = TaskScriptUUIDGenerator("common/my-task-script:v1.0.0", file_content)
# Get 3 random bytes:
random_bytes = rand.randbytes(3)
# Get a random UUID:
uuid = rand.uuid()
It's also possible to use a class method and provide the task script identifiers separately:
from pathlib import Path
from task_script_utils.random import TaskScriptUUIDGenerator
input_file = Path(...)
file_content = input_file.read_bytes()
rand = TaskScriptUUIDGenerator.from_task_script_identifier_parts("common", "my-task-script", "v1.0.0", file_content)
The class uses a pattern similar to the singleton pattern that allows to create an instance once and then "get the last created" instance later without passing the instance around.
This is achieved with the get_last_created method:
from pathlib import Path
from task_script_utils.random import TaskScriptUUIDGenerator
input_file = Path(...)
file_content = input_file.read_bytes()
rand1 = TaskScriptUUIDGenerator("common/my-task-script:v1.0.0", file_content)
rand2 = TaskScriptUUIDGenerator.get_last_created()
assert rand1 is rand2
If no instance has been created before, NoPreviouslyCreatedInstanceError will be raised.
Note that the arguments used to create a TaskScriptUUIDGenerator makes up the seed for the RNG and two instances made with the same seed will go through the same sequence of UUIDs.
That is usually unintentional in the context of a Task Script where the UUIDs should be unique.
from pathlib import Path
from task_script_utils.random import TaskScriptUUIDGenerator
input_file = Path(...)
file_content = input_file.read_bytes()
rand1 = TaskScriptUUIDGenerator("common/my-task-script:v1.0.0", file_content)
rand2 = TaskScriptUUIDGenerator("common/my-task-script:v1.0.0", file_content)
assert rand1.uuid() == rand2.uuid()
assert rand1.uuid() == rand2.uuid()
Using Python's logging module in Task Scripts
Task Scripts can write workflow logs which are visible to users on TDP, but only if the logs are written via the logger provided by the context object. The context logger is documented here: context.get_logger.
This utility is a wrapper for the context logger which allows Task Scripts to use Python's logging module for creating TDP workflow logs, instead of directly using the context logger object. This means the context logger object doesn't need to be passed around to each function which needs to do logging, and Task Script code can benefit from other features of the Python logging module such as integration with pytest.
To log warning messages on the platform from a task script do the following:
- Setup the log handler in
main.py:
from task_script_utils.workflow_logging import (
setup_ts_log_handler,
)
- Then within the function called by the protocol:
setup_ts_log_handler(context.get_logger(), "main")
- In a module where you wish to log a warning:
import logging
logger = logging.getLogger("main." + __name__)
- Log a warning message with:
logger.warning("This is a warning message")
WellPosition
For plate readers, you can parse the well label using task_script_utils.plate_reader.WellPosition.
WellPosition encapsulates row and column indexes for a well on a plate.
You can use WellPosition.from_well_label to parse the well_label: str and get the WellPosition object.
For example:
from plate_reader import WellPosition
WellPosition.from_well_label("P45") # returns WellPosition(row=16, column=45)
A well_label must satisfy following conditions:
- It must start with a letter
- It can contain at max two letters
- When it contains two letters, they must both be uppercase
- Letter(s) must be followed by at least one and at max two digits
If the label cannot be parsed, InvalidWellLabelError is raised.
eg, A45, a45, A01, A1, z1, z01, AC23 are valid well labels
Following are the example of invalid well labels:
A245:well_labelwith more than 2 digits is not supportedAoraoraa:well_labeldoesn't contain any digit. Hence it is not supported.aB02, Ab02, ab02: Both letters must be uppercase.
Parsing for well_label containing a single letter is case sensitive ie. well labels A02 and a02 represent different wells on the plate
Parsing for well_label containing two letters is limited to uppercase only ie. AB01 is supported but ab01, Ab01 and aB01 are not supported
The following are the only supported sequence of rows for a plate:
- A -> Z and then a -> z
- A -> Z and then AA -> AZ
For well_label with single letter, even though well labels starting with w, x, y, and z are supported by the parser, in real life this is not possible as the largest plate contains 3456 wells which is 48x72, so the last well label is going to be v72.
Similarly, for well_label with two letters, in real life the largest possible well_label would be AV72 for a plate with 3456 wells. However, well_label beyond AV72 are also supported by parser.
Changelog
v2.1.0
- Deprecate datetime parsing function
parse(), replaced by objectDatetimeParser - Add
DatetimeParser - Update to pendulum 3.0.0 and adapt to breaking changes
v2.0.1
- Restrict pendulum to
<3.0.0
v2.0.0
- Python minimum requirement is now 3.9
- Removed parquet support
- Made dependencies less restrictive
v1.9.0
- Add
task_script_utils.plate_reader.WellPosition.to_labelfor converting aWellPositionto a well label - Add
task_script_utils.plate_reader.create_well_to_pk_mapfor creating a map ofWellPositionto primary keys from a list of samples
v1.8.1
- Update to python dependency to >=3.7.2,<4
v1.8.0
- Add
task_script_utils.plate_reader.WellPositionfor parsing well labels - Update
task_script_utils.random.Singletonused byTaskScriptUUIDGeneratorand rename totask_script_utils.random.CacheLastCacheLastno longer provides singleton behavior, but it still provides the methodget_last_created- Instantiating
TaskScriptUUIDGeneratoralways seeds the random generator. A second instance will repeat the same sequence of UUIDs as the first instance (if instantiated with the same arguments). - Rename
NoPreviouslyCreatedSingletonErrortoNoPreviouslyCreatedInstanceError - Add type information to
get_last_created
v1.7.0
- Add
task_script_utils.workflow_loggingfor logging warning messages in task scripts
v1.6.0
- Add
task_script_utils.datacubes.parquetfor creating Parquet file representations of datacubes
v1.5.0
- Add
TaskScriptUUIDGeneratorclass for generating random UUIDs and random bytes.
v1.4.0
- Add
extract-to-decoratefunctions
v1.3.1
- Update datetime parser usage in README.md
v1.3.0
- Added string parsing functions
v1.2.0
- Add boolean config parameter
require_unambiguous_formatstoDatetimeConfig - Add logic to
parser._parse_with_formatsto be used whenDatetimeConfig.require_unambiguous_formatsis set toTrueAmbiguousDatetimeFormatsErroris raised if mutually ambiguous formats are detected and differing datetimes are parsed
- Add parameter typing throughout repository
- Refactor
datetime_parserpackage - Add base class
DateTimeInfo - Segregate parsing logic into
ShortDateTimeInfoandLongDateTimeInfo
v1.1.1
- Remove
convert_to_ts_iso8601()method
v1.1.0
- Add
datetime_parserpackage
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file ts_task_script_utils-2.1.0.tar.gz.
File metadata
- Download URL: ts_task_script_utils-2.1.0.tar.gz
- Upload date:
- Size: 289.3 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/4.0.2 CPython/3.11.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
8c95a483a8c4b982df195168442f6e2f0b2574310b8a347a29f9ae60f8e02865
|
|
| MD5 |
a46e02912f3ab09eb04eb0f1d6785c06
|
|
| BLAKE2b-256 |
fdffa2b6a057fe1529e90980965ac64f4475659fdc65a6142c202ff30d7c525c
|
File details
Details for the file ts_task_script_utils-2.1.0-py3-none-any.whl.
File metadata
- Download URL: ts_task_script_utils-2.1.0-py3-none-any.whl
- Upload date:
- Size: 295.1 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/4.0.2 CPython/3.11.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
a5b0f887f33531bb075c706c9b97fdf3579d16bf9fd516d060cdb6268d9d5618
|
|
| MD5 |
a397f3bea1259e2d70d47b1d5fd1ba74
|
|
| BLAKE2b-256 |
693cf8c48397a201f9e6bee9849edfca328939c1b7dade34f353fc3ef9e1853a
|