aiomisc


Nameaiomisc JSON
Version 17.5.4 PyPI version JSON
download
home_pagehttps://github.com/aiokitchen/aiomisc
Summaryaiomisc - miscellaneous utils for asyncio
upload_time2024-03-14 13:19:16
maintainer
docs_urlNone
authorDmitry Orlov
requires_python>=3.8,<4.0
licenseMIT
keywords
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage
            aiomisc - miscellaneous utils for asyncio
=========================================

.. image:: https://coveralls.io/repos/github/aiokitchen/aiomisc/badge.svg?branch=master
   :target: https://coveralls.io/github/aiokitchen/aiomisc
   :alt: Coveralls

.. image:: https://github.com/aiokitchen/aiomisc/workflows/tox/badge.svg
   :target: https://github.com/aiokitchen/aiomisc/actions?query=workflow%3Atox
   :alt: Actions

.. image:: https://img.shields.io/pypi/v/aiomisc.svg
   :target: https://pypi.python.org/pypi/aiomisc/
   :alt: Latest Version

.. image:: https://img.shields.io/pypi/wheel/aiomisc.svg
   :target: https://pypi.python.org/pypi/aiomisc/

.. image:: https://img.shields.io/pypi/pyversions/aiomisc.svg
   :target: https://pypi.python.org/pypi/aiomisc/

.. image:: https://img.shields.io/pypi/l/aiomisc.svg
   :target: https://pypi.python.org/pypi/aiomisc/


Miscellaneous utils for asyncio.

As a programmer, you are no stranger to the challenges that come with building
and maintaining software applications. One area that can be particularly
difficult is making architecture of the software that using asynchronous I/O.

This is where aiomisc comes in. aiomisc is a Python library that provides a
collection of utility functions and classes for working with asynchronous I/O
in a more intuitive and efficient way. It is built on top of the ``asyncio``
library and is designed to make it easier for developers to write
asynchronous code that is both reliable and scalable.

With aiomisc, you can take advantage of powerful features like
``worker pools``, ``connection pools``, ``circuit breaker pattern``,
and retry mechanisms such as ``asyncbackoff`` and ``asyncretry`` to make your
asyncio code more robust and easier to maintain. In this documentation,
we'll take a closer look at what ``aiomisc`` has to offer and how it can
help you streamline your asyncio service development.

Installation
------------

Installation is possible in standard ways, such as PyPI or installation from
a git repository directly.

Installing from PyPI_:

.. code-block:: bash

    pip3 install aiomisc

Installing from github.com:

.. code-block:: bash

    # Using git tool
    pip3 install git+https://github.com/aiokitchen/aiomisc.git

    # Alternative way using http
    pip3 install \
        https://github.com/aiokitchen/aiomisc/archive/refs/heads/master.zip

The package contains several extras and you can install additional dependencies
if you specify them in this way.

With uvloop_:

.. code-block:: bash

    pip3 install "aiomisc[uvloop]"


With aiohttp_:

.. code-block:: bash

    pip3 install "aiomisc[aiohttp]"

Complete table of extras bellow:

+-----------------------------------+------------------------------------------------+
| example                           |  description                                   |
+===================================+================================================+
| ``pip install aiomisc[aiohttp]``  | For running aiohttp_ applications.             |
+-----------------------------------+------------------------------------------------+
| ``pip install aiomisc[asgi]``     | For running ASGI_ applications                 |
+-----------------------------------+------------------------------------------------+
| ``pip install aiomisc[carbon]``   | Sending metrics to carbon_ (part of graphite_) |
+-----------------------------------+------------------------------------------------+
| ``pip install aiomisc[cron]``     | use croniter_ for scheduling tasks             |
+-----------------------------------+------------------------------------------------+
| ``pip install aiomisc[raven]``    | Sending exceptions to sentry_ using raven_     |
+-----------------------------------+------------------------------------------------+
| ``pip install aiomisc[rich]``     | You might using rich_ for logging              |
+-----------------------------------+------------------------------------------------+
| ``pip install aiomisc[uvicorn]``  | For running ASGI_ application using uvicorn_   |
+-----------------------------------+------------------------------------------------+
| ``pip install aiomisc[uvloop]``   | use uvloop_ as a default event loop            |
+-----------------------------------+------------------------------------------------+

