pe


Namepe JSON
Version 0.5.2 PyPI version JSON
download
home_pageNone
SummaryLibrary for Parsing Expression Grammars (PEG)
upload_time2024-04-03 04:42:20
maintainerNone
docs_urlNone
authorNone
requires_python>=3.8
licenseMIT License Copyright (c) 2020 Michael Wayne Goodman Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
keywords peg parsing text
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            
<p align="center">
  <img src="https://raw.githubusercontent.com/goodmami/pe/main/docs/_static/pe-logo.svg" alt="pe logo">
  <br>
  <strong>Parsing Expressions</strong>
  <br>
  <a href="https://pypi.org/project/pe/"><img src="https://img.shields.io/pypi/v/pe.svg" alt="PyPI link"></a>
  <img src="https://img.shields.io/pypi/pyversions/pe.svg" alt="Python Support">
  <a href="https://github.com/goodmami/pe/actions?query=workflow%3A%22Python+package%22"><img src="https://github.com/goodmami/pe/workflows/Python%20package/badge.svg" alt="tests"></a>
</p>

---

**pe** is a library for parsing expressions, including [parsing
expression grammars] (PEGs). It aims to join the expressive power of
parsing expressions with the familiarity of regular expressions. For
example:

```python
>>> import pe
>>> pe.match(r'"-"? [0-9]+', '-38')  # match an integer
<Match object; span=(0, 3), match='-38'>

```

A grammar can be used for more complicated or recursive patterns:

```python
>>> float_parser = pe.compile(r'''
...   Start    <- INTEGER FRACTION? EXPONENT?
...   INTEGER  <- "-"? ("0" / [1-9] [0-9]*)
...   FRACTION <- "." [0-9]+
...   EXPONENT <- [Ee] [-+]? [0-9]+
... ''')
>>> float_parser.match('6.02e23')
<Match object; span=(0, 7), match='6.02e23'>

```

[parsing expression grammars]: https://en.wikipedia.org/wiki/Parsing_expression_grammar

**Quick Links**

* [Documentation](docs/README.md)
  - [Specification](docs/specification.md)
  - [Guides](docs/guides/README.md)
  - [API Documentation](docs/api/README.md)
  - [FAQ](docs/faq.md)
* [Example Parsers](examples/)


## Features and Goals

* Grammar notation is backward-compatible with standard PEG with few extensions
* A [specification](docs/specification.md) describes the semantic
  effect of parsing (e.g., for mapping expressions to function calls)
* Parsers are often faster than other parsing libraries, sometimes by
  a lot; see the [benchmarks]
* The API is intuitive and familiar; it's modeled on the standard
  API's [re] module
* Grammar definitions and parser implementations are separate
  - Optimizations target the abstract grammar definitions
  - Multiple parsers are available (currently [packrat](pe/packrat.py)
    for recursive descent and [machine](pe/machine.py) for an
    iterative "parsing machine" as from [Medeiros and Ierusalimschy,
    2008] and implemented in [LPeg]).

[benchmarks]: https://github.com/goodmami/python-parsing-benchmarks
[re]: https://docs.python.org/3/library/re.html
[Medeiros and Ierusalimschy, 2008]: http://www.inf.puc-rio.br/~roberto/docs/ry08-4.pdf


## Syntax Overview

**pe** is backward compatible with standard PEG syntax and it is
conservative with extensions.

```regex
# terminals
.            # any single character
"abc"        # string literal
'abc'        # string literal
[abc]        # character class

# repeating expressions
e            # exactly one
e?           # zero or one (optional)
e*           # zero or more
e+           # one or more

# combining expressions
e1 e2        # sequence of e1 and e2
e1 / e2      # ordered choice of e1 and e2
(e)          # subexpression

# lookahead
&e           # positive lookahead
!e           # negative lookahead

# (extension) capture substring
~e           # result of e is matched substring

# (extension) binding
name:e       # bind result of e to 'name'

# grammars
Name <- ...  # define a rule named 'Name'
... <- Name  # refer to rule named 'Name'

# (extension) auto-ignore
X <  e1 e2   # define a rule 'X' with auto-ignore
```

## Matching Inputs with Parsing Expressions

