pelutils


Namepelutils JSON
Version 3.1.0 PyPI version JSON
download
home_pagehttps://github.com/peleiden/pelutils
SummaryUtility functions that are often useful
upload_time2024-03-22 12:48:26
maintainerNone
docs_urlNone
authorAsger Laurits Schultz, Søren Winkel Holm
requires_python>=3.9
licenseMIT
keywords utility logger parser profiling plotting
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage
            # pelutils

[![pytest](https://github.com/peleiden/pelutils/actions/workflows/pytest.yml/badge.svg?branch=master)](https://github.com/peleiden/pelutils/actions/workflows/pytest.yml)
[![Coverage Status](https://coveralls.io/repos/github/peleiden/pelutils/badge.svg?branch=master)](https://coveralls.io/github/peleiden/pelutils?branch=master)

Various utilities useful for Python projects. Features include

- A simple and powerful logger with colourful printing and stacktrace logging
- Parsing for combining config files and command-line arguments - especially useful for algorithms with several parameters
- A timer inspired by Matlab's `tic` and `toc`
- Simple code profiler
- An extension to the built-in `dataclass` for saving and loading data
- Table formatting
- Miscellaneous standalone functions - see `pelutils/__init__.py`
- Data-science submodule with extra utilities for statistics, plotting with `matplotlib`, and machine learning using `PyTorch`
- Linear time `unique` function in the style of `numpy.unique`

`pelutils` supports Python 3.9+.

To install, simply run `pip install pelutils`.
A small subset of the functionality requires `PyTorch`, which has to be installed separately.

## Timing and Code Profiling

Simple time taker inspired by Matlab Tic, Toc, which also has profiling tooling.

```py
# Time a task
TT.tick()
<some task>
seconds_used = TT.tock()

# Profile a for loop
for i in range(100):
    TT.profile("Repeated code")
    <some task>
    TT.profile("Subtask")
    <some subtask>
    TT.end_profile()
    TT.end_profile()
print(TT)  # Prints a table view of profiled code sections

# Alternative syntax using with statement
with TT.profile("The best task"):
    <some task>

# When using multiprocessing, it can be useful to simulate multiple hits of the same profile
with mp.Pool() as p, TT.profile("Processing 100 items on multiple threads", hits=100):
    p.map(100 items)
# Similar for very quick loops
a = 0
with TT.profile("Adding 1 to a", hits=100):
    for _ in range(100):
        a += 1

# Examples so far use a global TickTock instance, which is convenient,
# but it can also be desirable to use for multiple different timers, e.g.
tt1 = TickTock()
tt2 = TickTock()
t1_interval = 1  # Do task 1 every second
t2_interval = 2  # Do task 2 every other second
tt1.tick()
tt2.tick()
while True:
    if tt1.tock() > t1_interval:
        <task 1>
        tt1.tick()
    if tt2.tock() > t2_interval:
        <task 2>
        tt2.tick()
    time.sleep(0.01)
```

## Data Storage

The DataStorage class is an augmentation of the dataclass that incluces save and load functionality.
This simplifies saving data, as only save command has to be issued for all data, and it keeps type
hinting when loading data compared to e.g. a dictionary.

Data is in general preserved exactly as-is when saved data is loaded into memory with few exceptions.
Notably, tuples are considered json-serializble, and so will be saved to the json file and will be
loaded as lists.

Usage example:

```py
@dataclass
class ResultData(DataStorage):
    shots: int
    goalscorers: list
    dists: np.ndarray

rdata = ResultData(shots=1, goalscorers=["Max Fenger"], dists=np.ones(22)*10)
rdata.save("max")
# Now shots and goalscorers are saved in <pwd>/max/ResultData.json and dists in <pwd>/max/ResultData.pkl

# Then to load
rdata = ResultData.load("max")
print(rdata.goalscorers)  # ["Max Fenger"]
```

## Parsing

A parsing tool for combining command-line and config file arguments.
Useful for parametric methods such as machine learning.
The first argument must always be a path. This can for instance be used to put log files, results, plots etc.

Consider the execution of a file `main.py` with the command line call
```
python main.py path/to/put/results -c path/to/config/file.ini --data-path path/to/data
```
The config file could contain
```
[DEFAULT]
fp16
learning-rate=1e-4

[LOWLR]
learning-rate=1e-5

[NOFP16]
fp16=False
```
where `main.py` contains
```py
options = [
    # Mandatory argument with set abbreviation -p
    Argument("data-path", help="Path to where data is located", abbrv"-p"),
    # Optional argument with auto-generated abbreviation -l
    Option("learning-rate", default=1e-5, help="Learning rate to use for gradient descent steps"),
    # Boolean flag with auto-generated abbreviation -f
    Flag("fp16", help="Use mixed precision for training"),
]
parser = Parser(*options, multiple_jobs=True)  # Two jobs are specified in the config file, so multiple_jobs=True
location = parser.location  # Experiments are stored here. In this case path/to/put/results
job_descriptions = parser.parse_args()
# Run each experiment
for job in job_descriptions:
    # Get the job as a dictionary
    job_dict = job.todict()
    # Clear directory where job is located and put a documentation file there
    job.prepare_directory()
    # Get location of this job as job.location
    run_experiment(job)
```

This could then by run by
`python main.py data/my-big-experiment --learning-rate 1e-5`
or by
`python main.py data/my-big-experiment --config cfg.ini`
or using a combination where CLI args takes precedence:
`python main.py data/my-big-experiment --config cfg.ini --learning-rate 1e-5`
where `cfg.ini` could contain

# Logging

The logging submodule contains a simple yet feature-rich logger which fits common needs. Can be imported from `pelutils` directly, e.g. `from pelutils import log`.

```py
# Configure logger for the script
log.configure("path/to/save/log.log")

# Start logging
for i in range(70):  # Nice
    log("Execution %i" % i)

# Sections
log.section("New section in the logfile")

# Adjust logging levels
log.warning("Will be logged")
with log.level(LogLevels.ERROR):  # Only log at ERROR level or above
    log.warning("Will not be logged")
with log.no_log:
    log.section("I will not be logged")

# Error handling
# The zero-division error and stacktrace is logged
with log.log_errors:
    0 / 0
# Entire chained stacktrace is logged
with log.log_errors:
    try:
        0 / 0
    except ZeroDivisionError as e:
        raise ValueError("Denominator must be non-zero") from e

# User input - acts like built-in input but logs both prompt and user input
inp = log.input("Continue [Y/n]? ")
# Parse yes/no user input
cont = log.parse_bool_input(inp, default=True)

# Log all logs from a function at the same time
# This is especially useful when using multiple threads so logging does not get mixed up
def fun():
    with log.collect:
        log("Hello there")
        log("General Kenobi!")
with mp.Pool() as p:
    p.map(fun, args)

# It is also possible to create multiple loggers by importing the Logger class, e.g.
log2 = Logger()
log2.configure("path/to/save/log2.log")
```

# Data Science

This submodule contains various utility functions for data science, statistics, plotting, and machine learning.

## Deep Learning

## Statistics

Includes various commonly used statistical functions.

```py
# Get one sided z value for exponential(lambda=2) distribution with a significance level of 1 %
zval = z(alpha=0.01, two_sided=False, distribution=scipy.stats.expon(loc=1/2))

# Get correlation, confidence interval, and p value for two vectors
a, b = np.random.randn(100), np.random.randn(100)
r, lower_r, upper_r, p = corr_ci(a, b, alpha=0.01)
```

## Plotting

`pelutils` provides plotting utilities based on `matplotlib`.
Most notable is the `Figure` context class, which attempts to remedy some of the common grievances with `matplotlib`,
e.g. having to remember the correct `kwargs` and `rcParams` for setting font sizes, legend edge colour etc.
```py
from pelutils.ds.plots import Figure

# The following makes a plot and saves it to `plot.png`.
# The seaborn is style is used for demonstration, but if the `style` argument
# is not given, the default matplotlib style is used.
# The figure and font size are also given for demonstration, but their default
# values are increased compared to matplotlib's default, as these are generally
# too small for finished plots.
with Figure("plot.png", figsize=(20, 10), style="seaborn", fontsize=20):
    plt.scatter(x, y, label="Data")
    plt.grid()
    plt.title("Very nice plot")
# The figure is automatically saved to `plot.png` and closed, such that
# plt.plot can be used again from here.
# Figure changes `matplotlib.rcParams`, but these changes are also undone
# after the end of the `with statement`.
```

The plotting utilies also include binning functions for creating nice histograms.
The `histogram` function produces bins based on a binning function, of which three are provided:

- `linear_binning`: Bins are spaced evenly from the lowest to the largest value of the data.
- `log_binning`: Bins are log-spaced from the lowest to the largest value of the data, which is assumed to be positive.
- `normal_binning`: Bins are distributed according to the distribution of the data, such there are more bins closer to the center of the data. This is useful if the data somewhat resembles a normal distribution, as the resolution will be the greatest where there is the most data.

It is also possible to provide custom binning functions.

`histogram` provide both `x` and `y` coordinates, making it simple to use with argument unpacking:
```py
import matplotlib.pyplot as plt
import numpy as np
from pelutils.ds.plots import histogram, normal_binning

# Generate normally distributed data
x = np.random.randn(100)
# Plot distribution
plt.plot(*histogram(x, binning_fn=normal_binning))
```

Finally, different smoothing functions are provided.
The two most common are `moving_avg` and `exponential_avg` which smooth the data using a moving average and exponential smoothing, respectively.

The `double_moving_avg` is special in that the number of smoothed data points do not depend on the number of given data points but is instead based on a given number of samples, which allows the resulting smoothed curve to not by jagged as happens with the other smoothing functions.
It also has two smoothness parameters, which allows a large degree of smoothness control.

Apart from smoothness parameters, all smoothness functions have the same call signature:
```py
from pelutils.ds.plots import double_moving_avg

# Generate noisy data
n = 100
x = np.linspace(-1, 1, n)
y = np.random.randn(n)

# Plot data along with smoothed curve
plt.plot(*double_moving_avg(x, y))
# If x is not given, it is assumed to go from 0 to n-1 in steps of 1
plt.plot(*double_moving_avg(y))
```

Examples of all the plotting utilities are shown in the `examples` directory.

# Supported platforms

Precompiled wheels are provided for most common platforms.
Notably, they are not provided for 32-bit systems.
If no wheel is provided, `pip` should attempt a source install.
If all else fails, it is possible to install from source by pointing `pip` to Github directly:
```
pip install git+https://github.com/peleiden/pelutils.git@release#egg=pelutils
```
It is also possible to install from source using `pip`'s `--no-binary` option.

            

Raw data

            {
    "_id": null,
    "home_page": "https://github.com/peleiden/pelutils",
    "name": "pelutils",
    "maintainer": null,
    "docs_url": null,
    "requires_python": ">=3.9",
    "maintainer_email": null,
    "keywords": "utility, logger, parser, profiling, plotting",
    "author": "Asger Laurits Schultz, S\u00f8ren Winkel Holm",
    "author_email": "asger.s@protonmail.com, swholm@protonmail.com",
    "download_url": "https://files.pythonhosted.org/packages/41/86/183c996a1be13bf37a5807ae5d8fa9a193abc393f40ed4cc6e3fb188446e/pelutils-3.1.0.tar.gz",
    "platform": null,
    "description": "# pelutils\n\n[![pytest](https://github.com/peleiden/pelutils/actions/workflows/pytest.yml/badge.svg?branch=master)](https://github.com/peleiden/pelutils/actions/workflows/pytest.yml)\n[![Coverage Status](https://coveralls.io/repos/github/peleiden/pelutils/badge.svg?branch=master)](https://coveralls.io/github/peleiden/pelutils?branch=master)\n\nVarious utilities useful for Python projects. Features include\n\n- A simple and powerful logger with colourful printing and stacktrace logging\n- Parsing for combining config files and command-line arguments - especially useful for algorithms with several parameters\n- A timer inspired by Matlab's `tic` and `toc`\n- Simple code profiler\n- An extension to the built-in `dataclass` for saving and loading data\n- Table formatting\n- Miscellaneous standalone functions - see `pelutils/__init__.py`\n- Data-science submodule with extra utilities for statistics, plotting with `matplotlib`, and machine learning using `PyTorch`\n- Linear time `unique` function in the style of `numpy.unique`\n\n`pelutils` supports Python 3.9+.\n\nTo install, simply run `pip install pelutils`.\nA small subset of the functionality requires `PyTorch`, which has to be installed separately.\n\n## Timing and Code Profiling\n\nSimple time taker inspired by Matlab Tic, Toc, which also has profiling tooling.\n\n```py\n# Time a task\nTT.tick()\n<some task>\nseconds_used = TT.tock()\n\n# Profile a for loop\nfor i in range(100):\n    TT.profile(\"Repeated code\")\n    <some task>\n    TT.profile(\"Subtask\")\n    <some subtask>\n    TT.end_profile()\n    TT.end_profile()\nprint(TT)  # Prints a table view of profiled code sections\n\n# Alternative syntax using with statement\nwith TT.profile(\"The best task\"):\n    <some task>\n\n# When using multiprocessing, it can be useful to simulate multiple hits of the same profile\nwith mp.Pool() as p, TT.profile(\"Processing 100 items on multiple threads\", hits=100):\n    p.map(100 items)\n# Similar for very quick loops\na = 0\nwith TT.profile(\"Adding 1 to a\", hits=100):\n    for _ in range(100):\n        a += 1\n\n# Examples so far use a global TickTock instance, which is convenient,\n# but it can also be desirable to use for multiple different timers, e.g.\ntt1 = TickTock()\ntt2 = TickTock()\nt1_interval = 1  # Do task 1 every second\nt2_interval = 2  # Do task 2 every other second\ntt1.tick()\ntt2.tick()\nwhile True:\n    if tt1.tock() > t1_interval:\n        <task 1>\n        tt1.tick()\n    if tt2.tock() > t2_interval:\n        <task 2>\n        tt2.tick()\n    time.sleep(0.01)\n```\n\n## Data Storage\n\nThe DataStorage class is an augmentation of the dataclass that incluces save and load functionality.\nThis simplifies saving data, as only save command has to be issued for all data, and it keeps type\nhinting when loading data compared to e.g. a dictionary.\n\nData is in general preserved exactly as-is when saved data is loaded into memory with few exceptions.\nNotably, tuples are considered json-serializble, and so will be saved to the json file and will be\nloaded as lists.\n\nUsage example:\n\n```py\n@dataclass\nclass ResultData(DataStorage):\n    shots: int\n    goalscorers: list\n    dists: np.ndarray\n\nrdata = ResultData(shots=1, goalscorers=[\"Max Fenger\"], dists=np.ones(22)*10)\nrdata.save(\"max\")\n# Now shots and goalscorers are saved in <pwd>/max/ResultData.json and dists in <pwd>/max/ResultData.pkl\n\n# Then to load\nrdata = ResultData.load(\"max\")\nprint(rdata.goalscorers)  # [\"Max Fenger\"]\n```\n\n## Parsing\n\nA parsing tool for combining command-line and config file arguments.\nUseful for parametric methods such as machine learning.\nThe first argument must always be a path. This can for instance be used to put log files, results, plots etc.\n\nConsider the execution of a file `main.py` with the command line call\n```\npython main.py path/to/put/results -c path/to/config/file.ini --data-path path/to/data\n```\nThe config file could contain\n```\n[DEFAULT]\nfp16\nlearning-rate=1e-4\n\n[LOWLR]\nlearning-rate=1e-5\n\n[NOFP16]\nfp16=False\n```\nwhere `main.py` contains\n```py\noptions = [\n    # Mandatory argument with set abbreviation -p\n    Argument(\"data-path\", help=\"Path to where data is located\", abbrv\"-p\"),\n    # Optional argument with auto-generated abbreviation -l\n    Option(\"learning-rate\", default=1e-5, help=\"Learning rate to use for gradient descent steps\"),\n    # Boolean flag with auto-generated abbreviation -f\n    Flag(\"fp16\", help=\"Use mixed precision for training\"),\n]\nparser = Parser(*options, multiple_jobs=True)  # Two jobs are specified in the config file, so multiple_jobs=True\nlocation = parser.location  # Experiments are stored here. In this case path/to/put/results\njob_descriptions = parser.parse_args()\n# Run each experiment\nfor job in job_descriptions:\n    # Get the job as a dictionary\n    job_dict = job.todict()\n    # Clear directory where job is located and put a documentation file there\n    job.prepare_directory()\n    # Get location of this job as job.location\n    run_experiment(job)\n```\n\nThis could then by run by\n`python main.py data/my-big-experiment --learning-rate 1e-5`\nor by\n`python main.py data/my-big-experiment --config cfg.ini`\nor using a combination where CLI args takes precedence:\n`python main.py data/my-big-experiment --config cfg.ini --learning-rate 1e-5`\nwhere `cfg.ini` could contain\n\n# Logging\n\nThe logging submodule contains a simple yet feature-rich logger which fits common needs. Can be imported from `pelutils` directly, e.g. `from pelutils import log`.\n\n```py\n# Configure logger for the script\nlog.configure(\"path/to/save/log.log\")\n\n# Start logging\nfor i in range(70):  # Nice\n    log(\"Execution %i\" % i)\n\n# Sections\nlog.section(\"New section in the logfile\")\n\n# Adjust logging levels\nlog.warning(\"Will be logged\")\nwith log.level(LogLevels.ERROR):  # Only log at ERROR level or above\n    log.warning(\"Will not be logged\")\nwith log.no_log:\n    log.section(\"I will not be logged\")\n\n# Error handling\n# The zero-division error and stacktrace is logged\nwith log.log_errors:\n    0 / 0\n# Entire chained stacktrace is logged\nwith log.log_errors:\n    try:\n        0 / 0\n    except ZeroDivisionError as e:\n        raise ValueError(\"Denominator must be non-zero\") from e\n\n# User input - acts like built-in input but logs both prompt and user input\ninp = log.input(\"Continue [Y/n]? \")\n# Parse yes/no user input\ncont = log.parse_bool_input(inp, default=True)\n\n# Log all logs from a function at the same time\n# This is especially useful when using multiple threads so logging does not get mixed up\ndef fun():\n    with log.collect:\n        log(\"Hello there\")\n        log(\"General Kenobi!\")\nwith mp.Pool() as p:\n    p.map(fun, args)\n\n# It is also possible to create multiple loggers by importing the Logger class, e.g.\nlog2 = Logger()\nlog2.configure(\"path/to/save/log2.log\")\n```\n\n# Data Science\n\nThis submodule contains various utility functions for data science, statistics, plotting, and machine learning.\n\n## Deep Learning\n\n## Statistics\n\nIncludes various commonly used statistical functions.\n\n```py\n# Get one sided z value for exponential(lambda=2) distribution with a significance level of 1 %\nzval = z(alpha=0.01, two_sided=False, distribution=scipy.stats.expon(loc=1/2))\n\n# Get correlation, confidence interval, and p value for two vectors\na, b = np.random.randn(100), np.random.randn(100)\nr, lower_r, upper_r, p = corr_ci(a, b, alpha=0.01)\n```\n\n## Plotting\n\n`pelutils` provides plotting utilities based on `matplotlib`.\nMost notable is the `Figure` context class, which attempts to remedy some of the common grievances with `matplotlib`,\ne.g. having to remember the correct `kwargs` and `rcParams` for setting font sizes, legend edge colour etc.\n```py\nfrom pelutils.ds.plots import Figure\n\n# The following makes a plot and saves it to `plot.png`.\n# The seaborn is style is used for demonstration, but if the `style` argument\n# is not given, the default matplotlib style is used.\n# The figure and font size are also given for demonstration, but their default\n# values are increased compared to matplotlib's default, as these are generally\n# too small for finished plots.\nwith Figure(\"plot.png\", figsize=(20, 10), style=\"seaborn\", fontsize=20):\n    plt.scatter(x, y, label=\"Data\")\n    plt.grid()\n    plt.title(\"Very nice plot\")\n# The figure is automatically saved to `plot.png` and closed, such that\n# plt.plot can be used again from here.\n# Figure changes `matplotlib.rcParams`, but these changes are also undone\n# after the end of the `with statement`.\n```\n\nThe plotting utilies also include binning functions for creating nice histograms.\nThe `histogram` function produces bins based on a binning function, of which three are provided:\n\n- `linear_binning`: Bins are spaced evenly from the lowest to the largest value of the data.\n- `log_binning`: Bins are log-spaced from the lowest to the largest value of the data, which is assumed to be positive.\n- `normal_binning`: Bins are distributed according to the distribution of the data, such there are more bins closer to the center of the data. This is useful if the data somewhat resembles a normal distribution, as the resolution will be the greatest where there is the most data.\n\nIt is also possible to provide custom binning functions.\n\n`histogram` provide both `x` and `y` coordinates, making it simple to use with argument unpacking:\n```py\nimport matplotlib.pyplot as plt\nimport numpy as np\nfrom pelutils.ds.plots import histogram, normal_binning\n\n# Generate normally distributed data\nx = np.random.randn(100)\n# Plot distribution\nplt.plot(*histogram(x, binning_fn=normal_binning))\n```\n\nFinally, different smoothing functions are provided.\nThe two most common are `moving_avg` and `exponential_avg` which smooth the data using a moving average and exponential smoothing, respectively.\n\nThe `double_moving_avg` is special in that the number of smoothed data points do not depend on the number of given data points but is instead based on a given number of samples, which allows the resulting smoothed curve to not by jagged as happens with the other smoothing functions.\nIt also has two smoothness parameters, which allows a large degree of smoothness control.\n\nApart from smoothness parameters, all smoothness functions have the same call signature:\n```py\nfrom pelutils.ds.plots import double_moving_avg\n\n# Generate noisy data\nn = 100\nx = np.linspace(-1, 1, n)\ny = np.random.randn(n)\n\n# Plot data along with smoothed curve\nplt.plot(*double_moving_avg(x, y))\n# If x is not given, it is assumed to go from 0 to n-1 in steps of 1\nplt.plot(*double_moving_avg(y))\n```\n\nExamples of all the plotting utilities are shown in the `examples` directory.\n\n# Supported platforms\n\nPrecompiled wheels are provided for most common platforms.\nNotably, they are not provided for 32-bit systems.\nIf no wheel is provided, `pip` should attempt a source install.\nIf all else fails, it is possible to install from source by pointing `pip` to Github directly:\n```\npip install git+https://github.com/peleiden/pelutils.git@release#egg=pelutils\n```\nIt is also possible to install from source using `pip`'s `--no-binary` option.\n",
    "bugtrack_url": null,
    "license": "MIT",
    "summary": "Utility functions that are often useful",
    "version": "3.1.0",
    "project_urls": {
        "Download": "https://pypi.org/project/pelutils/",
        "Homepage": "https://github.com/peleiden/pelutils"
    },
    "split_keywords": [
        "utility",
        " logger",
        " parser",
        " profiling",
        " plotting"
    ],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "31772f4f75aa615be1e25ea441981169561de52a3aaf7bcc61e25bf859067f00",
                "md5": "7fc2dcbfaa405c86b5c5997100404162",
                "sha256": "8547d07fd582873e40f55c2b486cba9ed9e31044791582a4d8cc7b38dc5c5c73"
            },
            "downloads": -1,
            "filename": "pelutils-3.1.0-cp310-cp310-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "7fc2dcbfaa405c86b5c5997100404162",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.9",
            "size": 47368,
            "upload_time": "2024-03-22T12:47:58",
            "upload_time_iso_8601": "2024-03-22T12:47:58.581833Z",
            "url": "https://files.pythonhosted.org/packages/31/77/2f4f75aa615be1e25ea441981169561de52a3aaf7bcc61e25bf859067f00/pelutils-3.1.0-cp310-cp310-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "ecaf3331688e43288d581c8a2db2c678e1296ed48b07b57a104219ce0ec40196",
                "md5": "811e65de2eb677f59c155a3e1c9d7e88",
                "sha256": "cd4b4a29c724b1a9c0a718df318dddef9ce20234cd359e8b81182230ecc53859"
            },
            "downloads": -1,
            "filename": "pelutils-3.1.0-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "811e65de2eb677f59c155a3e1c9d7e88",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.9",
            "size": 66585,
            "upload_time": "2024-03-22T12:48:00",
            "upload_time_iso_8601": "2024-03-22T12:48:00.248513Z",
            "url": "https://files.pythonhosted.org/packages/ec/af/3331688e43288d581c8a2db2c678e1296ed48b07b57a104219ce0ec40196/pelutils-3.1.0-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "e8d6fee8aa71a00c8e61a7e86d4acf9670216c9b419f5c9f8b383f222118a581",
                "md5": "3d36bc7cff64744f932ddaa675ef97b7",
                "sha256": "1b98326444adb23de36930a8c7b947bc1e9d2baa3c4c4ab9da70d39bc851b033"
            },
            "downloads": -1,
            "filename": "pelutils-3.1.0-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "3d36bc7cff64744f932ddaa675ef97b7",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.9",
            "size": 65874,
            "upload_time": "2024-03-22T12:48:02",
            "upload_time_iso_8601": "2024-03-22T12:48:02.604397Z",
            "url": "https://files.pythonhosted.org/packages/e8/d6/fee8aa71a00c8e61a7e86d4acf9670216c9b419f5c9f8b383f222118a581/pelutils-3.1.0-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "a256fdfb3be8bf21753869e32feb59b83440c84b9f16078c7696b10ce47fa616",
                "md5": "c9a214e318a1f00dcc7a9c964ed80a74",
                "sha256": "9432358535ce3e287fe3e6fed261ed71f82cf2621cbe775f7b0caa01ce841f51"
            },
            "downloads": -1,
            "filename": "pelutils-3.1.0-cp310-cp310-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "c9a214e318a1f00dcc7a9c964ed80a74",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.9",
            "size": 49033,
            "upload_time": "2024-03-22T12:48:04",
            "upload_time_iso_8601": "2024-03-22T12:48:04.461058Z",
            "url": "https://files.pythonhosted.org/packages/a2/56/fdfb3be8bf21753869e32feb59b83440c84b9f16078c7696b10ce47fa616/pelutils-3.1.0-cp310-cp310-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "fc00d76a85f7842c160e85e6b21b7bd7044898b72443452370898672cab27356",
                "md5": "643cb6953163982f33ba8ce51602ed68",
                "sha256": "6b089d48120347e5c965235c55fe427ecb5b8eeac648494279ed17f3e3aa037d"
            },
            "downloads": -1,
            "filename": "pelutils-3.1.0-cp311-cp311-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "643cb6953163982f33ba8ce51602ed68",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.9",
            "size": 47373,
            "upload_time": "2024-03-22T12:48:05",
            "upload_time_iso_8601": "2024-03-22T12:48:05.879530Z",
            "url": "https://files.pythonhosted.org/packages/fc/00/d76a85f7842c160e85e6b21b7bd7044898b72443452370898672cab27356/pelutils-3.1.0-cp311-cp311-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "e3f4af1959ece956039a604080b142499002ac865eb490cd1a929423181c5ea9",
                "md5": "a091fc04194b1f9d2fcf65b1b1068d34",
                "sha256": "c48a49828248361d85835ef5ff46ce5d4f6014d8e5e373e25adbcdaf139989d8"
            },
            "downloads": -1,
            "filename": "pelutils-3.1.0-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "a091fc04194b1f9d2fcf65b1b1068d34",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.9",
            "size": 66617,
            "upload_time": "2024-03-22T12:48:07",
            "upload_time_iso_8601": "2024-03-22T12:48:07.732963Z",
            "url": "https://files.pythonhosted.org/packages/e3/f4/af1959ece956039a604080b142499002ac865eb490cd1a929423181c5ea9/pelutils-3.1.0-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "a9b91bfb50189abd79f142511d146f5937ee0b3fe558e945dcc8f19102ee73e7",
                "md5": "356842a818c7de8db18fd344e2ef43fa",
                "sha256": "32e9fa69b3427a9d9963c37e54ab96d82a946053fb672cea725e8975e58045f4"
            },
            "downloads": -1,
            "filename": "pelutils-3.1.0-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "356842a818c7de8db18fd344e2ef43fa",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.9",
            "size": 65899,
            "upload_time": "2024-03-22T12:48:09",
            "upload_time_iso_8601": "2024-03-22T12:48:09.054911Z",
            "url": "https://files.pythonhosted.org/packages/a9/b9/1bfb50189abd79f142511d146f5937ee0b3fe558e945dcc8f19102ee73e7/pelutils-3.1.0-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "dec8858ee23241843643412e4585b1754523410c97d8f47f3f82773baf8c892a",
                "md5": "e61ae7babbb2b9308b30f8b069576ba7",
                "sha256": "31c90bedd607fa589a2fd7e16eff78d1593443bf2a312184a24a891e4d8cf1f5"
            },
            "downloads": -1,
            "filename": "pelutils-3.1.0-cp311-cp311-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "e61ae7babbb2b9308b30f8b069576ba7",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.9",
            "size": 49034,
            "upload_time": "2024-03-22T12:48:10",
            "upload_time_iso_8601": "2024-03-22T12:48:10.235918Z",
            "url": "https://files.pythonhosted.org/packages/de/c8/858ee23241843643412e4585b1754523410c97d8f47f3f82773baf8c892a/pelutils-3.1.0-cp311-cp311-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "c93d007750f1c07fa811514d297a52aa7e0a18afe366a6b6319be5a7faef7b11",
                "md5": "1679555300c3634cfeb2c4b0d1839aec",
                "sha256": "af3a2d0335f3a1b95834fd73861a9432f68362967c01f4e2065690b186d6ce2a"
            },
            "downloads": -1,
            "filename": "pelutils-3.1.0-cp312-cp312-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "1679555300c3634cfeb2c4b0d1839aec",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.9",
            "size": 47369,
            "upload_time": "2024-03-22T12:48:12",
            "upload_time_iso_8601": "2024-03-22T12:48:12.170343Z",
            "url": "https://files.pythonhosted.org/packages/c9/3d/007750f1c07fa811514d297a52aa7e0a18afe366a6b6319be5a7faef7b11/pelutils-3.1.0-cp312-cp312-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "60c8552f1f0b92072717661774f6d3202fc9362bc91e31adf33af46fbd027662",
                "md5": "eb26fe735c4393fa44e17d0e8cb6750e",
                "sha256": "1b78ff398ee6eb90b6725402ac09816d09f1e37947589d7f18c82d46c4532e27"
            },
            "downloads": -1,
            "filename": "pelutils-3.1.0-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "eb26fe735c4393fa44e17d0e8cb6750e",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.9",
            "size": 66755,
            "upload_time": "2024-03-22T12:48:13",
            "upload_time_iso_8601": "2024-03-22T12:48:13.983461Z",
            "url": "https://files.pythonhosted.org/packages/60/c8/552f1f0b92072717661774f6d3202fc9362bc91e31adf33af46fbd027662/pelutils-3.1.0-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "59d3b98795d3d81fea67e7332657ac82c497a89145549522f758495dc08722cd",
                "md5": "7ad05d505e7b85eb6cd0fdd58bf1385b",
                "sha256": "9f09401411b7581c31bda415a7c85202b2c7ca387a8c268ee3877b4b21eff5ba"
            },
            "downloads": -1,
            "filename": "pelutils-3.1.0-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "7ad05d505e7b85eb6cd0fdd58bf1385b",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.9",
            "size": 66026,
            "upload_time": "2024-03-22T12:48:15",
            "upload_time_iso_8601": "2024-03-22T12:48:15.858946Z",
            "url": "https://files.pythonhosted.org/packages/59/d3/b98795d3d81fea67e7332657ac82c497a89145549522f758495dc08722cd/pelutils-3.1.0-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "acbeddc975908e0557d149da79cd4e86516d5d67d6511ea719da490a56779d97",
                "md5": "1640e8fd7d04efb7c48c8cb7a1ec7f88",
                "sha256": "8b0cf2ff5d877f06cfc5a9d46cf494b8642660c54891d0dd8f50d3fca112879c"
            },
            "downloads": -1,
            "filename": "pelutils-3.1.0-cp312-cp312-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "1640e8fd7d04efb7c48c8cb7a1ec7f88",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.9",
            "size": 49032,
            "upload_time": "2024-03-22T12:48:17",
            "upload_time_iso_8601": "2024-03-22T12:48:17.746154Z",
            "url": "https://files.pythonhosted.org/packages/ac/be/ddc975908e0557d149da79cd4e86516d5d67d6511ea719da490a56779d97/pelutils-3.1.0-cp312-cp312-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "f6594d56a5c90456acb0ffd09521831d5f6899b43ca69e9e70b65308faf8e1c0",
                "md5": "7913e8ae7dfdfc56f66216e96b81d568",
                "sha256": "3bd15c7aa16e32a6f522558423d33e79f7193ca23350ba6f1c52def89129854e"
            },
            "downloads": -1,
            "filename": "pelutils-3.1.0-cp39-cp39-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "7913e8ae7dfdfc56f66216e96b81d568",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.9",
            "size": 47364,
            "upload_time": "2024-03-22T12:48:19",
            "upload_time_iso_8601": "2024-03-22T12:48:19.456021Z",
            "url": "https://files.pythonhosted.org/packages/f6/59/4d56a5c90456acb0ffd09521831d5f6899b43ca69e9e70b65308faf8e1c0/pelutils-3.1.0-cp39-cp39-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "053321b8fbc5802dcc548c027230628648272c5658dcf2cd1c3638960c01dfdc",
                "md5": "57c4bb6e133bef9a1d8ac69be5ecede5",
                "sha256": "c1123e63d19ae45dc9e8b854e19904c154e9230a0fc9ffd0b4b50fe64b190a7f"
            },
            "downloads": -1,
            "filename": "pelutils-3.1.0-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "57c4bb6e133bef9a1d8ac69be5ecede5",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.9",
            "size": 66440,
            "upload_time": "2024-03-22T12:48:20",
            "upload_time_iso_8601": "2024-03-22T12:48:20.673442Z",
            "url": "https://files.pythonhosted.org/packages/05/33/21b8fbc5802dcc548c027230628648272c5658dcf2cd1c3638960c01dfdc/pelutils-3.1.0-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "86226885a4a5cce4d2563a2765ba64a4adcfa2fbeed7fd81ca0f9861d92e01c4",
                "md5": "231e73c45b6d9ff4aaf2bffe0830adf6",
                "sha256": "339103fdf579e0976ce2eb50242d136f0273baf365a63a980124a8eff9085f0e"
            },
            "downloads": -1,
            "filename": "pelutils-3.1.0-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "231e73c45b6d9ff4aaf2bffe0830adf6",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.9",
            "size": 65733,
            "upload_time": "2024-03-22T12:48:22",
            "upload_time_iso_8601": "2024-03-22T12:48:22.554811Z",
            "url": "https://files.pythonhosted.org/packages/86/22/6885a4a5cce4d2563a2765ba64a4adcfa2fbeed7fd81ca0f9861d92e01c4/pelutils-3.1.0-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "e6d497131a30785c6e879671e6aac97bf25a3cbdc502ef89316c2cea29a7720b",
                "md5": "a1f56f588206d0e51d547a8f1d9102dd",
                "sha256": "8021d2222e8a6e23cc7ea1a299c4e1e8dcfd3b724846828e20955ca6b6791637"
            },
            "downloads": -1,
            "filename": "pelutils-3.1.0-cp39-cp39-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "a1f56f588206d0e51d547a8f1d9102dd",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.9",
            "size": 49026,
            "upload_time": "2024-03-22T12:48:24",
            "upload_time_iso_8601": "2024-03-22T12:48:24.416547Z",
            "url": "https://files.pythonhosted.org/packages/e6/d4/97131a30785c6e879671e6aac97bf25a3cbdc502ef89316c2cea29a7720b/pelutils-3.1.0-cp39-cp39-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "4186183c996a1be13bf37a5807ae5d8fa9a193abc393f40ed4cc6e3fb188446e",
                "md5": "b8241df4755317b32d3427d3eb8b1195",
                "sha256": "1c9c72858b8b5fc0a4ea4191bf6d637c4e8341259d709ac0253dd3d9d393fcef"
            },
            "downloads": -1,
            "filename": "pelutils-3.1.0.tar.gz",
            "has_sig": false,
            "md5_digest": "b8241df4755317b32d3427d3eb8b1195",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": ">=3.9",
            "size": 48353,
            "upload_time": "2024-03-22T12:48:26",
            "upload_time_iso_8601": "2024-03-22T12:48:26.089037Z",
            "url": "https://files.pythonhosted.org/packages/41/86/183c996a1be13bf37a5807ae5d8fa9a193abc393f40ed4cc6e3fb188446e/pelutils-3.1.0.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2024-03-22 12:48:26",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "peleiden",
    "github_project": "pelutils",
    "travis_ci": false,
    "coveralls": true,
    "github_actions": true,
    "requirements": [],
    "lcname": "pelutils"
}
        
Elapsed time: 0.21915s