pyLSV2


NamepyLSV2 JSON
Version 1.3.3 PyPI version JSON
download
home_page
SummaryA pure Python3 implementation of the LSV2 protocol
upload_time2024-02-10 12:07:42
maintainer
docs_urlNone
author
requires_python>=3.6
licenseMIT License Copyright (c) 2020 - 2023 drunsinn 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 lsv2 cnc plc
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            # pyLSV2

[![PyPI pyversions](https://img.shields.io/pypi/pyversions/pyLSV2.svg)](https://pypi.python.org/pypi/pyLSV2/)
[![PyPI version fury.io](https://badge.fury.io/py/pyLSV2.svg)](https://pypi.python.org/pypi/pyLSV2/)
[![Documentation Status](https://readthedocs.org/projects/pylsv2/badge/?version=latest)](https://pylsv2.readthedocs.io/en/latest/?badge=latest)


 This library is an attempt to implement the LSV2 communication protocol used by certain
 CNC controls. It's main goal is to transfer file between the application and the control as well
 as collect information about said files. Over time more and more functions where added which
 support gathering information from the control.

 Most of this library is based on the work of tfischer73 and his Eclipse plugin found at [his GitHub page](https://github.com/tfischer73/Eclipse-Plugin-Heidenhain). Since there is no free documentation beside the plugin, some parts are based purely on reverse engineering and might therefore be not correct.

 As long as no encrypted communication is necessary and you are using Python 3.5 or newer, no additional librarys are necessary.
 
 Please consider the dangers of using this library on a production machine! This library is by no means complete and could damage the control or cause injuries! Everything beyond simple file manipulation is blocked by a lockout parameter. Use at your own risk!

## License
 MIT License

 Copyright (c) 2020 - 2023 drunsinn

 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.

## News and Releases
 check [the github release page](https://github.com/drunsinn/pyLSV2/releases) for information on the latest updates

## Contributors
 In chronological order:
 - tfischer73
 - drunsinn
 - WouterElfrink
 - kekec14
 - Michal Navrátil
 - PandaRoux8
 - sazima
 - manusolve
 - NeeXoo
 - Baptou88
 - Md-aliy7
 - npalmerDNX
 - Andreas-strg

## Usage
 See [lsv2_demo.py](https://github.com/drunsinn/pyLSV2/blob/master/pyLSV2/demos/lsv2_demo.py) for a demonstration of some of the functions.

 Since the whole protocol isn't documented there can always be problems with certain corner cases. Especially during file transfer a lot of stuff can go wrong.
 In case the control doesn't accept a command it returns an error. Some of these errors are checked internally but not everything is covered as of now. It is therefore
 best to check the last error with `con.last_error`. Every error consists of type and a status code. The enum `LSV2StatusCode` contains all known status codes.

### Notes for upgrade to v1.xx
Notice: The change from 0.xx to 1.xx brought some major incompatible changes in regards to the API:
 - raise the minimal required python version to 3.4 (for [IronPython 3.4](https://ironpython.net/)), future releases (1.1.x) will target 3.7 or higher!
 - change of function names and parameters to better reflect their use
 - change of return types from dict to data classes to reduce the dependency on magic strings
These changes where made intentionally to make further development easier. See the demo script for an overview of the new API.

#### exemplary overview of the changes from v0.x to v1.x
| Functionality                | Version 0.x                                           | Version 1.x                                             |
|------------------------------|-------------------------------------------------------|---------------------------------------------------------|
| read nc software version     | `con.get_versions()["NC_Version"]`                    | `con.versions.nc_sw`                                    |
| check if control is a iTNC   | `con.is_itnc()`                                       | `con.version.is_itnc()`                                 |
| get execution status via     | `con.get_execution_status()` returns `int` value      | `con.execution_status()` returns enum `ExecState`       |
| read override values via     | `con.get_override_info()` returns `dict` or `False`   | `con.override_info()` returns `OverrideState` or `None` |
| read axes position via       | `con.get_axes_location()` returns `dict` or `False`   | `con.axes_location()` returns `dict` or `None`          |
| move a file on the control   | `con.move_local_file()`                               | `con.move_file()`                                       |

### Basic example without context manager
```
 import pyLSV2
 con = pyLSV2.LSV2("192.168.56.101")
 con.connect()
 print(con.versions.control)
 con.disconnect()
```

### Basic example with context manager
```
 import pyLSV2
 with pyLSV2.LSV2("192.168.56.101") as con:
 ... con.connect()
 ... print(con.versions.control)
```

### Accessing PLC data
 To read values from the PLC memory you need to know the memory area/type and the memory address. There are two ways to read these values.
 
#### Reading via memory address
 The following command reads 15 marker (bits) starting at address 32. This returns a list with 15 boolean values.

```
 con.read_plc_memory(32, pyLSV2.MemoryType.MARKER, 15)
```
 See [lsv2_demo.py](https://github.com/drunsinn/pyLSV2/blob/master/pyLSV2/demos/lsv2_demo.py) for more examples.

 The available memory areas and their python data type
| Memory Type              | Python Type |
|--------------------------|-------------|
| PLC_MEM_TYPE_MARKER      | bool        |
| PLC_MEM_TYPE_INPUT       | bool        |
| PLC_MEM_TYPE_OUTPUT      | bool        |
| PLC_MEM_TYPE_COUNTER     | bool        |
| PLC_MEM_TYPE_TIMER       | bool        |
| PLC_MEM_TYPE_BYTE        | integer     |
| PLC_MEM_TYPE_WORD        | integer     |
| PLC_MEM_TYPE_DWORD       | integer     |
| PLC_MEM_TYPE_STRING      | str         |
| PLC_MEM_TYPE_INPUT_WORD  | integer     |
| PLC_MEM_TYPE_OUTPUT_WORD | integer     |

 Reading the values from the memory address takes the size of each memory type into account.

#### Reading via Data Path
 The following command reads values from the control not via a memory address but via supplying a data access path. This will only work on iTNC controls!
 The advantage is that it also allows you to access tables like the tool table without reading the complete file.

```
 con.read_data_path('/PLC/memory/K/1')
 con.read_data_path('/TABLE/TOOL/T/1/DOC')
```

 See [lsv2_demo.py](https://github.com/drunsinn/pyLSV2/blob/master/pyLSV2/demos/lsv2_demo.py) for more examples.

 Note that reading values from memory does not take into account the actual size in the control memory. This leads to an offset between the values read with `read_data_path` and `read_plc_memory`. As a workaround you have to multiply the address value with the number of bytes the data type requires. The following example tries to show how this can be accomplished:

```
 for mem_address in [0, 1, 2, 4, 8, 12, 68, 69, 151, 300, 368]:
    v1 = lsv2.read_plc_memory(mem_address, pyLSV2.MemoryType.DWORD, 1)[0]
    v2 = lsv2.read_data_path("/PLC/memory/D/%d" % (mem_address * 4))
    assert v1 == v2
```

### SSH Tunnel
 Newer controls allow the use of ssh to encrypt the communication via LSV2. 
 See [ssh_tunnel_demo.py](https://github.com/drunsinn/pyLSV2/blob/master/pyLSV2/demos/ssh_tunnel.py) for an example on
 how to use the python library [sshtunnel](https://github.com/pahaz/sshtunnel) to achieve a secure connection.

## Compatibility
 Since there are a lot of different software versions and machine configurations out there 
 it is hard to say if this library is compatible with all of them. Most testing has been done 
 on programming stations but also with real hardware. Here is a list of versions that have
 been tested:

### Programming Stations
| Control     | Software       |
|-------------|----------------|
| TNC640      | 340595 08 SP1  |
| TNC640      | 340595 10 SP2  |
| TNC640      | 340595 11 SP1  |
| TNC640      | 340595 11 SP4  |
| iTNC530     | 606425 04 SP20 |
| iTNC530     | 340494 08 SP2  |
| CNCpilot640 | 1230521 03 SP1 |
| TNC7        | 817625 17      |

### Machines
| Control     | Software       |
|-------------|----------------|
| TNC620      | 817605 04 SP1  |
| TNC640      | 340595 08 SP1  |
| iTNC530     | 340480 14 SP4  |
| iTNC530     | 606420 02 SP14 |
| iTNC530     | 606420 02 SP3  |

 If you have tested it on one of your machines with a different software version, please let us know!

# Tables
 Included in this library is also functionality to work with Tables used by different NC Controls. This includes for example TNC controls as well as Anilam 6000i CNC. As these controls and there software versions use different table formats, it is also possible to dreive the format form an existing table and export the format to a json file.

 See [tab2csv.py](https://github.com/drunsinn/pyLSV2/blob/master/pyLSV2/demos/tab2csv.py) for a demonstration on how to read a table and convert it to a csv file.

 This script can also be used as a command line tool
```
 usage: tab2csv.py [-h] [--decimal_char DECIMAL_CHAR] [-d | -v] source
 
 command line script parsing table files
 
 positional arguments:
   source                table file to parse
 
 options:
   -h, --help            show this help message and exit
   --decimal_char DECIMAL_CHAR
                         override local decimal char
   -d, --debug           enable log level DEBUG
   -v, --verbose         enable log level INFO
```

# Testing
 To run the test you either need a machine or a programming station. The control has to be on and the 
 PLC program has to be running. The IP address and timeout are set via command line parameters.
```
 pytest --address=192.168.56.103 --timeout=5
```

# Minimum required Python version
 The minimum required python version was checked with [vermin](https://github.com/netromdk/vermin).
```
 vermin --no-parse-comments .
```
 The results indicate that pyLSV2 should work with python 3.5 and even with 3.4 if you install
 the packported modules argparse, enum and typing. While argpares is only used in the demo script
 the other two are necessary. Therefore it should be possible to use pyLSV2 with the current version
 of [IronPython](https://ironpython.net/) if you install these two modules.

# Resources
 - [protocol.rst](https://github.com/drunsinn/pyLSV2/blob/master/docs/package.rst)
 - https://www.inventcom.net/support/heidenhain/read-tnc-plc-data
 - https://www.inventcom.net/s1/_pdf/Heidenhain_TNC_Machine_Data.pdf
 - https://www.yumpu.com/en/document/read/18882603/-f-heidenhain

            

Raw data

            {
    "_id": null,
    "home_page": "",
    "name": "pyLSV2",
    "maintainer": "",
    "docs_url": null,
    "requires_python": ">=3.6",
    "maintainer_email": "",
    "keywords": "LSV2,CNC,PLC",
    "author": "",
    "author_email": "drunsinn <dr.unsinn@googlemail.com>",
    "download_url": "",
    "platform": null,
    "description": "# pyLSV2\n\n[![PyPI pyversions](https://img.shields.io/pypi/pyversions/pyLSV2.svg)](https://pypi.python.org/pypi/pyLSV2/)\n[![PyPI version fury.io](https://badge.fury.io/py/pyLSV2.svg)](https://pypi.python.org/pypi/pyLSV2/)\n[![Documentation Status](https://readthedocs.org/projects/pylsv2/badge/?version=latest)](https://pylsv2.readthedocs.io/en/latest/?badge=latest)\n\n\n This library is an attempt to implement the LSV2 communication protocol used by certain\n CNC controls. It's main goal is to transfer file between the application and the control as well\n as collect information about said files. Over time more and more functions where added which\n support gathering information from the control.\n\n Most of this library is based on the work of tfischer73 and his Eclipse plugin found at [his GitHub page](https://github.com/tfischer73/Eclipse-Plugin-Heidenhain). Since there is no free documentation beside the plugin, some parts are based purely on reverse engineering and might therefore be not correct.\n\n As long as no encrypted communication is necessary and you are using Python 3.5 or newer, no additional librarys are necessary.\n \n Please consider the dangers of using this library on a production machine! This library is by no means complete and could damage the control or cause injuries! Everything beyond simple file manipulation is blocked by a lockout parameter. Use at your own risk!\n\n## License\n MIT License\n\n Copyright (c) 2020 - 2023 drunsinn\n\n Permission is hereby granted, free of charge, to any person obtaining a copy\n of this software and associated documentation files (the \"Software\"), to deal\n in the Software without restriction, including without limitation the rights\n to use, copy, modify, merge, publish, distribute, sublicense, and/or sell\n copies of the Software, and to permit persons to whom the Software is\n furnished to do so, subject to the following conditions:\n\n The above copyright notice and this permission notice shall be included in all\n copies or substantial portions of the Software.\n\n THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR\n IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,\n FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE\n AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER\n LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,\n OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE\n SOFTWARE.\n\n## News and Releases\n check [the github release page](https://github.com/drunsinn/pyLSV2/releases) for information on the latest updates\n\n## Contributors\n In chronological order:\n - tfischer73\n - drunsinn\n - WouterElfrink\n - kekec14\n - Michal Navr\u00e1til\n - PandaRoux8\n - sazima\n - manusolve\n - NeeXoo\n - Baptou88\n - Md-aliy7\n - npalmerDNX\n - Andreas-strg\n\n## Usage\n See [lsv2_demo.py](https://github.com/drunsinn/pyLSV2/blob/master/pyLSV2/demos/lsv2_demo.py) for a demonstration of some of the functions.\n\n Since the whole protocol isn't documented there can always be problems with certain corner cases. Especially during file transfer a lot of stuff can go wrong.\n In case the control doesn't accept a command it returns an error. Some of these errors are checked internally but not everything is covered as of now. It is therefore\n best to check the last error with `con.last_error`. Every error consists of type and a status code. The enum `LSV2StatusCode` contains all known status codes.\n\n### Notes for upgrade to v1.xx\nNotice: The change from 0.xx to 1.xx brought some major incompatible changes in regards to the API:\n - raise the minimal required python version to 3.4 (for [IronPython 3.4](https://ironpython.net/)), future releases (1.1.x) will target 3.7 or higher!\n - change of function names and parameters to better reflect their use\n - change of return types from dict to data classes to reduce the dependency on magic strings\nThese changes where made intentionally to make further development easier. See the demo script for an overview of the new API.\n\n#### exemplary overview of the changes from v0.x to v1.x\n| Functionality                | Version 0.x                                           | Version 1.x                                             |\n|------------------------------|-------------------------------------------------------|---------------------------------------------------------|\n| read nc software version     | `con.get_versions()[\"NC_Version\"]`                    | `con.versions.nc_sw`                                    |\n| check if control is a iTNC   | `con.is_itnc()`                                       | `con.version.is_itnc()`                                 |\n| get execution status via     | `con.get_execution_status()` returns `int` value      | `con.execution_status()` returns enum `ExecState`       |\n| read override values via     | `con.get_override_info()` returns `dict` or `False`   | `con.override_info()` returns `OverrideState` or `None` |\n| read axes position via       | `con.get_axes_location()` returns `dict` or `False`   | `con.axes_location()` returns `dict` or `None`          |\n| move a file on the control   | `con.move_local_file()`                               | `con.move_file()`                                       |\n\n### Basic example without context manager\n```\n import pyLSV2\n con = pyLSV2.LSV2(\"192.168.56.101\")\n con.connect()\n print(con.versions.control)\n con.disconnect()\n```\n\n### Basic example with context manager\n```\n import pyLSV2\n with pyLSV2.LSV2(\"192.168.56.101\") as con:\n ... con.connect()\n ... print(con.versions.control)\n```\n\n### Accessing PLC data\n To read values from the PLC memory you need to know the memory area/type and the memory address. There are two ways to read these values.\n \n#### Reading via memory address\n The following command reads 15 marker (bits) starting at address 32. This returns a list with 15 boolean values.\n\n```\n con.read_plc_memory(32, pyLSV2.MemoryType.MARKER, 15)\n```\n See [lsv2_demo.py](https://github.com/drunsinn/pyLSV2/blob/master/pyLSV2/demos/lsv2_demo.py) for more examples.\n\n The available memory areas and their python data type\n| Memory Type              | Python Type |\n|--------------------------|-------------|\n| PLC_MEM_TYPE_MARKER      | bool        |\n| PLC_MEM_TYPE_INPUT       | bool        |\n| PLC_MEM_TYPE_OUTPUT      | bool        |\n| PLC_MEM_TYPE_COUNTER     | bool        |\n| PLC_MEM_TYPE_TIMER       | bool        |\n| PLC_MEM_TYPE_BYTE        | integer     |\n| PLC_MEM_TYPE_WORD        | integer     |\n| PLC_MEM_TYPE_DWORD       | integer     |\n| PLC_MEM_TYPE_STRING      | str         |\n| PLC_MEM_TYPE_INPUT_WORD  | integer     |\n| PLC_MEM_TYPE_OUTPUT_WORD | integer     |\n\n Reading the values from the memory address takes the size of each memory type into account.\n\n#### Reading via Data Path\n The following command reads values from the control not via a memory address but via supplying a data access path. This will only work on iTNC controls!\n The advantage is that it also allows you to access tables like the tool table without reading the complete file.\n\n```\n con.read_data_path('/PLC/memory/K/1')\n con.read_data_path('/TABLE/TOOL/T/1/DOC')\n```\n\n See [lsv2_demo.py](https://github.com/drunsinn/pyLSV2/blob/master/pyLSV2/demos/lsv2_demo.py) for more examples.\n\n Note that reading values from memory does not take into account the actual size in the control memory. This leads to an offset between the values read with `read_data_path` and `read_plc_memory`. As a workaround you have to multiply the address value with the number of bytes the data type requires. The following example tries to show how this can be accomplished:\n\n```\n for mem_address in [0, 1, 2, 4, 8, 12, 68, 69, 151, 300, 368]:\n    v1 = lsv2.read_plc_memory(mem_address, pyLSV2.MemoryType.DWORD, 1)[0]\n    v2 = lsv2.read_data_path(\"/PLC/memory/D/%d\" % (mem_address * 4))\n    assert v1 == v2\n```\n\n### SSH Tunnel\n Newer controls allow the use of ssh to encrypt the communication via LSV2. \n See [ssh_tunnel_demo.py](https://github.com/drunsinn/pyLSV2/blob/master/pyLSV2/demos/ssh_tunnel.py) for an example on\n how to use the python library [sshtunnel](https://github.com/pahaz/sshtunnel) to achieve a secure connection.\n\n## Compatibility\n Since there are a lot of different software versions and machine configurations out there \n it is hard to say if this library is compatible with all of them. Most testing has been done \n on programming stations but also with real hardware. Here is a list of versions that have\n been tested:\n\n### Programming Stations\n| Control     | Software       |\n|-------------|----------------|\n| TNC640      | 340595 08 SP1  |\n| TNC640      | 340595 10 SP2  |\n| TNC640      | 340595 11 SP1  |\n| TNC640      | 340595 11 SP4  |\n| iTNC530     | 606425 04 SP20 |\n| iTNC530     | 340494 08 SP2  |\n| CNCpilot640 | 1230521 03 SP1 |\n| TNC7        | 817625 17      |\n\n### Machines\n| Control     | Software       |\n|-------------|----------------|\n| TNC620      | 817605 04 SP1  |\n| TNC640      | 340595 08 SP1  |\n| iTNC530     | 340480 14 SP4  |\n| iTNC530     | 606420 02 SP14 |\n| iTNC530     | 606420 02 SP3  |\n\n If you have tested it on one of your machines with a different software version, please let us know!\n\n# Tables\n Included in this library is also functionality to work with Tables used by different NC Controls. This includes for example TNC controls as well as Anilam 6000i CNC. As these controls and there software versions use different table formats, it is also possible to dreive the format form an existing table and export the format to a json file.\n\n See [tab2csv.py](https://github.com/drunsinn/pyLSV2/blob/master/pyLSV2/demos/tab2csv.py) for a demonstration on how to read a table and convert it to a csv file.\n\n This script can also be used as a command line tool\n```\n usage: tab2csv.py [-h] [--decimal_char DECIMAL_CHAR] [-d | -v] source\n \n command line script parsing table files\n \n positional arguments:\n   source                table file to parse\n \n options:\n   -h, --help            show this help message and exit\n   --decimal_char DECIMAL_CHAR\n                         override local decimal char\n   -d, --debug           enable log level DEBUG\n   -v, --verbose         enable log level INFO\n```\n\n# Testing\n To run the test you either need a machine or a programming station. The control has to be on and the \n PLC program has to be running. The IP address and timeout are set via command line parameters.\n```\n pytest --address=192.168.56.103 --timeout=5\n```\n\n# Minimum required Python version\n The minimum required python version was checked with [vermin](https://github.com/netromdk/vermin).\n```\n vermin --no-parse-comments .\n```\n The results indicate that pyLSV2 should work with python 3.5 and even with 3.4 if you install\n the packported modules argparse, enum and typing. While argpares is only used in the demo script\n the other two are necessary. Therefore it should be possible to use pyLSV2 with the current version\n of [IronPython](https://ironpython.net/) if you install these two modules.\n\n# Resources\n - [protocol.rst](https://github.com/drunsinn/pyLSV2/blob/master/docs/package.rst)\n - https://www.inventcom.net/support/heidenhain/read-tnc-plc-data\n - https://www.inventcom.net/s1/_pdf/Heidenhain_TNC_Machine_Data.pdf\n - https://www.yumpu.com/en/document/read/18882603/-f-heidenhain\n",
    "bugtrack_url": null,
    "license": "MIT License  Copyright (c) 2020 - 2023 drunsinn  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": "A pure Python3 implementation of the LSV2 protocol",
    "version": "1.3.3",
    "project_urls": {
        "Bug Tracker": "https://github.com/drunsinn/pyLSV2/issues",
        "Homepage": "https://github.com/drunsinn/pyLSV2"
    },
    "split_keywords": [
        "lsv2",
        "cnc",
        "plc"
    ],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "4b932ab8f4f9d0ae34ced544cbf125e6144c5c21d4425fa69fdfef880c7e2325",
                "md5": "7c57f02e0b47946e22d17a04db0f1f3c",
                "sha256": "edde04f9f2575468553c0072b350ddde0a8f5d58955cead90230e42a906817ca"
            },
            "downloads": -1,
            "filename": "pyLSV2-1.3.3-py3-none-any.whl",
            "has_sig": false,
            "md5_digest": "7c57f02e0b47946e22d17a04db0f1f3c",
            "packagetype": "bdist_wheel",
            "python_version": "py3",
            "requires_python": ">=3.6",
            "size": 65696,
            "upload_time": "2024-02-10T12:07:42",
            "upload_time_iso_8601": "2024-02-10T12:07:42.127128Z",
            "url": "https://files.pythonhosted.org/packages/4b/93/2ab8f4f9d0ae34ced544cbf125e6144c5c21d4425fa69fdfef880c7e2325/pyLSV2-1.3.3-py3-none-any.whl",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2024-02-10 12:07:42",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "drunsinn",
    "github_project": "pyLSV2",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": true,
    "lcname": "pylsv2"
}
        
Elapsed time: 0.18418s