When a parsing expression matches an input, it returns a `Match`
object, which is similar to those of Python's
[re](https://docs.python.org/3/library/re.html) module for regular
expressions. By default, nothing is captured, but the capture operator
(`~`) emits the substring of the matching expression, similar to
regular expression's capturing groups:

```python
>>> e = pe.compile(r'[0-9] [.] [0-9]')
>>> m = e.match('1.4')
>>> m.group()
'1.4'
>>> m.groups()
()
>>> e = pe.compile(r'~([0-9] [.] [0-9])')
>>> m = e.match('1.4')
>>> m.group()
'1.4'
>>> m.groups()
('1.4',)

```

### Value Bindings

A value binding extracts the emitted values of a match and associates
it with a name that is made available in the `Match.groupdict()`
dictionary. This is similar to named-capture groups in regular
expressions, except that it extracts the emitted values and not the
substring of the bound expression.

```python
>>> e = pe.compile(r'~[0-9] x:(~[.]) ~[0-9]')
>>> m = e.match('1.4')
>>> m.groups()
('1', '4')
>>> m.groupdict()
{'x': '.'}

```

### Actions

Actions (also called "semantic actions") are callables that transform
parse results. When an arbitrary function is given, it is called as
follows:

``` python
func(*match.groups(), **match.groupdict())
```

The result of this function call becomes the only emitted value going
forward and all bound values are cleared.

For more control, **pe** provides the [Action] class and a number of
subclasses for various use-cases. These actions have access to more
information about a parse result and more control over the
match. For example, the [Pack] class takes a function and calls it
with the emitted values packed into a list:

``` python
func(match.groups())
```

And the [Join] class joins all emitted strings with a separator:

``` python
func(sep.join(match.groups()), **match.groupdict())
```

[Action]: docs/api/pe.actions.md#Action
[Pack]: docs/api/pe.actions.md#Pack
[Join]: docs/api/pe.actions.md#Join

### Auto-ignore

The grammar can be defined such that some rules ignore occurrences of
a pattern between sequence items. Most commonly, this is used to
ignore whitespace, so the default ignore pattern is simple whitespace.

```python
>>> pe.match("X <- 'a' 'b'", "a b")  # regular rule does not match
>>> pe.match("X <  'a' 'b'", "a b")  # auto-ignore rule matches
<Match object; span=(0, 3), match='a b'>

```

This feature can help to make grammars more readable.

### Example

Here is one way to parse a list of comma-separated integers:

```python
>>> from pe.actions import Pack
>>> p = pe.compile(
...   r'''
...     Start  <- "[" Values? "]"
...     Values <- Int ("," Int)*
...     Int    <  ~( "-"? ("0" / [1-9] [0-9]*) )
...   ''',
...   actions={'Values': Pack(list), 'Int': int})
>>> m = p.match('[5, 10, -15]')
>>> m.value()
[5, 10, -15]

```

## Similar Projects

- [Lark](https://github.com/lark-parser/lark) (Python)
- [nom](https://github.com/Geal/nom) (Rust)
- [Parsimonious](https://github.com/erikrose/parsimonious) (Python)
- [Rosie](https://rosie-lang.org/) (Multiple bindings)
- [TatSu](https://tatsu.readthedocs.io/en/stable/) (Python)
- [PEG.js](https://github.com/pegjs/pegjs) (Javascript)
- [Pegged](https://github.com/PhilippeSigaud/Pegged) (D)
- [pegen](https://github.com/gvanrossum/pegen) (Python / C)
- [LPeg] (Lua)

[LPeg]: http://www.inf.puc-rio.br/~roberto/lpeg/

            

Raw data

            {
    "_id": null,
    "home_page": null,
    "name": "pe",
    "maintainer": null,
    "docs_url": null,
    "requires_python": ">=3.8",
    "maintainer_email": null,
    "keywords": "peg, parsing, text",
    "author": null,
    "author_email": "Michael Wayne Goodman <goodman.m.w@gmail.com>",
    "download_url": "https://files.pythonhosted.org/packages/7c/6c/0e364a719797f5d6a25246aab636464ddc0c3cbe048deb0562fcb29fd38b/pe-0.5.2.tar.gz",
    "platform": null,
    "description": "\n<p align=\"center\">\n  <img src=\"https://raw.githubusercontent.com/goodmami/pe/main/docs/_static/pe-logo.svg\" alt=\"pe logo\">\n  <br>\n  <strong>Parsing Expressions</strong>\n  <br>\n  <a href=\"https://pypi.org/project/pe/\"><img src=\"https://img.shields.io/pypi/v/pe.svg\" alt=\"PyPI link\"></a>\n  <img src=\"https://img.shields.io/pypi/pyversions/pe.svg\" alt=\"Python Support\">\n  <a href=\"https://github.com/goodmami/pe/actions?query=workflow%3A%22Python+package%22\"><img src=\"https://github.com/goodmami/pe/workflows/Python%20package/badge.svg\" alt=\"tests\"></a>\n</p>\n\n---\n\n**pe** is a library for parsing expressions, including [parsing\nexpression grammars] (PEGs). It aims to join the expressive power of\nparsing expressions with the familiarity of regular expressions. For\nexample:\n\n```python\n>>> import pe\n>>> pe.match(r'\"-\"? [0-9]+', '-38')  # match an integer\n<Match object; span=(0, 3), match='-38'>\n\n```\n\nA grammar can be used for more complicated or recursive patterns:\n\n```python\n>>> float_parser = pe.compile(r'''\n...   Start    <- INTEGER FRACTION? EXPONENT?\n...   INTEGER  <- \"-\"? (\"0\" / [1-9] [0-9]*)\n...   FRACTION <- \".\" [0-9]+\n...   EXPONENT <- [Ee] [-+]? [0-9]+\n... ''')\n>>> float_parser.match('6.02e23')\n<Match object; span=(0, 7), match='6.02e23'>\n\n```\n\n[parsing expression grammars]: https://en.wikipedia.org/wiki/Parsing_expression_grammar\n\n**Quick Links**\n\n* [Documentation](docs/README.md)\n  - [Specification](docs/specification.md)\n  - [Guides](docs/guides/README.md)\n  - [API Documentation](docs/api/README.md)\n  - [FAQ](docs/faq.md)\n* [Example Parsers](examples/)\n\n\n## Features and Goals\n\n* Grammar notation is backward-compatible with standard PEG with few extensions\n* A [specification](docs/specification.md) describes the semantic\n  effect of parsing (e.g., for mapping expressions to function calls)\n* Parsers are often faster than other parsing libraries, sometimes by\n  a lot; see the [benchmarks]\n* The API is intuitive and familiar; it's modeled on the standard\n  API's [re] module\n* Grammar definitions and parser implementations are separate\n  - Optimizations target the abstract grammar definitions\n  - Multiple parsers are available (currently [packrat](pe/packrat.py)\n    for recursive descent and [machine](pe/machine.py) for an\n    iterative \"parsing machine\" as from [Medeiros and Ierusalimschy,\n    2008] and implemented in [LPeg]).\n\n[benchmarks]: https://github.com/goodmami/python-parsing-benchmarks\n[re]: https://docs.python.org/3/library/re.html\n[Medeiros and Ierusalimschy, 2008]: http://www.inf.puc-rio.br/~roberto/docs/ry08-4.pdf\n\n\n## Syntax Overview\n\n**pe** is backward compatible with standard PEG syntax and it is\nconservative with extensions.\n\n```regex\n# terminals\n.            # any single character\n\"abc\"        # string literal\n'abc'        # string literal\n[abc]        # character class\n\n# repeating expressions\ne            # exactly one\ne?           # zero or one (optional)\ne*           # zero or more\ne+           # one or more\n\n# combining expressions\ne1 e2        # sequence of e1 and e2\ne1 / e2      # ordered choice of e1 and e2\n(e)          # subexpression\n\n# lookahead\n&e           # positive lookahead\n!e           # negative lookahead\n\n# (extension) capture substring\n~e           # result of e is matched substring\n\n# (extension) binding\nname:e       # bind result of e to 'name'\n\n# grammars\nName <- ...  # define a rule named 'Name'\n... <- Name  # refer to rule named 'Name'\n\n# (extension) auto-ignore\nX <  e1 e2   # define a rule 'X' with auto-ignore\n```\n\n## Matching Inputs with Parsing Expressions\n\nWhen a parsing expression matches an input, it returns a `Match`\nobject, which is similar to those of Python's\n[re](https://docs.python.org/3/library/re.html) module for regular\nexpressions. By default, nothing is captured, but the capture operator\n(`~`) emits the substring of the matching expression, similar to\nregular expression's capturing groups:\n\n```python\n>>> e = pe.compile(r'[0-9] [.] [0-9]')\n>>> m = e.match('1.4')\n>>> m.group()\n'1.4'\n>>> m.groups()\n()\n>>> e = pe.compile(r'~([0-9] [.] [0-9])')\n>>> m = e.match('1.4')\n>>> m.group()\n'1.4'\n>>> m.groups()\n('1.4',)\n\n```\n\n### Value Bindings\n\nA value binding extracts the emitted values of a match and associates\nit with a name that is made available in the `Match.groupdict()`\ndictionary. This is similar to named-capture groups in regular\nexpressions, except that it extracts the emitted values and not the\nsubstring of the bound expression.\n\n```python\n>>> e = pe.compile(r'~[0-9] x:(~[.]) ~[0-9]')\n>>> m = e.match('1.4')\n>>> m.groups()\n('1', '4')\n>>> m.groupdict()\n{'x': '.'}\n\n```\n\n### Actions\n\nActions (also called \"semantic actions\") are callables that transform\nparse results. When an arbitrary function is given, it is called as\nfollows:\n\n``` python\nfunc(*match.groups(), **match.groupdict())\n```\n\nThe result of this function call becomes the only emitted value going\nforward and all bound values are cleared.\n\nFor more control, **pe** provides the [Action] class and a number of\nsubclasses for various use-cases. These actions have access to more\ninformation about a parse result and more control over the\nmatch. For example, the [Pack] class takes a function and calls it\nwith the emitted values packed into a list:\n\n``` python\nfunc(match.groups())\n```\n\nAnd the [Join] class joins all emitted strings with a separator:\n\n``` python\nfunc(sep.join(match.groups()), **match.groupdict())\n```\n\n[Action]: docs/api/pe.actions.md#Action\n[Pack]: docs/api/pe.actions.md#Pack\n[Join]: docs/api/pe.actions.md#Join\n\n### Auto-ignore\n\nThe grammar can be defined such that some rules ignore occurrences of\na pattern between sequence items. Most commonly, this is used to\nignore whitespace, so the default ignore pattern is simple whitespace.\n\n```python\n>>> pe.match(\"X <- 'a' 'b'\", \"a b\")  # regular rule does not match\n>>> pe.match(\"X <  'a' 'b'\", \"a b\")  # auto-ignore rule matches\n<Match object; span=(0, 3), match='a b'>\n\n```\n\nThis feature can help to make grammars more readable.\n\n### Example\n\nHere is one way to parse a list of comma-separated integers:\n\n```python\n>>> from pe.actions import Pack\n>>> p = pe.compile(\n...   r'''\n...     Start  <- \"[\" Values? \"]\"\n...     Values <- Int (\",\" Int)*\n...     Int    <  ~( \"-\"? (\"0\" / [1-9] [0-9]*) )\n...   ''',\n...   actions={'Values': Pack(list), 'Int': int})\n>>> m = p.match('[5, 10, -15]')\n>>> m.value()\n[5, 10, -15]\n\n```\n\n## Similar Projects\n\n- [Lark](https://github.com/lark-parser/lark) (Python)\n- [nom](https://github.com/Geal/nom) (Rust)\n- [Parsimonious](https://github.com/erikrose/parsimonious) (Python)\n- [Rosie](https://rosie-lang.org/) (Multiple bindings)\n- [TatSu](https://tatsu.readthedocs.io/en/stable/) (Python)\n- [PEG.js](https://github.com/pegjs/pegjs) (Javascript)\n- [Pegged](https://github.com/PhilippeSigaud/Pegged) (D)\n- [pegen](https://github.com/gvanrossum/pegen) (Python / C)\n- [LPeg] (Lua)\n\n[LPeg]: http://www.inf.puc-rio.br/~roberto/lpeg/\n",
    "bugtrack_url": null,
    "license": "MIT License  Copyright (c) 2020 Michael Wayne Goodman  Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the \"Software\"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:  The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.  THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. ",
    "summary": "Library for Parsing Expression Grammars (PEG)",
    "version": "0.5.2",
    "project_urls": {
        "Changelog": "https://github.com/goodmami/pe/blob/main/CHANGELOG.md",
        "Documentation": "https://github.com/goodmami/pe/blob/main/docs/README.md",
        "Homepage": "https://github.com/goodmami/pe"
    },
    "split_keywords": [
        "peg",
        " parsing",
        " text"
    ],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "5b2ecd86437c3f916ef9c9d5c93f1a989211802262f9ae0499f2ea7d64072f2c",
                "md5": "d51b43ba31aba4dd70ee40173fc89ca5",
                "sha256": "30ccf6b00af4153718fd7f5d1fb8816b8687f0228ae9d61ed7dba59bfb285f7e"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp310-cp310-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "d51b43ba31aba4dd70ee40173fc89ca5",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.8",
            "size": 332740,
            "upload_time": "2024-04-03T04:41:48",
            "upload_time_iso_8601": "2024-04-03T04:41:48.808952Z",
            "url": "https://files.pythonhosted.org/packages/5b/2e/cd86437c3f916ef9c9d5c93f1a989211802262f9ae0499f2ea7d64072f2c/pe-0.5.2-cp310-cp310-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "88986dce54d64f5ea3ea4b43bd5264a878da69185e8ae1129fe59aceafc21803",
                "md5": "b802191d7092e96da7197f9816ee6f35",
                "sha256": "92c2eccf684e923bbb96686df5a6aee2c9d6b292bac543ee411e9819922edc68"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "b802191d7092e96da7197f9816ee6f35",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.8",
            "size": 940629,
            "upload_time": "2024-04-03T04:41:51",
            "upload_time_iso_8601": "2024-04-03T04:41:51.035469Z",
            "url": "https://files.pythonhosted.org/packages/88/98/6dce54d64f5ea3ea4b43bd5264a878da69185e8ae1129fe59aceafc21803/pe-0.5.2-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "0a2ceafa0c1902c5d5dc554638ee62f53f3b28765c0d095b6a4d6bb6b41f4fe2",
                "md5": "a1a2480ebdf8dd88938c5a4a3bf55b83",
                "sha256": "2a9eeda6c411e7efb336fcd0e2426120fd08de0e4d1d64eb93985975935801f7"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp310-cp310-musllinux_1_1_x86_64.whl",
            "has_sig": false,
            "md5_digest": "a1a2480ebdf8dd88938c5a4a3bf55b83",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.8",
            "size": 940380,
            "upload_time": "2024-04-03T04:41:52",
            "upload_time_iso_8601": "2024-04-03T04:41:52.448310Z",
            "url": "https://files.pythonhosted.org/packages/0a/2c/eafa0c1902c5d5dc554638ee62f53f3b28765c0d095b6a4d6bb6b41f4fe2/pe-0.5.2-cp310-cp310-musllinux_1_1_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "e18d2df68df9397f9fd51a30ddb62d967e4f406e8447316097e34be0835acc2a",
                "md5": "22dbc5fc19a0dafb5ddfae944acf12e0",
                "sha256": "09e40da50b80f410cf4899dff4f9d488057bd5e8249ca6173e3675311d27fc30"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp310-cp310-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "22dbc5fc19a0dafb5ddfae944acf12e0",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.8",
            "size": 306543,
            "upload_time": "2024-04-03T04:41:54",
            "upload_time_iso_8601": "2024-04-03T04:41:54.399554Z",
            "url": "https://files.pythonhosted.org/packages/e1/8d/2df68df9397f9fd51a30ddb62d967e4f406e8447316097e34be0835acc2a/pe-0.5.2-cp310-cp310-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "5e830a1a0d463ccf7019f7dea7b250c64d8a9d31d94ceb8a43ebaaf749deed7d",
                "md5": "30ddf98846469b77ce6d4311ad54765f",
                "sha256": "3bede7a7aba7534b13b6525ae5acf6a9998e4b33a30191fb5cf461ffff3df0ec"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp311-cp311-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "30ddf98846469b77ce6d4311ad54765f",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.8",
            "size": 333324,
            "upload_time": "2024-04-03T04:41:55",
            "upload_time_iso_8601": "2024-04-03T04:41:55.638509Z",
            "url": "https://files.pythonhosted.org/packages/5e/83/0a1a0d463ccf7019f7dea7b250c64d8a9d31d94ceb8a43ebaaf749deed7d/pe-0.5.2-cp311-cp311-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "c4be081963eb09c5060fb4a7ec802ffc4c9916accb12a6b6330a314d1e23880c",
                "md5": "d96acfc607f59b1c155d9b094efa2f0a",
                "sha256": "420341d67cc610a9c5926a8e10dd891db2607e010c3048b6d1c0847abca9396d"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "d96acfc607f59b1c155d9b094efa2f0a",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.8",
            "size": 1009264,
            "upload_time": "2024-04-03T04:41:57",
            "upload_time_iso_8601": "2024-04-03T04:41:57.448742Z",
            "url": "https://files.pythonhosted.org/packages/c4/be/081963eb09c5060fb4a7ec802ffc4c9916accb12a6b6330a314d1e23880c/pe-0.5.2-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "7ff37d56128c7e69f4f2dff53253be7df2e7c089f994134a19224ecddc4a30e8",
                "md5": "77e142707b7c065fddb0ce1bf11fc479",
                "sha256": "4ba29dac69a53a37c399d32cca0871be2d49b2049f4616e219a3fb814a7f65d9"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp311-cp311-musllinux_1_1_x86_64.whl",
            "has_sig": false,
            "md5_digest": "77e142707b7c065fddb0ce1bf11fc479",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.8",
            "size": 1003720,
            "upload_time": "2024-04-03T04:41:59",
            "upload_time_iso_8601": "2024-04-03T04:41:59.405303Z",
            "url": "https://files.pythonhosted.org/packages/7f/f3/7d56128c7e69f4f2dff53253be7df2e7c089f994134a19224ecddc4a30e8/pe-0.5.2-cp311-cp311-musllinux_1_1_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "80200a134d884ff8ce083f441b065d647fb1bacb44c6c7c7a93fb529d2bc2cd5",
                "md5": "a6ac046e2ce58bf52d03863bb4e432e3",
                "sha256": "136f31fa1e3ba45d7992c7c1cb278d0c3cf27f50d5d88bf289a08c0b9fbc4e77"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp311-cp311-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "a6ac046e2ce58bf52d03863bb4e432e3",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.8",
            "size": 306192,
            "upload_time": "2024-04-03T04:42:00",
            "upload_time_iso_8601": "2024-04-03T04:42:00.887468Z",
            "url": "https://files.pythonhosted.org/packages/80/20/0a134d884ff8ce083f441b065d647fb1bacb44c6c7c7a93fb529d2bc2cd5/pe-0.5.2-cp311-cp311-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "938f25bf8ddf7e60d957258172d87da7e4cfc6256b8343460c9c5dd2b78d37b5",
                "md5": "e8db3d2ba74eb98fdde6f19cf4b3e609",
                "sha256": "ff1e24b301cb1a81d4de7b73ea85bc1f9b8ad484fdddb8392fb64c5bdacb33f8"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp312-cp312-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "e8db3d2ba74eb98fdde6f19cf4b3e609",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.8",
            "size": 325998,
            "upload_time": "2024-04-03T04:42:02",
            "upload_time_iso_8601": "2024-04-03T04:42:02.220706Z",
            "url": "https://files.pythonhosted.org/packages/93/8f/25bf8ddf7e60d957258172d87da7e4cfc6256b8343460c9c5dd2b78d37b5/pe-0.5.2-cp312-cp312-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "af325418bdb7384c7ceab49d20c4deb303d2389090778d42abb500e636c7c68b",
                "md5": "680dcd51ed7a1a639c6a1a4514f7b854",
                "sha256": "728eb01069ced42ed61ee43860af419137b3e950ffc32141a5c70f3f7da1e0ca"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "680dcd51ed7a1a639c6a1a4514f7b854",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.8",
            "size": 991662,
            "upload_time": "2024-04-03T04:42:04",
            "upload_time_iso_8601": "2024-04-03T04:42:04.259377Z",
            "url": "https://files.pythonhosted.org/packages/af/32/5418bdb7384c7ceab49d20c4deb303d2389090778d42abb500e636c7c68b/pe-0.5.2-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "d2bd6eb070b088a1e982b07bc1b2dba64d3da411420fca03e1330d66829047c0",
                "md5": "7d1e8054680cdc518123d84f93027b4b",
                "sha256": "eaab524ccba215332e15dc9bffec53096da01f19366a64c8909b5ace7ec30e92"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp312-cp312-musllinux_1_1_x86_64.whl",
            "has_sig": false,
            "md5_digest": "7d1e8054680cdc518123d84f93027b4b",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.8",
            "size": 982450,
            "upload_time": "2024-04-03T04:42:05",
            "upload_time_iso_8601": "2024-04-03T04:42:05.587571Z",
            "url": "https://files.pythonhosted.org/packages/d2/bd/6eb070b088a1e982b07bc1b2dba64d3da411420fca03e1330d66829047c0/pe-0.5.2-cp312-cp312-musllinux_1_1_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "f3dcc8c4d64cf28c63a54bd3892de985fa46730c8f1cfcdae691b1255f6d2263",
                "md5": "c51d2fe2b9d300cb8c84cc31256e0f14",
                "sha256": "e36ec5dda04f1088d1c5cdfc0b4d6a969eb48d276efdd9cb696485943394f560"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp312-cp312-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "c51d2fe2b9d300cb8c84cc31256e0f14",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.8",
            "size": 301702,
            "upload_time": "2024-04-03T04:42:07",
            "upload_time_iso_8601": "2024-04-03T04:42:07.529888Z",
            "url": "https://files.pythonhosted.org/packages/f3/dc/c8c4d64cf28c63a54bd3892de985fa46730c8f1cfcdae691b1255f6d2263/pe-0.5.2-cp312-cp312-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "95223e7c44ce00a55f6a0e5d65a1a1a13db4e82de621d7796a37a239ee376895",
                "md5": "312c97aee887164090f10379c98b209c",
                "sha256": "2d6085c1c476eca13b6699bb5aa62a15a8d5fc426e692d516d7b4aa62ec9262b"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp38-cp38-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "312c97aee887164090f10379c98b209c",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.8",
            "size": 332196,
            "upload_time": "2024-04-03T04:42:08",
            "upload_time_iso_8601": "2024-04-03T04:42:08.768190Z",
            "url": "https://files.pythonhosted.org/packages/95/22/3e7c44ce00a55f6a0e5d65a1a1a13db4e82de621d7796a37a239ee376895/pe-0.5.2-cp38-cp38-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "9b88d06af98dca156fe28c84f7bc1a9fb15fb5fe2305262e426428339fdfe8b8",
                "md5": "24af2494ce2bf526f0d93e38d7e397b3",
                "sha256": "c56df3d5e93440a206f1458c575664029f8ff6b5964de8a0d0ff82a4ddfe27e8"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "24af2494ce2bf526f0d93e38d7e397b3",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.8",
            "size": 965440,
            "upload_time": "2024-04-03T04:42:10",
            "upload_time_iso_8601": "2024-04-03T04:42:10.870615Z",
            "url": "https://files.pythonhosted.org/packages/9b/88/d06af98dca156fe28c84f7bc1a9fb15fb5fe2305262e426428339fdfe8b8/pe-0.5.2-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "af86c49a350e99f5cd5f6c0696174ee224cc2c0283b80b5f51add8a486c04d14",
                "md5": "a73aa3f623d7ccd0c3b1af492fdc2c40",
                "sha256": "cd375194e95de492d144e199549806b6dae215da738eda61a28bc64f7928bc57"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp38-cp38-musllinux_1_1_x86_64.whl",
            "has_sig": false,
            "md5_digest": "a73aa3f623d7ccd0c3b1af492fdc2c40",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.8",
            "size": 1011891,
            "upload_time": "2024-04-03T04:42:12",
            "upload_time_iso_8601": "2024-04-03T04:42:12.590102Z",
            "url": "https://files.pythonhosted.org/packages/af/86/c49a350e99f5cd5f6c0696174ee224cc2c0283b80b5f51add8a486c04d14/pe-0.5.2-cp38-cp38-musllinux_1_1_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "6a811e44480e91d1762493b02036f658bb4325c86102231c9a5ac6919e166dc8",
                "md5": "1c7392ddbb21f3c91a9fe73bd5ad2546",
                "sha256": "08e23443c370b11497edbde138642ca02cba0680137255aa54a2023c34604554"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp38-cp38-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "1c7392ddbb21f3c91a9fe73bd5ad2546",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.8",
            "size": 307812,
            "upload_time": "2024-04-03T04:42:13",
            "upload_time_iso_8601": "2024-04-03T04:42:13.914275Z",
            "url": "https://files.pythonhosted.org/packages/6a/81/1e44480e91d1762493b02036f658bb4325c86102231c9a5ac6919e166dc8/pe-0.5.2-cp38-cp38-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "6aba666b132c237e00cd2a356602a25071dd6485e8f97abe4c2c92bee24d6eb7",
                "md5": "420bf9a284766c76cce4c34cfb609ae4",
                "sha256": "0b3be315e4d15ad0560c446cd2b1e5e85a5490e2cf6cf012a1cb4ad84615f2e0"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp39-cp39-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "420bf9a284766c76cce4c34cfb609ae4",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.8",
            "size": 333011,
            "upload_time": "2024-04-03T04:42:15",
            "upload_time_iso_8601": "2024-04-03T04:42:15.084328Z",
            "url": "https://files.pythonhosted.org/packages/6a/ba/666b132c237e00cd2a356602a25071dd6485e8f97abe4c2c92bee24d6eb7/pe-0.5.2-cp39-cp39-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "43c7381786b14f480f03e442c157cbd01233ee4ac79287adde3b9fb82d0e5dbc",
                "md5": "ab71e907188beaf92f45bf2f66576795",
                "sha256": "16f5ea37495caaf58a39f45d0888e3226885787a7aa70fe11a49adae0745ad02"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "ab71e907188beaf92f45bf2f66576795",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.8",
            "size": 937930,
            "upload_time": "2024-04-03T04:42:16",
            "upload_time_iso_8601": "2024-04-03T04:42:16.592169Z",
            "url": "https://files.pythonhosted.org/packages/43/c7/381786b14f480f03e442c157cbd01233ee4ac79287adde3b9fb82d0e5dbc/pe-0.5.2-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "6f82e02b3cd0fefc3ca8c1dbe7cefceb11e869e68d12126af5d3473c7e815cf4",
                "md5": "9253e073d02b854f62493588e7d7595b",
                "sha256": "5c9cd1b58d0f0284bdace64745a9fd636bf80e95e81d1ef7f855ef76a7defe9f"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp39-cp39-musllinux_1_1_x86_64.whl",
            "has_sig": false,
            "md5_digest": "9253e073d02b854f62493588e7d7595b",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.8",
            "size": 942679,
            "upload_time": "2024-04-03T04:42:17",
            "upload_time_iso_8601": "2024-04-03T04:42:17.996905Z",
            "url": "https://files.pythonhosted.org/packages/6f/82/e02b3cd0fefc3ca8c1dbe7cefceb11e869e68d12126af5d3473c7e815cf4/pe-0.5.2-cp39-cp39-musllinux_1_1_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "ba15868302caf79532e451c36cd83113e8c0be56ca26013d5386fe0ec5b677d4",
                "md5": "8003a9c0a8df17f8952e6aac5e846e3e",
                "sha256": "7e9658d6716f2595e577069a09714e649b648b29275517bd9c7332603d9d92a4"
            },
            "downloads": -1,
            "filename": "pe-0.5.2-cp39-cp39-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "8003a9c0a8df17f8952e6aac5e846e3e",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.8",
            "size": 306699,
            "upload_time": "2024-04-03T04:42:19",
            "upload_time_iso_8601": "2024-04-03T04:42:19.321009Z",
            "url": "https://files.pythonhosted.org/packages/ba/15/868302caf79532e451c36cd83113e8c0be56ca26013d5386fe0ec5b677d4/pe-0.5.2-cp39-cp39-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "7c6c0e364a719797f5d6a25246aab636464ddc0c3cbe048deb0562fcb29fd38b",
                "md5": "461340243200d6f23121efb459a2000f",
                "sha256": "80c37784e5511f7a29ea1c1e0f3f2ab3615278575d27620f322ac455af0e4c2a"
            },
            "downloads": -1,
            "filename": "pe-0.5.2.tar.gz",
            "has_sig": false,
            "md5_digest": "461340243200d6f23121efb459a2000f",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": ">=3.8",
            "size": 198400,
            "upload_time": "2024-04-03T04:42:20",
            "upload_time_iso_8601": "2024-04-03T04:42:20.507776Z",
            "url": "https://files.pythonhosted.org/packages/7c/6c/0e364a719797f5d6a25246aab636464ddc0c3cbe048deb0562fcb29fd38b/pe-0.5.2.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2024-04-03 04:42:20",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "goodmami",
    "github_project": "pe",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": true,
    "lcname": "pe"
}
        
Elapsed time: 0.23092s