.. _ASGI: https://asgi.readthedocs.io/en/latest/
.. _PyPI: https://pypi.org/
.. _aiohttp: https://pypi.org/project/aiohttp
.. _carbon: https://pypi.org/project/carbon
.. _croniter: https://pypi.org/project/croniter
.. _graphite: http://graphiteapp.org
.. _raven: https://pypi.org/project/raven
.. _rich: https://pypi.org/project/rich
.. _sentry: https://sentry.io/
.. _uvloop: https://pypi.org/project/uvloop
.. _uvicorn: https://pypi.org/project/uvicorn

You can combine extras values by separating them with commas, for example:

.. code-block:: bash

    pip3 install "aiomisc[aiohttp,cron,rich,uvloop]"


Quick Start
-----------

This section will cover how this library creates and uses the event loop and
creates services. Of course, you can't write about everything here, but you
can read about a lot in the Tutorial_ section, and you can
always refer to the Modules_ and `API reference`_ sections for help.

Event-loop and entrypoint
+++++++++++++++++++++++++

Let's look at this simple example first:

.. code-block:: python

    import asyncio
    import logging

    import aiomisc

    log = logging.getLogger(__name__)

    async def main():
        log.info('Starting')
        await asyncio.sleep(3)
        log.info('Exiting')


    if __name__ == '__main__':
        with aiomisc.entrypoint(log_level="info", log_format="color") as loop:
            loop.run_until_complete(main())


This code declares an asynchronous ``main()`` function that exits after
3 seconds. It would seem nothing interesting, but the whole point is in
the ``entrypoint``.

What does the ``entrypoint`` do, it would seem not so much, it creates an
event-loop and transfers control to the user. However, under the hood, the
logger is configured in a separate thread, a pool of threads is created,
services are started, but more on that later and there are no services
in this example.

Alternatively, you can choose not to use an entrypoint, just create an
event-loop and set this as a default event loop for current thread:

.. code-block:: python
    :name: test_index_get_loop

    import asyncio
    import aiomisc

    # * Installs uvloop event loop is it's has been installed.
    # * Creates and set `aiomisc.thread_pool.ThreadPoolExecutor`
    #   as a default executor
    # * Sets just created event-loop as a current event-loop for this thread.
    aiomisc.new_event_loop()

    async def main():
        await asyncio.sleep(1)

    if __name__ == '__main__':
        loop = asyncio.get_event_loop()
        loop.run_until_complete(main())

The example above is useful if your code is already using an implicitly created
event loop, you will have to modify less code, just add
``aiomisc.new_event_loop()`` and all calls to ``asyncio.get_event_loop()``
will return the created instance.

However, you can do with one call. Following example closes implicitly created
asyncio event loop and install a new one:

.. code-block:: python
    :name: test_index_new_loop

    import asyncio
    import aiomisc

    async def main():
        await asyncio.sleep(3)

    if __name__ == '__main__':
        loop = aiomisc.new_event_loop()
        loop.run_until_complete(main())

Services
++++++++

The main thing that an ``entrypoint`` does is start and gracefully
stop services.

The service concept within this library means a class derived from
the ``aiosmic.Service`` class and implementing the
``async def start(self) -> None:`` method and optionally the
``async def stop(self, exc: Optional[ Exception]) -> None`` method.

The concept of stopping a service is not necessarily is pressing ``Ctrl+C``
keys by user, it's actually just exiting the ``entrypoint`` context manager.

The example below shows what your service might look like:

