aiopinboard


Nameaiopinboard JSON
Version 2024.1.0 PyPI version JSON
download
home_pagehttps://github.com/bachya/aiopinboard
SummaryA Python 3, asyncio-based library for the Pinboard API
upload_time2024-01-10 23:05:19
maintainer
docs_urlNone
authorAaron Bach
requires_python>=3.10,<4.0
licenseMIT
keywords
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            # 📌 aiopinboard: A Python 3 Library for Pinboard

[![CI][ci-badge]][ci]
[![PyPI][pypi-badge]][pypi]
[![Version][version-badge]][version]
[![License][license-badge]][license]
[![Code Coverage][codecov-badge]][codecov]
[![Maintainability][maintainability-badge]][maintainability]

<a href="https://www.buymeacoffee.com/bachya1208P" target="_blank"><img src="https://cdn.buymeacoffee.com/buttons/default-orange.png" alt="Buy Me A Coffee" height="41" width="174"></a>

`aiopinboard` is a Python3, `asyncio`-focused library for interacting with the
[Pinboard][pinboard] API.

- [Installation](#installation)
- [Python Versions](#python-versions)
- [API Token](#api-token)
- [Usage](#usage)
  - [Bookmarks](#bookmarks)
    - [The `Bookmark` Object](#the--bookmark--object)
    - [Getting the Last Change Datetime](#getting-the-last-change-datetime)
    - [Getting Bookmarks](#getting-bookmarks)
    - [Adding a Bookmark](#adding-a-bookmark)
    - [Deleting a Bookmark](#deleting-a-bookmark)
  - [Tags](#tags)
    - [Getting Tags](#getting-tags)
    - [Getting Suggested Tags](#getting-suggested-tags)
    - [Deleting a Tag](#deleting-a-tag)
    - [Renaming a Tag](#renaming-a-tag)
  - [Notes](#notes)
    - [The `Note` Object](#the--note--object)
    - [Getting Notes](#getting-notes)
- [Contributing](#contributing)

# Installation

```bash
pip install aiopinboard
```

# Python Versions

`aiopinboard` is currently supported on:

- Python 3.10
- Python 3.11
- Python 3.12

# API Token

You can retrieve your Pinboard API token via
[your account's settings page][pinboard-settings].

# Usage

`aiopinboard` endeavors to replicate all of the endpoints in
[the Pinboard API documentation][pinboard-api] with sane, usable responses.

All API usage starts with creating an `API` object that contains your Pinboard API token:

```python
import asyncio

from aiopinboard import API


async def main() -> None:
    api = API("<PINBOARD_API_TOKEN>")
    # do things!


asyncio.run(main())
```

## Bookmarks

### The `Bookmark` Object

API endpoints that retrieve one or more bookmarks will return `Bookmark` objects, which
carry all of the expected properties of a bookmark:

- `hash`: the unique identifier of the bookmark
- `href`: the bookmark's URL
- `title`: the bookmark's title
- `description`: the bookmark's description
- `last_modified`: the UTC date the bookmark was last modified
- `tags`: a list of tags applied to the bookmark
- `unread`: whether the bookmark is unread
- `shared`: whether the bookmark is shared

### Getting the Last Change Datetime

To get the UTC datetime of the last "change" (bookmark added, updated, or deleted):

```python
import asyncio

from aiopinboard import API


async def main() -> None:
    """Run!"""
    api = API("<PINBOARD_API_TOKEN>")
    last_change_dt = await api.bookmark.async_get_last_change_datetime()
    # >>> datetime.datetime(2020, 9, 3, 13, 7, 19, tzinfo=<UTC>)


asyncio.run(main())
```

This method should be used to determine whether additional API calls should be made –
for example, if nothing has changed since the last time a request was made, the
implementing library can halt.

### Getting Bookmarks

To get a bookmark by its URL:

```python
import asyncio

from aiopinboard import API


async def main() -> None:
    api = API("<PINBOARD_API_TOKEN>")
    await api.bookmark.async_get_bookmark_by_url("https://my.com/bookmark")
    # >>> <Bookmark href="https://my.com/bookmark">


asyncio.run(main())
```

To get all bookmarks

```python
import asyncio

from aiopinboard import API


async def main() -> None:
    api = API("<PINBOARD_API_TOKEN>")
    await api.bookmark.async_get_all_bookmarks()
    # >>> [<Bookmark ...>, <Bookmark ...>]


asyncio.run(main())
```

You can specify several optional parameters while getting all bookmarks:

- `tags`: an optional list of tags to filter results by
- `start`: the optional starting index to return (defaults to the start)
- `results`: the optional number of results (defaults to all)
- `from_dt`: the optional datetime to start from
- `to_dt`: the optional datetime to end at

To get all bookmarks created on a certain date:

```python
import asyncio
from datetime import date

from aiopinboard import API


async def main() -> None:
    """Run!"""
    api = API("<PINBOARD_API_TOKEN>")
    await api.bookmark.async_get_bookmarks_by_date(date.today())
    # >>> [<Bookmark ...>, <Bookmark ...>]

    # Optionally filter the results with a list of tags – note that only bookmarks that
    # have all tags will be returned:
    await api.bookmark.async_get_bookmarks_by_date(date.today(), tags=["tag1", "tag2"])
    # >>> [<Bookmark ...>, <Bookmark ...>]


asyncio.run(main())
```

To get recent bookmarks:

```python
import asyncio

from aiopinboard import API


async def main() -> None:
    api = API("<PINBOARD_API_TOKEN>")
    await api.bookmark.async_get_recent_bookmarks(count=10)
    # >>> [<Bookmark ...>, <Bookmark ...>]

    # Optionally filter the results with a list of tags – note that only bookmarks that
    # have all tags will be returned:
    await api.bookmark.async_get_recent_bookmarks(count=20, tags=["tag1", "tag2"])
    # >>> [<Bookmark ...>, <Bookmark ...>]


asyncio.run(main())
```

To get a summary of dates and how many bookmarks were created on those dates:

```python
import asyncio

from aiopinboard import API


async def main() -> None:
    api = API("<PINBOARD_API_TOKEN>")
    dates = await api.bookmark.async_get_dates()
    # >>> {datetime.date(2020, 09, 05): 4, ...}


asyncio.run(main())
```

### Adding a Bookmark

To add a bookmark:

```python
import asyncio

from aiopinboard import API


async def main() -> None:
    api = API("<PINBOARD_API_TOKEN>")
    await api.bookmark.async_add_bookmark("https://my.com/bookmark", "My New Bookmark")


asyncio.run(main())
```

You can specify several optional parameters while adding a bookmark:

- `description`: the optional description of the bookmark
- `tags`: an optional list of tags to assign to the bookmark
- `created_datetime`: the optional creation datetime to use (defaults to now)
- `replace`: whether this should replace a bookmark with the same URL
- `shared`: whether this bookmark should be shared
- `toread`: whether this bookmark should be unread

### Deleting a Bookmark

To delete a bookmark by its URL:

```python
import asyncio

from aiopinboard import API


async def main() -> None:
    api = API("<PINBOARD_API_TOKEN>")
    await api.bookmark.async_delete_bookmark("https://my.com/bookmark")


asyncio.run(main())
```

## Tags

### Getting Tags

To get all tags for an account (and a count of how often each tag is used):

```python
import asyncio

from aiopinboard import API


async def main() -> None:
    api = API("<PINBOARD_API_TOKEN>")
    await api.tag.async_get_tags()
    # >>> {"tag1": 3, "tag2": 8}


asyncio.run(main())
```

### Getting Suggested Tags

To get lists of popular (used by the community) and recommended (used by you) tags for a
particular URL:

```python
import asyncio

from aiopinboard import API


async def main() -> None:
    api = API("<PINBOARD_API_TOKEN>")
    await api.bookmark.async_get_suggested_tags("https://my.com/bookmark")
    # >>> {"popular": ["tag1", "tag2"], "recommended": ["tag3"]}


asyncio.run(main())
```

### Deleting a Tag

To delete a tag:

```python
import asyncio

from aiopinboard import API


async def main() -> None:
    api = API("<PINBOARD_API_TOKEN>")
    await api.tag.async_delete_tag("tag1")


asyncio.run(main())
```

### Renaming a Tag

To rename a tag:

```python
import asyncio

from aiopinboard import API


async def main() -> None:
    api = API("<PINBOARD_API_TOKEN>")
    await api.tag.async_rename_tag("old-tag", "new-tag")


asyncio.run(main())
```

## Notes

### The `Note` Object

API endpoints that retrieve one or more notes will return `Note` objects, which
carry all of the expected properties of a note:

- `note_id`: the unique ID
- `title`: the title
- `hash`: the computed hash
- `created_at`: the UTC datetime the note was created
- `updated_at`: the UTC datetime the note was updated
- `length`: the length

### Getting Notes

To get all notes for an account:

```python
import asyncio

from aiopinboard import API


async def main() -> None:
    api = API("<PINBOARD_API_TOKEN>")
    await api.note.async_get_notes()
    # >>> [<Note ...>, <Note ...>]


asyncio.run(main())
```

# Contributing

Thanks to all of [our contributors][contributors] so far!

1. [Check for open features/bugs][issues] or [initiate a discussion on one][new-issue].
2. [Fork the repository][fork].
3. (_optional, but highly recommended_) Create a virtual environment: `python3 -m venv .venv`
4. (_optional, but highly recommended_) Enter the virtual environment: `source ./.venv/bin/activate`
5. Install the dev environment: `script/setup`
6. Code your new feature or bug fix on a new branch.
7. Write tests that cover your new functionality.
8. Run tests and ensure 100% code coverage: `poetry run pytest --cov aiopinboard tests`
9. Update `README.md` with any new documentation.
10. Submit a pull request!

[aiohttp]: https://github.com/aio-libs/aiohttp
[ambient-weather-dashboard]: https://dashboard.ambientweather.net
[ambient-weather-rate-limiting]: https://ambientweather.docs.apiary.io/#introduction/rate-limiting
[ambient-weather]: https://ambientweather.net
[ci-badge]: https://github.com/bachya/aiopinboard/workflows/CI/badge.svg
[ci]: https://github.com/bachya/aiopinboard/actions
[codecov-badge]: https://codecov.io/gh/bachya/aiopinboard/branch/dev/graph/badge.svg
[codecov]: https://codecov.io/gh/bachya/aiopinboard
[contributors]: https://github.com/bachya/aiopinboard/graphs/contributors
[fork]: https://github.com/bachya/aiopinboard/fork
[issues]: https://github.com/bachya/aiopinboard/issues
[license-badge]: https://img.shields.io/pypi/l/aiopinboard.svg
[license]: https://github.com/bachya/aiopinboard/blob/main/LICENSE
[maintainability-badge]: https://api.codeclimate.com/v1/badges/4c0360a07493d3c1fd03/maintainability
[maintainability]: https://codeclimate.com/github/bachya/aiopinboard/maintainability
[new-issue]: https://github.com/bachya/aiopinboard/issues/new
[new-issue]: https://github.com/bachya/aiopinboard/issues/new
[pinboard-api]: https://pinboard.in/api
[pinboard-settings]: https://pinboard.in/settings/password
[pinboard]: https://pinboard.in
[pypi-badge]: https://img.shields.io/pypi/v/aiopinboard.svg
[pypi]: https://pypi.python.org/pypi/aiopinboard
[version-badge]: https://img.shields.io/pypi/pyversions/aiopinboard.svg
[version]: https://pypi.python.org/pypi/aiopinboard

            

Raw data

            {
    "_id": null,
    "home_page": "https://github.com/bachya/aiopinboard",
    "name": "aiopinboard",
    "maintainer": "",
    "docs_url": null,
    "requires_python": ">=3.10,<4.0",
    "maintainer_email": "",
    "keywords": "",
    "author": "Aaron Bach",
    "author_email": "bachya1208@gmail.com",
    "download_url": "https://files.pythonhosted.org/packages/ae/10/dbad29f22bdfebbc16b816798c1d9c853d82165312b0943d522085b8d2ae/aiopinboard-2024.1.0.tar.gz",
    "platform": null,
    "description": "# \ud83d\udccc aiopinboard: A Python 3 Library for Pinboard\n\n[![CI][ci-badge]][ci]\n[![PyPI][pypi-badge]][pypi]\n[![Version][version-badge]][version]\n[![License][license-badge]][license]\n[![Code Coverage][codecov-badge]][codecov]\n[![Maintainability][maintainability-badge]][maintainability]\n\n<a href=\"https://www.buymeacoffee.com/bachya1208P\" target=\"_blank\"><img src=\"https://cdn.buymeacoffee.com/buttons/default-orange.png\" alt=\"Buy Me A Coffee\" height=\"41\" width=\"174\"></a>\n\n`aiopinboard` is a Python3, `asyncio`-focused library for interacting with the\n[Pinboard][pinboard] API.\n\n- [Installation](#installation)\n- [Python Versions](#python-versions)\n- [API Token](#api-token)\n- [Usage](#usage)\n  - [Bookmarks](#bookmarks)\n    - [The `Bookmark` Object](#the--bookmark--object)\n    - [Getting the Last Change Datetime](#getting-the-last-change-datetime)\n    - [Getting Bookmarks](#getting-bookmarks)\n    - [Adding a Bookmark](#adding-a-bookmark)\n    - [Deleting a Bookmark](#deleting-a-bookmark)\n  - [Tags](#tags)\n    - [Getting Tags](#getting-tags)\n    - [Getting Suggested Tags](#getting-suggested-tags)\n    - [Deleting a Tag](#deleting-a-tag)\n    - [Renaming a Tag](#renaming-a-tag)\n  - [Notes](#notes)\n    - [The `Note` Object](#the--note--object)\n    - [Getting Notes](#getting-notes)\n- [Contributing](#contributing)\n\n# Installation\n\n```bash\npip install aiopinboard\n```\n\n# Python Versions\n\n`aiopinboard` is currently supported on:\n\n- Python 3.10\n- Python 3.11\n- Python 3.12\n\n# API Token\n\nYou can retrieve your Pinboard API token via\n[your account's settings page][pinboard-settings].\n\n# Usage\n\n`aiopinboard` endeavors to replicate all of the endpoints in\n[the Pinboard API documentation][pinboard-api] with sane, usable responses.\n\nAll API usage starts with creating an `API` object that contains your Pinboard API token:\n\n```python\nimport asyncio\n\nfrom aiopinboard import API\n\n\nasync def main() -> None:\n    api = API(\"<PINBOARD_API_TOKEN>\")\n    # do things!\n\n\nasyncio.run(main())\n```\n\n## Bookmarks\n\n### The `Bookmark` Object\n\nAPI endpoints that retrieve one or more bookmarks will return `Bookmark` objects, which\ncarry all of the expected properties of a bookmark:\n\n- `hash`: the unique identifier of the bookmark\n- `href`: the bookmark's URL\n- `title`: the bookmark's title\n- `description`: the bookmark's description\n- `last_modified`: the UTC date the bookmark was last modified\n- `tags`: a list of tags applied to the bookmark\n- `unread`: whether the bookmark is unread\n- `shared`: whether the bookmark is shared\n\n### Getting the Last Change Datetime\n\nTo get the UTC datetime of the last \"change\" (bookmark added, updated, or deleted):\n\n```python\nimport asyncio\n\nfrom aiopinboard import API\n\n\nasync def main() -> None:\n    \"\"\"Run!\"\"\"\n    api = API(\"<PINBOARD_API_TOKEN>\")\n    last_change_dt = await api.bookmark.async_get_last_change_datetime()\n    # >>> datetime.datetime(2020, 9, 3, 13, 7, 19, tzinfo=<UTC>)\n\n\nasyncio.run(main())\n```\n\nThis method should be used to determine whether additional API calls should be made \u2013\nfor example, if nothing has changed since the last time a request was made, the\nimplementing library can halt.\n\n### Getting Bookmarks\n\nTo get a bookmark by its URL:\n\n```python\nimport asyncio\n\nfrom aiopinboard import API\n\n\nasync def main() -> None:\n    api = API(\"<PINBOARD_API_TOKEN>\")\n    await api.bookmark.async_get_bookmark_by_url(\"https://my.com/bookmark\")\n    # >>> <Bookmark href=\"https://my.com/bookmark\">\n\n\nasyncio.run(main())\n```\n\nTo get all bookmarks\n\n```python\nimport asyncio\n\nfrom aiopinboard import API\n\n\nasync def main() -> None:\n    api = API(\"<PINBOARD_API_TOKEN>\")\n    await api.bookmark.async_get_all_bookmarks()\n    # >>> [<Bookmark ...>, <Bookmark ...>]\n\n\nasyncio.run(main())\n```\n\nYou can specify several optional parameters while getting all bookmarks:\n\n- `tags`: an optional list of tags to filter results by\n- `start`: the optional starting index to return (defaults to the start)\n- `results`: the optional number of results (defaults to all)\n- `from_dt`: the optional datetime to start from\n- `to_dt`: the optional datetime to end at\n\nTo get all bookmarks created on a certain date:\n\n```python\nimport asyncio\nfrom datetime import date\n\nfrom aiopinboard import API\n\n\nasync def main() -> None:\n    \"\"\"Run!\"\"\"\n    api = API(\"<PINBOARD_API_TOKEN>\")\n    await api.bookmark.async_get_bookmarks_by_date(date.today())\n    # >>> [<Bookmark ...>, <Bookmark ...>]\n\n    # Optionally filter the results with a list of tags \u2013 note that only bookmarks that\n    # have all tags will be returned:\n    await api.bookmark.async_get_bookmarks_by_date(date.today(), tags=[\"tag1\", \"tag2\"])\n    # >>> [<Bookmark ...>, <Bookmark ...>]\n\n\nasyncio.run(main())\n```\n\nTo get recent bookmarks:\n\n```python\nimport asyncio\n\nfrom aiopinboard import API\n\n\nasync def main() -> None:\n    api = API(\"<PINBOARD_API_TOKEN>\")\n    await api.bookmark.async_get_recent_bookmarks(count=10)\n    # >>> [<Bookmark ...>, <Bookmark ...>]\n\n    # Optionally filter the results with a list of tags \u2013 note that only bookmarks that\n    # have all tags will be returned:\n    await api.bookmark.async_get_recent_bookmarks(count=20, tags=[\"tag1\", \"tag2\"])\n    # >>> [<Bookmark ...>, <Bookmark ...>]\n\n\nasyncio.run(main())\n```\n\nTo get a summary of dates and how many bookmarks were created on those dates:\n\n```python\nimport asyncio\n\nfrom aiopinboard import API\n\n\nasync def main() -> None:\n    api = API(\"<PINBOARD_API_TOKEN>\")\n    dates = await api.bookmark.async_get_dates()\n    # >>> {datetime.date(2020, 09, 05): 4, ...}\n\n\nasyncio.run(main())\n```\n\n### Adding a Bookmark\n\nTo add a bookmark:\n\n```python\nimport asyncio\n\nfrom aiopinboard import API\n\n\nasync def main() -> None:\n    api = API(\"<PINBOARD_API_TOKEN>\")\n    await api.bookmark.async_add_bookmark(\"https://my.com/bookmark\", \"My New Bookmark\")\n\n\nasyncio.run(main())\n```\n\nYou can specify several optional parameters while adding a bookmark:\n\n- `description`: the optional description of the bookmark\n- `tags`: an optional list of tags to assign to the bookmark\n- `created_datetime`: the optional creation datetime to use (defaults to now)\n- `replace`: whether this should replace a bookmark with the same URL\n- `shared`: whether this bookmark should be shared\n- `toread`: whether this bookmark should be unread\n\n### Deleting a Bookmark\n\nTo delete a bookmark by its URL:\n\n```python\nimport asyncio\n\nfrom aiopinboard import API\n\n\nasync def main() -> None:\n    api = API(\"<PINBOARD_API_TOKEN>\")\n    await api.bookmark.async_delete_bookmark(\"https://my.com/bookmark\")\n\n\nasyncio.run(main())\n```\n\n## Tags\n\n### Getting Tags\n\nTo get all tags for an account (and a count of how often each tag is used):\n\n```python\nimport asyncio\n\nfrom aiopinboard import API\n\n\nasync def main() -> None:\n    api = API(\"<PINBOARD_API_TOKEN>\")\n    await api.tag.async_get_tags()\n    # >>> {\"tag1\": 3, \"tag2\": 8}\n\n\nasyncio.run(main())\n```\n\n### Getting Suggested Tags\n\nTo get lists of popular (used by the community) and recommended (used by you) tags for a\nparticular URL:\n\n```python\nimport asyncio\n\nfrom aiopinboard import API\n\n\nasync def main() -> None:\n    api = API(\"<PINBOARD_API_TOKEN>\")\n    await api.bookmark.async_get_suggested_tags(\"https://my.com/bookmark\")\n    # >>> {\"popular\": [\"tag1\", \"tag2\"], \"recommended\": [\"tag3\"]}\n\n\nasyncio.run(main())\n```\n\n### Deleting a Tag\n\nTo delete a tag:\n\n```python\nimport asyncio\n\nfrom aiopinboard import API\n\n\nasync def main() -> None:\n    api = API(\"<PINBOARD_API_TOKEN>\")\n    await api.tag.async_delete_tag(\"tag1\")\n\n\nasyncio.run(main())\n```\n\n### Renaming a Tag\n\nTo rename a tag:\n\n```python\nimport asyncio\n\nfrom aiopinboard import API\n\n\nasync def main() -> None:\n    api = API(\"<PINBOARD_API_TOKEN>\")\n    await api.tag.async_rename_tag(\"old-tag\", \"new-tag\")\n\n\nasyncio.run(main())\n```\n\n## Notes\n\n### The `Note` Object\n\nAPI endpoints that retrieve one or more notes will return `Note` objects, which\ncarry all of the expected properties of a note:\n\n- `note_id`: the unique ID\n- `title`: the title\n- `hash`: the computed hash\n- `created_at`: the UTC datetime the note was created\n- `updated_at`: the UTC datetime the note was updated\n- `length`: the length\n\n### Getting Notes\n\nTo get all notes for an account:\n\n```python\nimport asyncio\n\nfrom aiopinboard import API\n\n\nasync def main() -> None:\n    api = API(\"<PINBOARD_API_TOKEN>\")\n    await api.note.async_get_notes()\n    # >>> [<Note ...>, <Note ...>]\n\n\nasyncio.run(main())\n```\n\n# Contributing\n\nThanks to all of [our contributors][contributors] so far!\n\n1. [Check for open features/bugs][issues] or [initiate a discussion on one][new-issue].\n2. [Fork the repository][fork].\n3. (_optional, but highly recommended_) Create a virtual environment: `python3 -m venv .venv`\n4. (_optional, but highly recommended_) Enter the virtual environment: `source ./.venv/bin/activate`\n5. Install the dev environment: `script/setup`\n6. Code your new feature or bug fix on a new branch.\n7. Write tests that cover your new functionality.\n8. Run tests and ensure 100% code coverage: `poetry run pytest --cov aiopinboard tests`\n9. Update `README.md` with any new documentation.\n10. Submit a pull request!\n\n[aiohttp]: https://github.com/aio-libs/aiohttp\n[ambient-weather-dashboard]: https://dashboard.ambientweather.net\n[ambient-weather-rate-limiting]: https://ambientweather.docs.apiary.io/#introduction/rate-limiting\n[ambient-weather]: https://ambientweather.net\n[ci-badge]: https://github.com/bachya/aiopinboard/workflows/CI/badge.svg\n[ci]: https://github.com/bachya/aiopinboard/actions\n[codecov-badge]: https://codecov.io/gh/bachya/aiopinboard/branch/dev/graph/badge.svg\n[codecov]: https://codecov.io/gh/bachya/aiopinboard\n[contributors]: https://github.com/bachya/aiopinboard/graphs/contributors\n[fork]: https://github.com/bachya/aiopinboard/fork\n[issues]: https://github.com/bachya/aiopinboard/issues\n[license-badge]: https://img.shields.io/pypi/l/aiopinboard.svg\n[license]: https://github.com/bachya/aiopinboard/blob/main/LICENSE\n[maintainability-badge]: https://api.codeclimate.com/v1/badges/4c0360a07493d3c1fd03/maintainability\n[maintainability]: https://codeclimate.com/github/bachya/aiopinboard/maintainability\n[new-issue]: https://github.com/bachya/aiopinboard/issues/new\n[new-issue]: https://github.com/bachya/aiopinboard/issues/new\n[pinboard-api]: https://pinboard.in/api\n[pinboard-settings]: https://pinboard.in/settings/password\n[pinboard]: https://pinboard.in\n[pypi-badge]: https://img.shields.io/pypi/v/aiopinboard.svg\n[pypi]: https://pypi.python.org/pypi/aiopinboard\n[version-badge]: https://img.shields.io/pypi/pyversions/aiopinboard.svg\n[version]: https://pypi.python.org/pypi/aiopinboard\n",
    "bugtrack_url": null,
    "license": "MIT",
    "summary": "A Python 3, asyncio-based library for the Pinboard API",
    "version": "2024.1.0",
    "project_urls": {
        "Bug Tracker": "https://github.com/bachya/aiopinboard/issues",
        "Changelog": "https://github.com/bachya/aiopinboard/releases",
        "Homepage": "https://github.com/bachya/aiopinboard",
        "Repository": "https://github.com/bachya/aiopinboard"
    },
    "split_keywords": [],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "c1ba7aa71764d00cde81c5f9400e67d8f13bf44b0ff7805ba3c6809c2d209eeb",
                "md5": "45cfc9648c4f60ce293b2d499aed24dd",
                "sha256": "de592f9154082d6618537d25e82674c412ddda3fedc8838f462ce9386a1ec725"
            },
            "downloads": -1,
            "filename": "aiopinboard-2024.1.0-py3-none-any.whl",
            "has_sig": false,
            "md5_digest": "45cfc9648c4f60ce293b2d499aed24dd",
            "packagetype": "bdist_wheel",
            "python_version": "py3",
            "requires_python": ">=3.10,<4.0",
            "size": 10879,
            "upload_time": "2024-01-10T23:05:17",
            "upload_time_iso_8601": "2024-01-10T23:05:17.966585Z",
            "url": "https://files.pythonhosted.org/packages/c1/ba/7aa71764d00cde81c5f9400e67d8f13bf44b0ff7805ba3c6809c2d209eeb/aiopinboard-2024.1.0-py3-none-any.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "ae10dbad29f22bdfebbc16b816798c1d9c853d82165312b0943d522085b8d2ae",
                "md5": "91ef751ac929a508a1e8149a07d194de",
                "sha256": "ffb7d2796474d5e7c3e98ce58c4bc6f0b8405c1506e21202223b60519259d2c7"
            },
            "downloads": -1,
            "filename": "aiopinboard-2024.1.0.tar.gz",
            "has_sig": false,
            "md5_digest": "91ef751ac929a508a1e8149a07d194de",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": ">=3.10,<4.0",
            "size": 11781,
            "upload_time": "2024-01-10T23:05:19",
            "upload_time_iso_8601": "2024-01-10T23:05:19.712905Z",
            "url": "https://files.pythonhosted.org/packages/ae/10/dbad29f22bdfebbc16b816798c1d9c853d82165312b0943d522085b8d2ae/aiopinboard-2024.1.0.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2024-01-10 23:05:19",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "bachya",
    "github_project": "aiopinboard",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": true,
    "lcname": "aiopinboard"
}
        
Elapsed time: 0.18024s