![pypi version](https://img.shields.io/pypi/v/cysystemd.svg) ![](https://img.shields.io/pypi/pyversions/cysystemd.svg) ![License](https://img.shields.io/pypi/l/cysystemd.svg)
# systemd wrapper in Cython
Python systemd wrapper using Cython.
## Installation
### About Binary Wheels Distribution
Historically, `cysystemd` was not distributed via wheels due to systemd versioning challenges.
While the `libsystemd` headers remain relatively stable, the ABI can vary between different OS versions and
distributions.
Previous attempts to distribute wheels resulted in compatibility issues across different Linux systems.
Currently, we use the `manylinux_2_34` format for wheel distribution, which bundles the necessary shared objects
(.so files) required for operation.
This approach should provide compatibility with modern systemd installations.
**However, if you encounter any compatibility issues, we strongly recommend installing the package from
source code instead.**
```bash
pip install --no-binary=:all: cysystemd
```
### Installation from PyPI
Once the system dependencies are installed, you can install cysystemd:
```shell
pip install cysystemd
```
### Installation from Source
**You must install the systemd development headers (libsystemd) before installation!** Without these headers, the
installation will fail.
For Debian/Ubuntu users:
```shell
apt install build-essential libsystemd-dev
```
On older versions of Debian/Ubuntu, you might also need:
```shell
apt install libsystemd-daemon-dev libsystemd-journal-dev
```
For CentOS/RHEL:
```shell
yum install gcc systemd-devel
```
# BREAKING CHANGES in v2.0.0
## AsyncJournalReader Changes
1. Major refactoring of the AsyncJournalReader iterator implementation:
* Removed internal queue and threading-based implementation
* Now uses direct async iteration through journal events
* More reliable handling of journal invalidation events
* Simpler and more efficient implementation
2. `wait()` method now returns `JournalEvent` instead of boolean
* Returns specific event type (`JournalEvent.APPEND`, `JournalEvent.INVALIDATE`, `JournalEvent.NOP`)
* Better error handling and event processing
## Type Annotations
* Added comprehensive type hints throughout the codebase
* Added return type annotations for all public methods
* Enhanced IDE support and code documentation
## API Behavior Changes
* `seek_tail()` now automatically calls `previous()` to ensure cursor is positioned correctly
* Improved error handling and validation in various methods
* More consistent return types across the API
## Python Support
* Added support for Python 3.13
* Maintained support for Python 3.8-3.12
## Dependency Changes
* Requires latest libsystemd development headers
* Binary wheels are no longer distributed (see "Why binary wheels are no longer distributed" above)
Please ensure your code is updated to handle these changes when upgrading to version 2.0.0.
## Usage examples
### Writing to journald
#### Logging handler for python logger
```python
from cysystemd import journal
import logging
import uuid
logging.basicConfig(level=logging.DEBUG)
logger = logging.getLogger()
logger.addHandler(journal.JournaldLogHandler())
try:
logger.info("Trying to do something")
raise Exception('foo')
except:
logger.exception("Test Exception %s", 1)
```
#### systemd daemon notification
```python
from cysystemd.daemon import notify, Notification
# Send READY=1
notify(Notification.READY)
# Send status
notify(Notification.STATUS, "I'm fine.")
# Send stopping
notify(Notification.STOPPING)
```
Write message into systemd journal:
```python
from cysystemd import journal
journal.write("Hello Lennart")
# Or send structured data
journal.send(
message="Hello Lennart",
priority=journal.Priority.INFO,
some_field='some value',
)
```
### Reading journald
#### Reading all systemd records
```python
from cysystemd.reader import JournalReader, JournalOpenMode
journal_reader = JournalReader()
journal_reader.open(JournalOpenMode.SYSTEM)
journal_reader.seek_head()
for record in journal_reader:
print(record.data['MESSAGE'])
```
#### Read only cron logs
```python
from cysystemd.reader import JournalReader, JournalOpenMode, Rule
rules = (
Rule("SYSLOG_IDENTIFIER", "CRON") &
Rule("_SYSTEMD_UNIT", "crond.service") |
Rule("_SYSTEMD_UNIT", "cron.service")
)
cron_reader = JournalReader()
cron_reader.open(JournalOpenMode.SYSTEM)
cron_reader.seek_head()
cron_reader.add_filter(rules)
for record in cron_reader:
print(record.data['MESSAGE'])
```
#### Polling records
```python
from cysystemd.reader import JournalReader, JournalOpenMode
reader = JournalReader()
reader.open(JournalOpenMode.SYSTEM)
reader.seek_tail()
poll_timeout = 255
while True:
reader.wait(poll_timeout)
for record in reader:
print(record.data['MESSAGE'])
```
#### journald open modes
* `CURRENT_USER`
* `LOCAL_ONLY`
* `RUNTIME_ONLY`
* `SYSTEM`
* `SYSTEM_ONLY` - deprecated alias of `SYSTEM`
```python
from cysystemd.reader import JournalReader, JournalOpenMode
reader = JournalReader()
reader.open(JournalOpenMode.CURRENT_USER)
```
#### journald entry
JournalEntry class has some special properties and methods:
* `data` - journal entry content (`dict`)
* `date` - entry timestamp (`datetime` instance)
* `cursor` - systemd identification bytes for this entry
* `boot_id()` - returns bootid
* `get_realtime_sec()` - entry epoch (`float`)
* `get_realtime_usec()` - entry epoch (`int` microseconds)
* `get_monotonic_sec()` - entry monotonic time (`float`)
* `get_monotonic_usec()` - entry monotonic time (`int` microseconds)
* `__getitem__(key)` - shoutcut for `entry.data[key]`
#### journald reader
JournalReader class has some special properties and methods:
* `open(flags=JournalOpenMode.CURRENT_USER)` - opening journald
with selected mode
* `open_directory(path)` - opening journald from path
* `open_files(*filename)` - opening journald from files
* `data_threshold` - may be used to get or set the data field size threshold
for data returned by fething entry data.
* `closed` - returns True when journal reader closed
* `locked` - returns True when journal reader locked
* `idle` - returns True when journal reader opened
* `seek_head` - move reader pointer to the first entry
* `seek_tail` - move reader pointer to the last entry
* `seek_monotonic_usec` - seeks to the entry with the specified monotonic
timestamp, i.e. CLOCK_MONOTONIC. Since monotonic time restarts on every
reboot a boot ID needs to be specified as well.
* `seek_realtime_usec` - seeks to the entry with the specified realtime
(wallclock) timestamp, i.e. CLOCK_REALTIME. Note that the realtime clock
is not necessarily monotonic. If a realtime timestamp is ambiguous, it is
not defined which position is sought to.
* `seek_cursor` - seeks to the entry located at the specified cursor
(see `JournalEntry.cursor`).
* `wait(timeout)` - It will synchronously wait until the journal gets
changed. The maximum time this call sleeps may be controlled with the
timeout_usec parameter.
* `__iter__` - returns JournalReader object
* `__next__` - calls `next()` or raise `StopIteration`
* `next(skip=0)` - returns the next `JournalEntry`. The `skip`
parameter skips some entries.
* `previous(skip=0)` - returns the previous `JournalEntry`.
The `skip` parameter skips some entries.
* `skip_next(skip)` - skips next entries.
* `skip_previous(skip)` - skips next entries.
* `add_filter(rule)` - adding filter rule.
See `read-only-cron-logs`_ as example.
* `clear_filter` - reset all filters
* `fd` - returns a special file descriptor
* `events` - returns `EPOLL` events
* `timeout` - returns internal timeout
* `process_events()` - After each poll() wake-up process_events() needs
to be called to process events. This call will also indicate what kind of
change has been detected.
* `get_catalog()` - retrieves a message catalog entry for the current
journal entry. This will look up an entry in the message catalog by using
the "MESSAGE_ID=" field of the current journal entry. Before returning
the entry all journal field names in the catalog entry text enclosed in
"@" will be replaced by the respective field values of the current entry.
If a field name referenced in the message catalog entry does not exist,
in the current journal entry, the "@" will be removed, but the field name
otherwise left untouched.
* `get_catalog_for_message_id(message_id: UUID)` - works similar to
`get_catalog()` but the entry is looked up by the specified
message ID (no open journal context is necessary for this),
and no field substitution is performed.
### Asyncio support
Initial `asyncio` support for reading journal asynchronously.
#### AsyncJournalReader
Blocking methods were wrapped by threads.
Method `wait()` use epoll on journald file descriptor.
```python
import asyncio
import json
from cysystemd.reader import JournalOpenMode
from cysystemd.async_reader import AsyncJournalReader
async def main():
reader = AsyncJournalReader()
await reader.open(JournalOpenMode.SYSTEM)
await reader.seek_tail()
async for record in reader:
print(json.dumps(record.data, indent=1, sort_keys=True))
if __name__ == '__main__':
asyncio.run(main())
```
Raw data
{
"_id": null,
"home_page": "http://github.com/mosquito/cysystemd",
"name": "cysystemd",
"maintainer": null,
"docs_url": null,
"requires_python": "<4,>3.6",
"maintainer_email": null,
"keywords": "systemd, python, daemon, sd_notify, cython",
"author": "Dmitry Orlov <me@mosquito.su>",
"author_email": "me@mosquito.su",
"download_url": "https://files.pythonhosted.org/packages/d2/23/00950116890136fddd94fc6a176eb04f006e689bec4db5bf5727587ede09/cysystemd-2.0.1.tar.gz",
"platform": "POSIX",
"description": "![pypi version](https://img.shields.io/pypi/v/cysystemd.svg) ![](https://img.shields.io/pypi/pyversions/cysystemd.svg) ![License](https://img.shields.io/pypi/l/cysystemd.svg)\n\n# systemd wrapper in Cython\n\nPython systemd wrapper using Cython.\n\n## Installation\n\n### About Binary Wheels Distribution\n\nHistorically, `cysystemd` was not distributed via wheels due to systemd versioning challenges.\nWhile the `libsystemd` headers remain relatively stable, the ABI can vary between different OS versions and\ndistributions.\nPrevious attempts to distribute wheels resulted in compatibility issues across different Linux systems.\nCurrently, we use the `manylinux_2_34` format for wheel distribution, which bundles the necessary shared objects\n(.so files) required for operation.\n\nThis approach should provide compatibility with modern systemd installations.\n\n**However, if you encounter any compatibility issues, we strongly recommend installing the package from\nsource code instead.**\n\n```bash\npip install --no-binary=:all: cysystemd\n```\n\n### Installation from PyPI\n\nOnce the system dependencies are installed, you can install cysystemd:\n```shell\npip install cysystemd\n```\n\n### Installation from Source\n\n**You must install the systemd development headers (libsystemd) before installation!** Without these headers, the\ninstallation will fail.\n\nFor Debian/Ubuntu users:\n```shell\napt install build-essential libsystemd-dev\n```\n\nOn older versions of Debian/Ubuntu, you might also need:\n\n```shell\napt install libsystemd-daemon-dev libsystemd-journal-dev\n```\n\nFor CentOS/RHEL:\n```shell\nyum install gcc systemd-devel\n```\n\n# BREAKING CHANGES in v2.0.0\n\n## AsyncJournalReader Changes\n1. Major refactoring of the AsyncJournalReader iterator implementation:\n * Removed internal queue and threading-based implementation\n * Now uses direct async iteration through journal events\n * More reliable handling of journal invalidation events\n * Simpler and more efficient implementation\n\n2. `wait()` method now returns `JournalEvent` instead of boolean\n * Returns specific event type (`JournalEvent.APPEND`, `JournalEvent.INVALIDATE`, `JournalEvent.NOP`)\n * Better error handling and event processing\n\n## Type Annotations\n* Added comprehensive type hints throughout the codebase\n* Added return type annotations for all public methods\n* Enhanced IDE support and code documentation\n\n## API Behavior Changes\n* `seek_tail()` now automatically calls `previous()` to ensure cursor is positioned correctly\n* Improved error handling and validation in various methods\n* More consistent return types across the API\n\n## Python Support\n* Added support for Python 3.13\n* Maintained support for Python 3.8-3.12\n\n## Dependency Changes\n* Requires latest libsystemd development headers\n* Binary wheels are no longer distributed (see \"Why binary wheels are no longer distributed\" above)\n\nPlease ensure your code is updated to handle these changes when upgrading to version 2.0.0.\n\n## Usage examples\n\n### Writing to journald\n\n#### Logging handler for python logger\n\n```python\nfrom cysystemd import journal\nimport logging\nimport uuid\n\nlogging.basicConfig(level=logging.DEBUG)\nlogger = logging.getLogger()\nlogger.addHandler(journal.JournaldLogHandler())\n\ntry:\n logger.info(\"Trying to do something\")\n raise Exception('foo')\nexcept:\n logger.exception(\"Test Exception %s\", 1)\n```\n\n#### systemd daemon notification\n\n\n```python\nfrom cysystemd.daemon import notify, Notification\n\n# Send READY=1\nnotify(Notification.READY)\n\n# Send status\nnotify(Notification.STATUS, \"I'm fine.\")\n\n# Send stopping\nnotify(Notification.STOPPING)\n```\n\nWrite message into systemd journal:\n\n```python\nfrom cysystemd import journal\n\n\njournal.write(\"Hello Lennart\")\n\n# Or send structured data\njournal.send(\n message=\"Hello Lennart\",\n priority=journal.Priority.INFO,\n some_field='some value',\n)\n```\n\n### Reading journald\n\n#### Reading all systemd records\n\n```python\n\nfrom cysystemd.reader import JournalReader, JournalOpenMode\n\njournal_reader = JournalReader()\njournal_reader.open(JournalOpenMode.SYSTEM)\njournal_reader.seek_head()\n\nfor record in journal_reader:\n print(record.data['MESSAGE'])\n```\n\n#### Read only cron logs\n\n```python\nfrom cysystemd.reader import JournalReader, JournalOpenMode, Rule\n\n\nrules = (\n Rule(\"SYSLOG_IDENTIFIER\", \"CRON\") &\n Rule(\"_SYSTEMD_UNIT\", \"crond.service\") |\n Rule(\"_SYSTEMD_UNIT\", \"cron.service\")\n)\n\ncron_reader = JournalReader()\ncron_reader.open(JournalOpenMode.SYSTEM)\ncron_reader.seek_head()\ncron_reader.add_filter(rules)\n\nfor record in cron_reader:\n print(record.data['MESSAGE'])\n```\n\n#### Polling records\n\n```python\nfrom cysystemd.reader import JournalReader, JournalOpenMode\n\n\nreader = JournalReader()\nreader.open(JournalOpenMode.SYSTEM)\nreader.seek_tail()\n\npoll_timeout = 255\n\nwhile True:\n reader.wait(poll_timeout)\n\n for record in reader:\n print(record.data['MESSAGE'])\n```\n\n#### journald open modes\n\n* `CURRENT_USER`\n* `LOCAL_ONLY`\n* `RUNTIME_ONLY`\n* `SYSTEM`\n* `SYSTEM_ONLY` - deprecated alias of `SYSTEM`\n\n\n```python\nfrom cysystemd.reader import JournalReader, JournalOpenMode\n\n\nreader = JournalReader()\nreader.open(JournalOpenMode.CURRENT_USER)\n```\n\n#### journald entry\n\nJournalEntry class has some special properties and methods:\n\n* `data` - journal entry content (`dict`)\n* `date` - entry timestamp (`datetime` instance)\n* `cursor` - systemd identification bytes for this entry\n* `boot_id()` - returns bootid\n* `get_realtime_sec()` - entry epoch (`float`)\n* `get_realtime_usec()` - entry epoch (`int` microseconds)\n* `get_monotonic_sec()` - entry monotonic time (`float`)\n* `get_monotonic_usec()` - entry monotonic time (`int` microseconds)\n* `__getitem__(key)` - shoutcut for `entry.data[key]`\n\n\n#### journald reader\n\nJournalReader class has some special properties and methods:\n\n* `open(flags=JournalOpenMode.CURRENT_USER)` - opening journald\n with selected mode\n* `open_directory(path)` - opening journald from path\n* `open_files(*filename)` - opening journald from files\n* `data_threshold` - may be used to get or set the data field size threshold\n for data returned by fething entry data.\n* `closed` - returns True when journal reader closed\n* `locked` - returns True when journal reader locked\n* `idle` - returns True when journal reader opened\n* `seek_head` - move reader pointer to the first entry\n* `seek_tail` - move reader pointer to the last entry\n* `seek_monotonic_usec` - seeks to the entry with the specified monotonic\n timestamp, i.e. CLOCK_MONOTONIC. Since monotonic time restarts on every\n reboot a boot ID needs to be specified as well.\n* `seek_realtime_usec` - seeks to the entry with the specified realtime\n (wallclock) timestamp, i.e. CLOCK_REALTIME. Note that the realtime clock\n is not necessarily monotonic. If a realtime timestamp is ambiguous, it is\n not defined which position is sought to.\n* `seek_cursor` - seeks to the entry located at the specified cursor\n (see `JournalEntry.cursor`).\n* `wait(timeout)` - It will synchronously wait until the journal gets\n changed. The maximum time this call sleeps may be controlled with the\n timeout_usec parameter.\n* `__iter__` - returns JournalReader object\n* `__next__` - calls `next()` or raise `StopIteration`\n* `next(skip=0)` - returns the next `JournalEntry`. The `skip`\n parameter skips some entries.\n* `previous(skip=0)` - returns the previous `JournalEntry`.\n The `skip` parameter skips some entries.\n* `skip_next(skip)` - skips next entries.\n* `skip_previous(skip)` - skips next entries.\n* `add_filter(rule)` - adding filter rule.\n See `read-only-cron-logs`_ as example.\n* `clear_filter` - reset all filters\n* `fd` - returns a special file descriptor\n* `events` - returns `EPOLL` events\n* `timeout` - returns internal timeout\n* `process_events()` - After each poll() wake-up process_events() needs\n to be called to process events. This call will also indicate what kind of\n change has been detected.\n* `get_catalog()` - retrieves a message catalog entry for the current\n journal entry. This will look up an entry in the message catalog by using\n the \"MESSAGE_ID=\" field of the current journal entry. Before returning\n the entry all journal field names in the catalog entry text enclosed in\n \"@\" will be replaced by the respective field values of the current entry.\n If a field name referenced in the message catalog entry does not exist,\n in the current journal entry, the \"@\" will be removed, but the field name\n otherwise left untouched.\n* `get_catalog_for_message_id(message_id: UUID)` - works similar to\n `get_catalog()` but the entry is looked up by the specified\n message ID (no open journal context is necessary for this),\n and no field substitution is performed.\n\n\n### Asyncio support\n\nInitial `asyncio` support for reading journal asynchronously.\n\n#### AsyncJournalReader\n\nBlocking methods were wrapped by threads.\nMethod `wait()` use epoll on journald file descriptor.\n\n```python\nimport asyncio\nimport json\n\nfrom cysystemd.reader import JournalOpenMode\nfrom cysystemd.async_reader import AsyncJournalReader\n\n\nasync def main():\n reader = AsyncJournalReader()\n await reader.open(JournalOpenMode.SYSTEM)\n await reader.seek_tail()\n\n async for record in reader:\n print(json.dumps(record.data, indent=1, sort_keys=True))\n\nif __name__ == '__main__':\n asyncio.run(main())\n```\n",
"bugtrack_url": null,
"license": "Apache 2.0",
"summary": "systemd wrapper in Cython",
"version": "2.0.1",
"project_urls": {
"Homepage": "http://github.com/mosquito/cysystemd"
},
"split_keywords": [
"systemd",
" python",
" daemon",
" sd_notify",
" cython"
],
"urls": [
{
"comment_text": "",
"digests": {
"blake2b_256": "23e7aa5441ac05471ab606bb39f507650db01d4b6d6de49d84f7129a06d8928e",
"md5": "4a2b650f3f05ce16bebb1c732f661957",
"sha256": "19a0b380622a11b42e7823e95a1f12312142d5a13d1b6e3cb400272e5aa3d07f"
},
"downloads": -1,
"filename": "cysystemd-2.0.1-cp310-cp310-manylinux_2_34_aarch64.whl",
"has_sig": false,
"md5_digest": "4a2b650f3f05ce16bebb1c732f661957",
"packagetype": "bdist_wheel",
"python_version": "cp310",
"requires_python": "<4,>3.6",
"size": 2267950,
"upload_time": "2025-01-13T09:43:20",
"upload_time_iso_8601": "2025-01-13T09:43:20.165268Z",
"url": "https://files.pythonhosted.org/packages/23/e7/aa5441ac05471ab606bb39f507650db01d4b6d6de49d84f7129a06d8928e/cysystemd-2.0.1-cp310-cp310-manylinux_2_34_aarch64.whl",
"yanked": false,
"yanked_reason": null
},
{
"comment_text": "",
"digests": {
"blake2b_256": "588a52e8a2e41d37ae6f64309c5ab30e51848c27721f188ffab553a7fc32907a",
"md5": "5b7bef2e742019fc7232c73b270d10c0",
"sha256": "d0aaaa11ca96e706b1a2fbe2e9ec1c3739583e00ed88dcd1d987663b7b519870"
},
"downloads": -1,
"filename": "cysystemd-2.0.1-cp310-cp310-manylinux_2_34_x86_64.whl",
"has_sig": false,
"md5_digest": "5b7bef2e742019fc7232c73b270d10c0",
"packagetype": "bdist_wheel",
"python_version": "cp310",
"requires_python": "<4,>3.6",
"size": 2394766,
"upload_time": "2025-01-13T09:43:23",
"upload_time_iso_8601": "2025-01-13T09:43:23.258008Z",
"url": "https://files.pythonhosted.org/packages/58/8a/52e8a2e41d37ae6f64309c5ab30e51848c27721f188ffab553a7fc32907a/cysystemd-2.0.1-cp310-cp310-manylinux_2_34_x86_64.whl",
"yanked": false,
"yanked_reason": null
},
{
"comment_text": "",
"digests": {
"blake2b_256": "a5b986c887ec4879edcba99e6db1bcddc9c35e989a489a4761a3987be82f3957",
"md5": "8a29845d7b128f5506adac64dfabc244",
"sha256": "8f50d7d4057406c4b30ae5604f061687fcaa7c5e541935c7b4817166c870fc11"
},
"downloads": -1,
"filename": "cysystemd-2.0.1-cp311-cp311-manylinux_2_34_aarch64.whl",
"has_sig": false,
"md5_digest": "8a29845d7b128f5506adac64dfabc244",
"packagetype": "bdist_wheel",
"python_version": "cp311",
"requires_python": "<4,>3.6",
"size": 2326556,
"upload_time": "2025-01-13T09:43:24",
"upload_time_iso_8601": "2025-01-13T09:43:24.790813Z",
"url": "https://files.pythonhosted.org/packages/a5/b9/86c887ec4879edcba99e6db1bcddc9c35e989a489a4761a3987be82f3957/cysystemd-2.0.1-cp311-cp311-manylinux_2_34_aarch64.whl",
"yanked": false,
"yanked_reason": null
},
{
"comment_text": "",
"digests": {
"blake2b_256": "ac05699da6b7463c772312f6ef91784d199b65574a925019e18d7e56ba591858",
"md5": "0a9792056ec525a2c0b4e8c3cad34745",
"sha256": "78dc5187193b2b959987e38c29d66e9fb625de5f93f2aec58eb7553aa504ed1d"
},
"downloads": -1,
"filename": "cysystemd-2.0.1-cp311-cp311-manylinux_2_34_x86_64.whl",
"has_sig": false,
"md5_digest": "0a9792056ec525a2c0b4e8c3cad34745",
"packagetype": "bdist_wheel",
"python_version": "cp311",
"requires_python": "<4,>3.6",
"size": 2455862,
"upload_time": "2025-01-13T09:43:27",
"upload_time_iso_8601": "2025-01-13T09:43:27.496717Z",
"url": "https://files.pythonhosted.org/packages/ac/05/699da6b7463c772312f6ef91784d199b65574a925019e18d7e56ba591858/cysystemd-2.0.1-cp311-cp311-manylinux_2_34_x86_64.whl",
"yanked": false,
"yanked_reason": null
},
{
"comment_text": "",
"digests": {
"blake2b_256": "6241ced57b3e8f65840c7a793baf0c53715ded901458cb3ff5c56225d7c39b23",
"md5": "6827afa911d98a1882f832e03e84f3a3",
"sha256": "cd5543e1b1d96c5f327203506a46df96235e8b984cf0cfb4b85f0348975b7957"
},
"downloads": -1,
"filename": "cysystemd-2.0.1-cp312-cp312-manylinux_2_34_aarch64.whl",
"has_sig": false,
"md5_digest": "6827afa911d98a1882f832e03e84f3a3",
"packagetype": "bdist_wheel",
"python_version": "cp312",
"requires_python": "<4,>3.6",
"size": 2319026,
"upload_time": "2025-01-13T09:43:30",
"upload_time_iso_8601": "2025-01-13T09:43:30.223516Z",
"url": "https://files.pythonhosted.org/packages/62/41/ced57b3e8f65840c7a793baf0c53715ded901458cb3ff5c56225d7c39b23/cysystemd-2.0.1-cp312-cp312-manylinux_2_34_aarch64.whl",
"yanked": false,
"yanked_reason": null
},
{
"comment_text": "",
"digests": {
"blake2b_256": "2122afd2153b4100c7a8849a0810932c0636143b226d9ee0d8a761e233f0f8ce",
"md5": "2ff48513328d71448dcf734d1ff2f875",
"sha256": "39b03dcfced76957ede5f3f21956b5687a0511bdd1d0d41f2d3dffc9df32320d"
},
"downloads": -1,
"filename": "cysystemd-2.0.1-cp312-cp312-manylinux_2_34_x86_64.whl",
"has_sig": false,
"md5_digest": "2ff48513328d71448dcf734d1ff2f875",
"packagetype": "bdist_wheel",
"python_version": "cp312",
"requires_python": "<4,>3.6",
"size": 2454117,
"upload_time": "2025-01-13T09:43:31",
"upload_time_iso_8601": "2025-01-13T09:43:31.928874Z",
"url": "https://files.pythonhosted.org/packages/21/22/afd2153b4100c7a8849a0810932c0636143b226d9ee0d8a761e233f0f8ce/cysystemd-2.0.1-cp312-cp312-manylinux_2_34_x86_64.whl",
"yanked": false,
"yanked_reason": null
},
{
"comment_text": "",
"digests": {
"blake2b_256": "516648174df96d46d426d6a3bf605df21b10aa98752bd98f32b7e8e1edaddb08",
"md5": "1151140e1fd055c8dbc3d69629ada16f",
"sha256": "017b924d42ee92f6736714b78d51f81aded6b5f34e44dc7e2e92cbe2598e3611"
},
"downloads": -1,
"filename": "cysystemd-2.0.1-cp313-cp313-manylinux_2_34_aarch64.whl",
"has_sig": false,
"md5_digest": "1151140e1fd055c8dbc3d69629ada16f",
"packagetype": "bdist_wheel",
"python_version": "cp313",
"requires_python": "<4,>3.6",
"size": 2304347,
"upload_time": "2025-01-13T09:43:33",
"upload_time_iso_8601": "2025-01-13T09:43:33.624997Z",
"url": "https://files.pythonhosted.org/packages/51/66/48174df96d46d426d6a3bf605df21b10aa98752bd98f32b7e8e1edaddb08/cysystemd-2.0.1-cp313-cp313-manylinux_2_34_aarch64.whl",
"yanked": false,
"yanked_reason": null
},
{
"comment_text": "",
"digests": {
"blake2b_256": "c88ac02db9ef01f0dc1dec06f0cbbe2e4132b119b6ae455a650d736b47fdd7a6",
"md5": "11cf19b10b11d34cb99d4bad3e254907",
"sha256": "d9d89125cafee3cc0a898faf9fe53f9166ea6625393b75d606eef2901a8c3023"
},
"downloads": -1,
"filename": "cysystemd-2.0.1-cp313-cp313-manylinux_2_34_x86_64.whl",
"has_sig": false,
"md5_digest": "11cf19b10b11d34cb99d4bad3e254907",
"packagetype": "bdist_wheel",
"python_version": "cp313",
"requires_python": "<4,>3.6",
"size": 2438764,
"upload_time": "2025-01-13T09:43:36",
"upload_time_iso_8601": "2025-01-13T09:43:36.508048Z",
"url": "https://files.pythonhosted.org/packages/c8/8a/c02db9ef01f0dc1dec06f0cbbe2e4132b119b6ae455a650d736b47fdd7a6/cysystemd-2.0.1-cp313-cp313-manylinux_2_34_x86_64.whl",
"yanked": false,
"yanked_reason": null
},
{
"comment_text": "",
"digests": {
"blake2b_256": "1617734a21206778bdd0a30ef173f6d6ed5ad31040f87ee9b04f4b929fa2b787",
"md5": "64051e0aae7a043713528b8d76f0fad8",
"sha256": "b2dcd4f5788955787d08e43de1276cb5a6720e13e7fc6765aed4fe6fa3355144"
},
"downloads": -1,
"filename": "cysystemd-2.0.1-cp38-cp38-manylinux_2_34_aarch64.whl",
"has_sig": false,
"md5_digest": "64051e0aae7a043713528b8d76f0fad8",
"packagetype": "bdist_wheel",
"python_version": "cp38",
"requires_python": "<4,>3.6",
"size": 2302151,
"upload_time": "2025-01-13T09:43:39",
"upload_time_iso_8601": "2025-01-13T09:43:39.657495Z",
"url": "https://files.pythonhosted.org/packages/16/17/734a21206778bdd0a30ef173f6d6ed5ad31040f87ee9b04f4b929fa2b787/cysystemd-2.0.1-cp38-cp38-manylinux_2_34_aarch64.whl",
"yanked": false,
"yanked_reason": null
},
{
"comment_text": "",
"digests": {
"blake2b_256": "6286606bb5fc2ed44b939029953e4f2b6bdccf029a10a3e2d4e402be455974a2",
"md5": "b73bc46213901d8360049e336fe8c1cd",
"sha256": "292f3f38b6fc6dc01a44c1053d8e2907ef857c09282fa904ed4742113eb36fdc"
},
"downloads": -1,
"filename": "cysystemd-2.0.1-cp38-cp38-manylinux_2_34_x86_64.whl",
"has_sig": false,
"md5_digest": "b73bc46213901d8360049e336fe8c1cd",
"packagetype": "bdist_wheel",
"python_version": "cp38",
"requires_python": "<4,>3.6",
"size": 2438356,
"upload_time": "2025-01-13T09:43:42",
"upload_time_iso_8601": "2025-01-13T09:43:42.928079Z",
"url": "https://files.pythonhosted.org/packages/62/86/606bb5fc2ed44b939029953e4f2b6bdccf029a10a3e2d4e402be455974a2/cysystemd-2.0.1-cp38-cp38-manylinux_2_34_x86_64.whl",
"yanked": false,
"yanked_reason": null
},
{
"comment_text": "",
"digests": {
"blake2b_256": "87f49e4c694d562ef7ddcf8bd93ac72ef750878374bfdde0f82dd8911f9147c0",
"md5": "f004596059456069c80a004694aee7e8",
"sha256": "ed55acd18bcc576a5b1af81ae59fb86042ee019b642f6cfed9221b963f05aeea"
},
"downloads": -1,
"filename": "cysystemd-2.0.1-cp39-cp39-manylinux_2_34_aarch64.whl",
"has_sig": false,
"md5_digest": "f004596059456069c80a004694aee7e8",
"packagetype": "bdist_wheel",
"python_version": "cp39",
"requires_python": "<4,>3.6",
"size": 2264411,
"upload_time": "2025-01-13T09:43:44",
"upload_time_iso_8601": "2025-01-13T09:43:44.389171Z",
"url": "https://files.pythonhosted.org/packages/87/f4/9e4c694d562ef7ddcf8bd93ac72ef750878374bfdde0f82dd8911f9147c0/cysystemd-2.0.1-cp39-cp39-manylinux_2_34_aarch64.whl",
"yanked": false,
"yanked_reason": null
},
{
"comment_text": "",
"digests": {
"blake2b_256": "15603f7e6417cf4618bad6ab77295e57c06d612361f6b63aa6f8ab83b694579f",
"md5": "5d520607a0a05ee4d0c9d8a8ca5ae0a7",
"sha256": "0bb9b4380cb82202aeb5aedb5a6e63f257eac5d6192c24d054656e8329ab6cf0"
},
"downloads": -1,
"filename": "cysystemd-2.0.1-cp39-cp39-manylinux_2_34_x86_64.whl",
"has_sig": false,
"md5_digest": "5d520607a0a05ee4d0c9d8a8ca5ae0a7",
"packagetype": "bdist_wheel",
"python_version": "cp39",
"requires_python": "<4,>3.6",
"size": 2398944,
"upload_time": "2025-01-13T09:43:45",
"upload_time_iso_8601": "2025-01-13T09:43:45.889743Z",
"url": "https://files.pythonhosted.org/packages/15/60/3f7e6417cf4618bad6ab77295e57c06d612361f6b63aa6f8ab83b694579f/cysystemd-2.0.1-cp39-cp39-manylinux_2_34_x86_64.whl",
"yanked": false,
"yanked_reason": null
},
{
"comment_text": "",
"digests": {
"blake2b_256": "d22300950116890136fddd94fc6a176eb04f006e689bec4db5bf5727587ede09",
"md5": "3d6f02207d1db728246b74f57e375dc6",
"sha256": "632fe56264a18b7af3d1efd09125d6d5c1ec97d29ad6192c412ee43105821d61"
},
"downloads": -1,
"filename": "cysystemd-2.0.1.tar.gz",
"has_sig": false,
"md5_digest": "3d6f02207d1db728246b74f57e375dc6",
"packagetype": "sdist",
"python_version": "source",
"requires_python": "<4,>3.6",
"size": 304093,
"upload_time": "2025-01-13T09:44:26",
"upload_time_iso_8601": "2025-01-13T09:44:26.656259Z",
"url": "https://files.pythonhosted.org/packages/d2/23/00950116890136fddd94fc6a176eb04f006e689bec4db5bf5727587ede09/cysystemd-2.0.1.tar.gz",
"yanked": false,
"yanked_reason": null
}
],
"upload_time": "2025-01-13 09:44:26",
"github": true,
"gitlab": false,
"bitbucket": false,
"codeberg": false,
"github_user": "mosquito",
"github_project": "cysystemd",
"travis_ci": false,
"coveralls": false,
"github_actions": false,
"lcname": "cysystemd"
}