.. code-block:: python

    from aiomisc import entrypoint, Service

    class MyService(Service):
        async def start(self):
            do_something_when_start()

        async def stop(self, exc):
            do_graceful_shutdown()


    with entrypoint(MyService()) as loop:
        loop.run_forever()

The entry point can start as many instances of the service as it likes,
and all of them will start concurrently.

There is also a way if the ``start`` method is a payload for a service,
and then there is no need to implement the stop method, since the running
task with the ``start`` function will be canceled at the stop stage.
But in this case, you will have to notify the ``entrypoint`` that the
initialization of the service instance is complete and it can continue.

Like this:

.. code-block:: python

    import asyncio
    from threading import Event
    from aiomisc import entrypoint, Service

    event = Event()

    class MyService(Service):
        async def start(self):
            # Send signal to entrypoint for continue running
            self.start_event.set()
            await asyncio.sleep(3600)


    with entrypoint(MyService()) as loop:
        assert event.is_set()

.. note::

    The ``entrypoint`` passes control to the body of the context manager only
    after all service instances have started. As mentioned above, a start is
    considered to be the completion of the ``start`` method or the setting of
    an start event with ``self.start_event.set()``.

The whole power of this library is in the set of already implemented or
abstract services.
Such as: ``AIOHTTPService``, ``ASGIService``, ``TCPServer``,
``UDPServer``, ``TCPClient``, ``PeriodicService``, ``CronService`` and so on.

Unfortunately in this section it is not possible to pay more attention to this,
please pay attention to the Tutorial_ section section, there are more
examples and explanations, and of cource you always can find out an answer on
the `/api/index` or in the source code. The authors have tried to make
the source code as clear and simple as possible, so feel free to explore it.


Versioning
----------

This software follows `Semantic Versioning`_

Summary: it's given a version number MAJOR.MINOR.PATCH, increment the:

* MAJOR version when you make incompatible API changes
* MINOR version when you add functionality in a backwards compatible manner
* PATCH version when you make backwards compatible bug fixes
* Additional labels for pre-release and build metadata are available as
  extensions to the MAJOR.MINOR.PATCH format.

In this case, the package version is assigned automatically with poem-plugins_,
it using on the tag in the repository as a major and minor and the counter,
which takes the number of commits between tag to the head of branch.

.. _poem-plugins: https://pypi.org/project/poem-plugins


Summary: it's given a version number MAJOR.MINOR.PATCH, increment the:

* MAJOR version when you make incompatible API changes
* MINOR version when you add functionality in a backwards compatible manner
* PATCH version when you make backwards compatible bug fixes
* Additional labels for pre-release and build metadata are available as
  extensions to the MAJOR.MINOR.PATCH format.

In this case, the package version is assigned automatically with poem-plugins_,
it using on the tag in the repository as a major and minor and the counter,
which takes the number of commits between tag to the head of branch.

.. _poem-plugins: https://pypi.org/project/poem-plugins


How to develop?
---------------

This project, like most open source projects, is developed by enthusiasts,
you can join the development, submit issues, or send your merge requests.

In order to start developing in this repository, you need to do the
following things.

Should be installed:

* Python 3.7+ as ``python3``
* Installed Poetry_ as ``poetry``

.. _Poetry: https://python-poetry.org/docs/

For setting up developer environment just execute:

    .. code-block::

        # installing all dependencies
        poetry install

        # setting up pre-commit hooks
        poetry run pre-commit install

        # adding poem-plugins to the poetry
        poetry self add poem-plugins


.. _Semantic Versioning: http://semver.org/

.. _API reference: https://aiomisc.readthedocs.io/en/latest/api/index.html
.. _Modules: https://aiomisc.readthedocs.io/en/latest/modules.html
.. _Tutorial: https://aiomisc.readthedocs.io/en/latest/tutorial.html

            

Raw data

            {
    "_id": null,
    "home_page": "https://github.com/aiokitchen/aiomisc",
    "name": "aiomisc",
    "maintainer": "",
    "docs_url": null,
    "requires_python": ">=3.8,<4.0",
    "maintainer_email": "",
    "keywords": "",
    "author": "Dmitry Orlov",
    "author_email": "me@mosquito.su",
    "download_url": "https://files.pythonhosted.org/packages/97/31/287cee6e8d59eb3f32e9afb7983a72122d20314e48d2a7af31b95f815403/aiomisc-17.5.4.tar.gz",
    "platform": null,
    "description": "aiomisc - miscellaneous utils for asyncio\n=========================================\n\n.. image:: https://coveralls.io/repos/github/aiokitchen/aiomisc/badge.svg?branch=master\n   :target: https://coveralls.io/github/aiokitchen/aiomisc\n   :alt: Coveralls\n\n.. image:: https://github.com/aiokitchen/aiomisc/workflows/tox/badge.svg\n   :target: https://github.com/aiokitchen/aiomisc/actions?query=workflow%3Atox\n   :alt: Actions\n\n.. image:: https://img.shields.io/pypi/v/aiomisc.svg\n   :target: https://pypi.python.org/pypi/aiomisc/\n   :alt: Latest Version\n\n.. image:: https://img.shields.io/pypi/wheel/aiomisc.svg\n   :target: https://pypi.python.org/pypi/aiomisc/\n\n.. image:: https://img.shields.io/pypi/pyversions/aiomisc.svg\n   :target: https://pypi.python.org/pypi/aiomisc/\n\n.. image:: https://img.shields.io/pypi/l/aiomisc.svg\n   :target: https://pypi.python.org/pypi/aiomisc/\n\n\nMiscellaneous utils for asyncio.\n\nAs a programmer, you are no stranger to the challenges that come with building\nand maintaining software applications. One area that can be particularly\ndifficult is making architecture of the software that using asynchronous I/O.\n\nThis is where aiomisc comes in. aiomisc is a Python library that provides a\ncollection of utility functions and classes for working with asynchronous I/O\nin a more intuitive and efficient way. It is built on top of the ``asyncio``\nlibrary and is designed to make it easier for developers to write\nasynchronous code that is both reliable and scalable.\n\nWith aiomisc, you can take advantage of powerful features like\n``worker pools``, ``connection pools``, ``circuit breaker pattern``,\nand retry mechanisms such as ``asyncbackoff`` and ``asyncretry`` to make your\nasyncio code more robust and easier to maintain. In this documentation,\nwe'll take a closer look at what ``aiomisc`` has to offer and how it can\nhelp you streamline your asyncio service development.\n\nInstallation\n------------\n\nInstallation is possible in standard ways, such as PyPI or installation from\na git repository directly.\n\nInstalling from PyPI_:\n\n.. code-block:: bash\n\n    pip3 install aiomisc\n\nInstalling from github.com:\n\n.. code-block:: bash\n\n    # Using git tool\n    pip3 install git+https://github.com/aiokitchen/aiomisc.git\n\n    # Alternative way using http\n    pip3 install \\\n        https://github.com/aiokitchen/aiomisc/archive/refs/heads/master.zip\n\nThe package contains several extras and you can install additional dependencies\nif you specify them in this way.\n\nWith uvloop_:\n\n.. code-block:: bash\n\n    pip3 install \"aiomisc[uvloop]\"\n\n\nWith aiohttp_:\n\n.. code-block:: bash\n\n    pip3 install \"aiomisc[aiohttp]\"\n\nComplete table of extras bellow:\n\n+-----------------------------------+------------------------------------------------+\n| example                           |  description                                   |\n+===================================+================================================+\n| ``pip install aiomisc[aiohttp]``  | For running aiohttp_ applications.             |\n+-----------------------------------+------------------------------------------------+\n| ``pip install aiomisc[asgi]``     | For running ASGI_ applications                 |\n+-----------------------------------+------------------------------------------------+\n| ``pip install aiomisc[carbon]``   | Sending metrics to carbon_ (part of graphite_) |\n+-----------------------------------+------------------------------------------------+\n| ``pip install aiomisc[cron]``     | use croniter_ for scheduling tasks             |\n+-----------------------------------+------------------------------------------------+\n| ``pip install aiomisc[raven]``    | Sending exceptions to sentry_ using raven_     |\n+-----------------------------------+------------------------------------------------+\n| ``pip install aiomisc[rich]``     | You might using rich_ for logging              |\n+-----------------------------------+------------------------------------------------+\n| ``pip install aiomisc[uvicorn]``  | For running ASGI_ application using uvicorn_   |\n+-----------------------------------+------------------------------------------------+\n| ``pip install aiomisc[uvloop]``   | use uvloop_ as a default event loop            |\n+-----------------------------------+------------------------------------------------+\n\n.. _ASGI: https://asgi.readthedocs.io/en/latest/\n.. _PyPI: https://pypi.org/\n.. _aiohttp: https://pypi.org/project/aiohttp\n.. _carbon: https://pypi.org/project/carbon\n.. _croniter: https://pypi.org/project/croniter\n.. _graphite: http://graphiteapp.org\n.. _raven: https://pypi.org/project/raven\n.. _rich: https://pypi.org/project/rich\n.. _sentry: https://sentry.io/\n.. _uvloop: https://pypi.org/project/uvloop\n.. _uvicorn: https://pypi.org/project/uvicorn\n\nYou can combine extras values by separating them with commas, for example:\n\n.. code-block:: bash\n\n    pip3 install \"aiomisc[aiohttp,cron,rich,uvloop]\"\n\n\nQuick Start\n-----------\n\nThis section will cover how this library creates and uses the event loop and\ncreates services. Of course, you can't write about everything here, but you\ncan read about a lot in the Tutorial_ section, and you can\nalways refer to the Modules_ and `API reference`_ sections for help.\n\nEvent-loop and entrypoint\n+++++++++++++++++++++++++\n\nLet's look at this simple example first:\n\n.. code-block:: python\n\n    import asyncio\n    import logging\n\n    import aiomisc\n\n    log = logging.getLogger(__name__)\n\n    async def main():\n        log.info('Starting')\n        await asyncio.sleep(3)\n        log.info('Exiting')\n\n\n    if __name__ == '__main__':\n        with aiomisc.entrypoint(log_level=\"info\", log_format=\"color\") as loop:\n            loop.run_until_complete(main())\n\n\nThis code declares an asynchronous ``main()`` function that exits after\n3 seconds. It would seem nothing interesting, but the whole point is in\nthe ``entrypoint``.\n\nWhat does the ``entrypoint`` do, it would seem not so much, it creates an\nevent-loop and transfers control to the user. However, under the hood, the\nlogger is configured in a separate thread, a pool of threads is created,\nservices are started, but more on that later and there are no services\nin this example.\n\nAlternatively, you can choose not to use an entrypoint, just create an\nevent-loop and set this as a default event loop for current thread:\n\n.. code-block:: python\n    :name: test_index_get_loop\n\n    import asyncio\n    import aiomisc\n\n    # * Installs uvloop event loop is it's has been installed.\n    # * Creates and set `aiomisc.thread_pool.ThreadPoolExecutor`\n    #   as a default executor\n    # * Sets just created event-loop as a current event-loop for this thread.\n    aiomisc.new_event_loop()\n\n    async def main():\n        await asyncio.sleep(1)\n\n    if __name__ == '__main__':\n        loop = asyncio.get_event_loop()\n        loop.run_until_complete(main())\n\nThe example above is useful if your code is already using an implicitly created\nevent loop, you will have to modify less code, just add\n``aiomisc.new_event_loop()`` and all calls to ``asyncio.get_event_loop()``\nwill return the created instance.\n\nHowever, you can do with one call. Following example closes implicitly created\nasyncio event loop and install a new one:\n\n.. code-block:: python\n    :name: test_index_new_loop\n\n    import asyncio\n    import aiomisc\n\n    async def main():\n        await asyncio.sleep(3)\n\n    if __name__ == '__main__':\n        loop = aiomisc.new_event_loop()\n        loop.run_until_complete(main())\n\nServices\n++++++++\n\nThe main thing that an ``entrypoint`` does is start and gracefully\nstop services.\n\nThe service concept within this library means a class derived from\nthe ``aiosmic.Service`` class and implementing the\n``async def start(self) -> None:`` method and optionally the\n``async def stop(self, exc: Optional[ Exception]) -> None`` method.\n\nThe concept of stopping a service is not necessarily is pressing ``Ctrl+C``\nkeys by user, it's actually just exiting the ``entrypoint`` context manager.\n\nThe example below shows what your service might look like:\n\n.. code-block:: python\n\n    from aiomisc import entrypoint, Service\n\n    class MyService(Service):\n        async def start(self):\n            do_something_when_start()\n\n        async def stop(self, exc):\n            do_graceful_shutdown()\n\n\n    with entrypoint(MyService()) as loop:\n        loop.run_forever()\n\nThe entry point can start as many instances of the service as it likes,\nand all of them will start concurrently.\n\nThere is also a way if the ``start`` method is a payload for a service,\nand then there is no need to implement the stop method, since the running\ntask with the ``start`` function will be canceled at the stop stage.\nBut in this case, you will have to notify the ``entrypoint`` that the\ninitialization of the service instance is complete and it can continue.\n\nLike this:\n\n.. code-block:: python\n\n    import asyncio\n    from threading import Event\n    from aiomisc import entrypoint, Service\n\n    event = Event()\n\n    class MyService(Service):\n        async def start(self):\n            # Send signal to entrypoint for continue running\n            self.start_event.set()\n            await asyncio.sleep(3600)\n\n\n    with entrypoint(MyService()) as loop:\n        assert event.is_set()\n\n.. note::\n\n    The ``entrypoint`` passes control to the body of the context manager only\n    after all service instances have started. As mentioned above, a start is\n    considered to be the completion of the ``start`` method or the setting of\n    an start event with ``self.start_event.set()``.\n\nThe whole power of this library is in the set of already implemented or\nabstract services.\nSuch as: ``AIOHTTPService``, ``ASGIService``, ``TCPServer``,\n``UDPServer``, ``TCPClient``, ``PeriodicService``, ``CronService`` and so on.\n\nUnfortunately in this section it is not possible to pay more attention to this,\nplease pay attention to the Tutorial_ section section, there are more\nexamples and explanations, and of cource you always can find out an answer on\nthe `/api/index` or in the source code. The authors have tried to make\nthe source code as clear and simple as possible, so feel free to explore it.\n\n\nVersioning\n----------\n\nThis software follows `Semantic Versioning`_\n\nSummary: it's given a version number MAJOR.MINOR.PATCH, increment the:\n\n* MAJOR version when you make incompatible API changes\n* MINOR version when you add functionality in a backwards compatible manner\n* PATCH version when you make backwards compatible bug fixes\n* Additional labels for pre-release and build metadata are available as\n  extensions to the MAJOR.MINOR.PATCH format.\n\nIn this case, the package version is assigned automatically with poem-plugins_,\nit using on the tag in the repository as a major and minor and the counter,\nwhich takes the number of commits between tag to the head of branch.\n\n.. _poem-plugins: https://pypi.org/project/poem-plugins\n\n\nSummary: it's given a version number MAJOR.MINOR.PATCH, increment the:\n\n* MAJOR version when you make incompatible API changes\n* MINOR version when you add functionality in a backwards compatible manner\n* PATCH version when you make backwards compatible bug fixes\n* Additional labels for pre-release and build metadata are available as\n  extensions to the MAJOR.MINOR.PATCH format.\n\nIn this case, the package version is assigned automatically with poem-plugins_,\nit using on the tag in the repository as a major and minor and the counter,\nwhich takes the number of commits between tag to the head of branch.\n\n.. _poem-plugins: https://pypi.org/project/poem-plugins\n\n\nHow to develop?\n---------------\n\nThis project, like most open source projects, is developed by enthusiasts,\nyou can join the development, submit issues, or send your merge requests.\n\nIn order to start developing in this repository, you need to do the\nfollowing things.\n\nShould be installed:\n\n* Python 3.7+ as ``python3``\n* Installed Poetry_ as ``poetry``\n\n.. _Poetry: https://python-poetry.org/docs/\n\nFor setting up developer environment just execute:\n\n    .. code-block::\n\n        # installing all dependencies\n        poetry install\n\n        # setting up pre-commit hooks\n        poetry run pre-commit install\n\n        # adding poem-plugins to the poetry\n        poetry self add poem-plugins\n\n\n.. _Semantic Versioning: http://semver.org/\n\n.. _API reference: https://aiomisc.readthedocs.io/en/latest/api/index.html\n.. _Modules: https://aiomisc.readthedocs.io/en/latest/modules.html\n.. _Tutorial: https://aiomisc.readthedocs.io/en/latest/tutorial.html\n",
    "bugtrack_url": null,
    "license": "MIT",
    "summary": "aiomisc - miscellaneous utils for asyncio",
    "version": "17.5.4",
    "project_urls": {
        "Changelog": "https://github.com/aiokitchen/aiomisc/blob/master/CHANGELOG.md",
        "Documentation": "https://aiomisc.readthedocs.io/en/latest/",
        "Homepage": "https://github.com/aiokitchen/aiomisc",
        "Source": "https://github.com/aiokitchen/aiomisc",
        "Tracker": "https://github.com/aiokitchen/aiomisc/issues"
    },
    "split_keywords": [],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "13ee92864bc207c52beb454731f122d92385efe07b8fcd1cf0a40e2555c661c7",
                "md5": "5926efddd221e820d366cdc1dbf11d79",
                "sha256": "27c1bf53f88b98a0599ac0d3ffd3cf8a4b4f698d293e68959375e8c85fc8285b"
            },
            "downloads": -1,
            "filename": "aiomisc-17.5.4-py3-none-any.whl",
            "has_sig": false,
            "md5_digest": "5926efddd221e820d366cdc1dbf11d79",
            "packagetype": "bdist_wheel",
            "python_version": "py3",
            "requires_python": ">=3.8,<4.0",
            "size": 82945,
            "upload_time": "2024-03-14T13:19:12",
            "upload_time_iso_8601": "2024-03-14T13:19:12.908889Z",
            "url": "https://files.pythonhosted.org/packages/13/ee/92864bc207c52beb454731f122d92385efe07b8fcd1cf0a40e2555c661c7/aiomisc-17.5.4-py3-none-any.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "9731287cee6e8d59eb3f32e9afb7983a72122d20314e48d2a7af31b95f815403",
                "md5": "7abb1953f353d22ac1dbe17314b17ffa",
                "sha256": "ff658468cf5933d75b300ef75c00ce136bb9af749f300ca31fc8ac3ac5da2611"
            },
            "downloads": -1,
            "filename": "aiomisc-17.5.4.tar.gz",
            "has_sig": false,
            "md5_digest": "7abb1953f353d22ac1dbe17314b17ffa",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": ">=3.8,<4.0",
            "size": 64217,
            "upload_time": "2024-03-14T13:19:16",
            "upload_time_iso_8601": "2024-03-14T13:19:16.117986Z",
            "url": "https://files.pythonhosted.org/packages/97/31/287cee6e8d59eb3f32e9afb7983a72122d20314e48d2a7af31b95f815403/aiomisc-17.5.4.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2024-03-14 13:19:16",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "aiokitchen",
    "github_project": "aiomisc",
    "travis_ci": false,
    "coveralls": true,
    "github_actions": true,
    "lcname": "aiomisc"
}
        
Elapsed time: 0.22075s