Skip to main content

Python bindings for Snips Hermes Protocol

Project description

Hermes Python
*************

.. image:: https://travis-ci.org/snipsco/hermes-protocol.svg
:target: https://travis-ci.org/snipsco/hermes-protocol

.. image:: https://badge.fury.io/py/hermes-python.svg
:target: https://badge.fury.io/py/hermes-python


About
*****

The ``hermes-python`` library provides python bindings for the Hermes
protocol that snips components use to communicate together over MQTT.
``hermes-python`` allows you to interface seamlessly with the Snips
platform and kickstart development of Voice applications.

``hermes-python`` abstracts away the connection to the MQTT bus and
the parsing of incoming and outcoming messages from and to the
components of the snips platform.


Requirements
************

Pre-compiled wheels are available for Python 2.7+ and Python 3.5

The pre-compiled wheels supports the following platform tags :

* ``manylinux1_x86_64``

* ``armv7l``, ``armv6``

* ``macos``

If you want to install ``hermes-python`` on another platform, you have
to build it from source.


Installation
************

The library is packaged as a pre-compiled platform wheel, available on
`PyPi <https://pypi.org/project/hermes-python/>`_.

It can be installed with : ``pip install hermes-python``.

Or you can add it to your *requirements.txt* file.


Building from source
********************

If you want to use ``hermes-python`` on platforms that are not
supported, you have to manually compile the wheel.

You need to have *rust* installed :

``curl https://sh.rustup.rs -sSf``

Clone, the ``hermes-protocol`` repository :

::

git clone git@github.com:snipsco/hermes-protocol.git
cd hermes-protocol

You need to compile the dynamically linked shared object library :

::

mkdir -p platforms/hermes-python/target
CARGO_TARGET_DIR=platforms/hermes-python/target cargo rustc --lib --manifest-path hermes-mqtt-ffi/Cargo.toml --release -- --crate-type cdylib
mv platforms/hermes-python/target/release/libhermes_mqtt_ffi.dylib platforms/hermes-python/hermes_python/dylib/

You can then build the wheel :

::

virtualenv env
source env/bin/activate
python setup.py bdist_wheel

The built wheels should be in ``platforms/hermes-python/dist``

You can install those with pip : ``pip install
platforms/hermes-python/dist/<your_wheel>.whl``


Tutorial
********

The lifecycle of a script using ``hermes-python`` has the following
steps :

* Initiating a connection to the MQTT broker

* Registering callback functions to handle incoming intent parsed by
the snips platform

* Listening to incoming intents

* Closing the connection

Let’s quickly dive into an example :

Let’s write an app for a Weather Assistant ! This code implies that
you created a weather assistant using the `Snips Console
<https://console.snips.ai/>`_, and that it has a
``searchWeatherForecast`` intent. Or you could download `this weather
Assistant
<https://resources.snips.ai/assistants/assistant-weather-EN-0.19.0-dyn-heysnipsv4.zip>`_
.

::

from hermes_python.hermes import Hermes

MQTT_ADDR = "localhost:1883" # Specify host and port for the MQTT broker

def subscribe_weather_forecast_callback(hermes, intent_message): # Defining callback functions to handle an intent that asks for the weather.
print("Parsed intent : {}".format(intent_message.intent.intent_name))

with Hermes(MQTT_ADDR) as h: # Initialization of a connection to the MQTT broker
h.subscribe_intent("searchWeatherForecast", subscribe_weather_forecast_callback) \ # Registering callback functions to handle the searchWeatherForecast intent
.start()
# We get out of the with block, which closes and releases the connection.

This app is a bit limited as it only prints out which intent was
detected by our assistant. Let’s add more features.


Handling the ``IntentMessage`` object
=====================================

In the previous example, we registered a callback that had this
signature.

::

subscribe_intent_callback(hermes, intent_message)

The ``intent_message`` object contains information that was extracted
from the spoken sentence.

For instance, in the previous code snippet, we extracted the name of
the recognized intent with

::

intent_message.intent.intent_name

We could also retrieve the associated confidence score the NLU engine
had when classifying this intent with

::

intent_message.intent.confidence_score


Extracting slots
----------------

Here are some best practices when dealing with slots. The
``IntentMessage`` object has a ``slots`` attribute.

This ``slots`` attributes is a **container** that is empty when the
intent message doesn’t have slots :

::

assert len(intent_message.slots) == 0

This container is a dictionary where the key is the name of the slot,
and the value is a list of all the slot values for this slot name.

You can access these values in two ways :

::

assert len(intent_message.slots.slot1) == 0
assert len(intent_message.slots["slot1"]) == 0

The slot values are of type ``NluSlot`` which is a deeply nested
object, we offer convenience methods to rapidly access the
*slot_value* attribute of the *NluSlot*.

To access the first ``slot_value`` of a slot called ``myslot``, you
can use :

::

intent_message.slots.myslot.first()

You can also access all the ``slot_value`` of a slot called ``myslot``
:

::

intent_message.slots.myslot.all()

Let’s add to our Weather assistant example.

We assume that the ``searchWeatherForecast`` has one slot called
``forecast_location``, that indicates which location the user would
like to know the weather at.

Let’s print all the ``forecast_location`` slots :

::

for slot in intent_message.slots.forecast_location:
name = slot.slot_name
confidence = slot.confidence_score
print("For slot : {}, the confidence is : {}".format(name, confidence))

The *dot* notation was used, but we can also use the dictionary
notation :

::

for slot in intent_message.slots.forecast_location:
name = slot["slot_name"]
print(name)

Some convenience methods are available to easily retrieve slot values
:

*Retrieving the first slot value for a given slot name*

::

slot_value = intent_message.slots.forecast_location.first()

*Retrieving all slot values for a given slot name*

::

slot_values = intent_message.slots.forecast_location.all()

Coming back to our example, we can now have the app print the
``forecast_location`` slot value back to the user :

::

def subscribe_weather_forecast_callback(hermes, intent_message):
slot_value = intent_message.slots.forecast_location.first().value
print("The slot was : {}".format(slot_value)


Managing sessions
=================

The Snips platform includes support for conversations with back and
forth communication between the Dialogue Manager and the client code.
Within the Snips platform, a conversation happening between a user and
her assistant is called a session.

In this document, we will go through the details of how to start,
continue and end a session.

In its default setup, you initiate a conversation with your assistant
by pronouncing the defined wake-word. You say your request out-loud,
an intent is extracted from your request, and triggers the portion of
the action code you registered to react to this intent. Under the
hood, the Dialogue Manager starts a new **session** when the wake-word
is detected. The session is then ended by the action code.


Starting a session
------------------

A session can be also be started programmatically. When you initiate a
new session, the Dialogue Manager will start the session by asking the
TTS to say the text (if any) and wait for the answer of the end user.

You can start a session in two manners :

* with an action

* with a notification

When initiating a new session with an action, it means the action code
will expect a response from the end user.

For instance: You could have an assistant that books concerts tickets
for you. The action code would start a session with an action, having
the assistant asking for what band you would like to see live.

When initiating a new session with a notification, it means the action
code only inform the user of something without expecting a response.

For instance: Instead of pronouncing your defined wake-word, you could
program a button to initiate a new session.

Let’s build up on our previous example of an assistant that book
concerts tickets for you. Here, we are going to initiate a new session
with an **action**, filtering on the intent the end-user can respond
with.

::

from hermes_python.hermes import Hermes, MqttOptions

with Hermes(mqtt_options=MqttOptions()) as h:
h.publish_start_session_action(None,
"What band would you like to see live ?",
["findLiveBands"],
True, False, None)

Let’s say that we added a physical button to initiate a conversation
with our concert tickets booking assistant. We could use this button
to initiate a new session and start talking immediately after pressing
the button instead of relying on triggering a wake-word.

When the button is pressed, the following code could be ran :

::

hermes.publish_start_session_notification("office", None, None)

This would initiate a new session on the ``office`` site id.


Ending a session
----------------

To put an end to the current interaction the action code can terminate
a started session. You can optionally terminate a session with a
session with a message that should be said out loud by the TTS.

Let’s get back to our concert tickets booking assistant, we would end
a session like this :

::

from hermes_python.hermes import Hermes, MqttOptions


def find_shows(band):
pass


def findLiveBandHandler(hermes, intent_message):
band = intent_message.slots.band.first().value
shows = find_shows(band)
hermes.publish_end_session(intent_message.session_id, "I found {} shows for this band !".format(len(shows)))


with Hermes(mqtt_options=MqttOptions()) as h:
h\
.subscribe_intent("findLiveBand", findLiveBandHandler)\
.start()


Continuing a session
--------------------

You can programmatically extend the lifespan of a dialogue session,
expecting interactions from the end users. The typical use of
continuing a session is for your assistant to ask additional
information to the end user.

Let’s continue with our concert tickets booking assistant, after
starting a session, we will continue a session, expecting the user to
tell us how many tickets the assistant should buy.

::

import json
from hermes_python.hermes import Hermes, MqttOptions

required_slots = { # We are expecting these slots.
"band": None,
"number_of_tickets": None
}

def ticketShoppingHandler(hermes, intent_message):
available_slots = json.loads(intent_message.custom_data)

band_slot = intent_message.slots.band.first().value or available_slots["band"]
number_of_tickets = intent_message.slots.number_of_tickets.first().value or available_slots["number_of_tickets"]

available_slots["band"] = band_slot
available_slots["number_of_tickets"] = number_of_tickets

if not band_slot:
return hermes.publish_continue_session(intent_message.session_id,
"What band would you like to see live ?",
["ticketShopping"],
custom_data=json.dumps(available_slots))

if not number_of_tickets:
return hermes.publish_continue_session(intent_message.session_id,
"How many tickets should I buy ?",
["ticketShopping"],
custom_data=json.dumps(available_slots))

return hermes.publish_end_session(intent_message.session_id, "Ok ! Consider it booked !")


with Hermes(mqtt_options=MqttOptions("raspi-anthal-support.local")) as h:
h\
.subscribe_intent("ticketShopping", ticketShoppingHandler)\
.start()


Slot filling
------------

You can programmatically continue a session, and asking for a specific
slot. If we build on our previous example, we could continue a dialog
session by specifying which slot the assistant expects from the
end-user.

::

import json
from hermes_python.hermes import Hermes, MqttOptions

required_slots_questions = {
"band": "What band would you like to see live ?",
"number_of_tickets": "How many tickets should I buy ?"
}

def ticketShoppingHandler(hermes, intent_message):
available_slots = json.loads(intent_message.custom_data)

band_slot = intent_message.slots.band.first().value or available_slots["band"]
number_of_tickets = intent_message.slots.number_of_tickets.first().value or available_slots["number_of_tickets"]

available_slots["band"] = band_slot
available_slots["number_of_tickets"] = number_of_tickets

missing_slots = filter(lambda slot: slot is None, [band_slot, number_of_tickets])

if len(missing_slots):
missing_slot = missing_slots.pop()
return hermes.publish_continue_session(intent_message.session_id,
required_slots_questions[missing_slot],
custom_data=json.dumps(available_slots),
slot_to_fill=missing_slot)
else:
return hermes.publish_end_session(intent_message.session_id, "Ok ! Consider it booked !")


with Hermes(mqtt_options=MqttOptions("raspi-anthal-support.local")) as h:
h\
.subscribe_intent("ticketShopping", ticketShoppingHandler)\
.start()


Configuring MQTT options
========================

The connection to your MQTT broker can be configured with the
``hermes_python.ffi.utils.MqttOptions`` class.

The ``Hermes`` client uses the options specified in the
``MqttOptions`` class when establishing the connection to the MQTT
broker.

Here is a code example :

::

from hermes_python.hermes import Hermes
from hermes_python.ffi.utils import MqttOptions

mqtt_opts = MqttOptions()

def simple_intent_callback(hermes, intent_message):
print("I received an intent !")

with Hermes(mqtt_options=mqtt_opts) as h:
h.subscribe_intents().loop_forever()

Here are the options you can specify in the MqttOptions class :

* ``broker_address``: The address of the MQTT broker. It should be
formatted as ``ip:port``.

* ``username``: Username to use on the broker. Nullable

* ``password``: Password to use on the broker. Nullable

* ``tls_hostname``: Hostname to use for the TLS configuration.
Nullable, setting a value enables TLS

* ``tls_ca_file``: CA files to use if TLS is enabled. Nullable

* ``tls_ca_path``: CA path to use if TLS is enabled. Nullable

* ``tls_client_key``: Client key to use if TLS is enabled. Nullable

* ``tls_client_cert``: Client cert to use if TLS is enabled. Nullable

* ``tls_disable_root_store``: Boolean indicating if the root store
should be disabled if TLS is enabled.

Let’s connect to an external MQTT broker that requires a username and
a password :

::

from hermes_python.hermes import Hermes
from hermes_python.ffi.utils import MqttOptions

mqtt_opts = MqttOptions(username="user1", password="password", broker_address="my-mqtt-broker.com:18852")

def simple_intent_callback(hermes, intent_message):
print("I received an intent !")

with Hermes(mqtt_options=mqtt_opts) as h:
h.subscribe_intents().loop_forever()


Configuring Dialogue
====================

``hermes-python`` offers the possibility to configure different
aspects of the Dialogue system.


Enabling and disabling intents on the fly
-----------------------------------------

It is possible to enable and disable intents of your assistant on the
fly. Once an intent is disabled, it will not be recognized by the NLU.

Note that intents in the intent filters of started or continued
session will take precedence over intents that are enabled/disabled in
the configuration of the Dialogue.

You can disable/enable intents with the following methods :

::

from hermes_python.ontology.dialogue.session import DialogueConfiguration

dialogue_conf = DialogueConfiguration() \
.disable_intent("intent1") \
.enable_intent("intent2") \
.enable_intents(["intent1", "intent2"]) \
.disable_intents(["intent2", "intent1"])

hermes.configure_dialogue(dialogue_conf)


Enabling Debugging
==================

You can debug ``hermes-python`` if you encounter an issue and get a
better stacktrace that you can send us.

To do so, you have to set the ``rust_logs_enabled`` flag to True when
you create an instance of the ``Hermes`` class :

::

from hermes_python.hermes import Hermes

def callback(hermes, intent_message):
pass

with Hermes("localhost:1883", rust_logs_enabled=True) as h:
h.subscribe_intent("...", callback)
h.start()

You should then execute your script with the ``RUST_LOG`` environment
variable : ``RUST_LOG=TRACE python your_script.py``.


Release Checklist
*****************

Everytime you need to perform a release, do the following steps : - [
] Commit all changes to the project for said release - [ ] Write all
the changes introduced in the Changelog (source/HISTORY.rst file) and
commit it - [ ] Run tests - [ ] Build the documentation and commit the
README.rst - [ ] Bump the version and commit it - [ ] Upload to PyPI


Build details
*************


Creating macOS wheels
=====================

The build script : ``build_scripts/build_macos_wheels.sh`` uses
``pyenv`` to generate ``hermes-python`` wheels for different versions
of python.

To be able to run it, you need to :

* install pyenv : brew install pyenv. Then follow the additional
steps detailled

* you then have to install python at different versions: ``pyenv
install --list`` to list the available version to install

* Before installing and building the different python version from
sources, install the required dependencies : `Link here
<https://github.com/pyenv/pyenv/wiki/>`_

That’s it !
History
==========

0.4.1 (2019-03-29)
^^^^^^^^^^^^^^^^^^
* Re-enables debugging of hermes-python with the `rust_logs_enabled` flag
* AmountOfMoneyValue, InstantTimeValue and DurationValue slot values now use Precision and Grain enumerations

0.4.0 (2019-03-20)
^^^^^^^^^^^^^^^^^^
* Adds support to configure the Dialogue Mananger : enabling and disabling intents on the fly.
* Adds slot filling API : You can ask for a specific slot when continuing a session
* adding support for `OrdinalSlot`

0.3.3 (2019-03-06)
^^^^^^^^^^^^^^^^^^
* Fixes a bug with `publish_start_session_notification` that didn't take the `text` parameter into account.

0.3.2 (2019-02-25)
^^^^^^^^^^^^^^^^^^
* Fixes an important bug that gave the argument `hermes` the wrong type for every registered callback.
* Fixes an important bug that caused the program to crash when parsing intentMessage that had no slots.

0.3.1 (2019-02-25)
^^^^^^^^^^^^^^^^^^
* Fixes import bug with templates, the `hermes_python.ffi.utils` module now re-exports `MqttOptions`

0.3.0 (2019-02-25)
^^^^^^^^^^^^^^^^^^
* `IntentClassifierResult`'s `probability` field has been renamed to `confidence_score`.
* Introduces support for snips-platform `1.1.0 - 0.61.1`.

0.2.0 (2019-02-04)
^^^^^^^^^^^^^^^^^^
* Introduces options to connect to the MQTT broker (auth + TLS are now supported).

0.1.29 (2019-01-29)
^^^^^^^^^^^^^^^^^^^
* Fixes bug when deserializing `TimeIntervalValue` that used wrong `encode` method instead of `decode`.

0.1.28 (2019-01-14)
^^^^^^^^^^^^^^^^^^^
* Fixes bug when the `__exit__` method was called twice on the `Hermes` class.
* Introduces two methods to the public api : `connect` and `disconnect` that should bring more flexibility

0.1.27 (2019-01-07)
^^^^^^^^^^^^^^^^^^^
* Fixed broken API introduced in `0.1.26` with the publish_continue_session method of the Hermes class.
* Cast any string that goes in the mqtt_server_adress parameter in the constructor of the Hermes class to be a 8-bit string.

0.1.26 (2019-01-02)
^^^^^^^^^^^^^^^^^^^^^
* LICENSING : This wheel now has the same licenses as the parent project : APACHE-MIT.
* Subscription to not recognized intent messages is added to the API. You can now write your own callbacks to handle unrecognized intents.
* Adds send_intent_not_recognized flag to continue session : indicate whether the dialogue manager should handle non recognized intents by itself or sent them as an `IntentNotRecognizedMessage` for the client to handle.

0.1.25 (2018-12-13)
^^^^^^^^^^^^^^^^^^^^^
* Better error handling : Errors from wrapped C library throw a LibException with detailled errors.




Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distributions

No source distribution files available for this release.See tutorial on generating distribution archives.

Built Distributions

hermes_python-0.4.1-cp37-cp37m-manylinux1_x86_64.whl (3.0 MB view details)

Uploaded CPython 3.7m

hermes_python-0.4.1-cp37-cp37m-macosx_10_11_x86_64.whl (2.2 MB view details)

Uploaded CPython 3.7mmacOS 10.11+ x86-64

hermes_python-0.4.1-cp36-cp36m-manylinux1_x86_64.whl (3.0 MB view details)

Uploaded CPython 3.6m

hermes_python-0.4.1-cp36-cp36m-macosx_10_6_intel.whl (2.2 MB view details)

Uploaded CPython 3.6mmacOS 10.6+ Intel (x86-64, i386)

hermes_python-0.4.1-cp35-cp35m-manylinux1_x86_64.whl (3.0 MB view details)

Uploaded CPython 3.5m

hermes_python-0.4.1-cp35-cp35m-macosx_10_11_x86_64.whl (2.2 MB view details)

Uploaded CPython 3.5mmacOS 10.11+ x86-64

hermes_python-0.4.1-cp35-cp35m-linux_armv7l.whl (2.9 MB view details)

Uploaded CPython 3.5m

hermes_python-0.4.1-cp35-cp35m-linux_armv6l.whl (2.9 MB view details)

Uploaded CPython 3.5m

hermes_python-0.4.1-cp34-cp34m-manylinux1_x86_64.whl (3.0 MB view details)

Uploaded CPython 3.4m

hermes_python-0.4.1-cp27-cp27mu-manylinux1_x86_64.whl (3.0 MB view details)

Uploaded CPython 2.7mu

hermes_python-0.4.1-cp27-cp27mu-linux_armv7l.whl (2.9 MB view details)

Uploaded CPython 2.7mu

hermes_python-0.4.1-cp27-cp27mu-linux_armv6l.whl (2.9 MB view details)

Uploaded CPython 2.7mu

hermes_python-0.4.1-cp27-cp27m-manylinux1_x86_64.whl (3.0 MB view details)

Uploaded CPython 2.7m

hermes_python-0.4.1-cp27-cp27m-macosx_10_11_x86_64.whl (2.2 MB view details)

Uploaded CPython 2.7mmacOS 10.11+ x86-64

File details

Details for the file hermes_python-0.4.1-cp37-cp37m-manylinux1_x86_64.whl.

File metadata

  • Download URL: hermes_python-0.4.1-cp37-cp37m-manylinux1_x86_64.whl
  • Upload date:
  • Size: 3.0 MB
  • Tags: CPython 3.7m
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/1.12.1 pkginfo/1.5.0.1 requests/2.21.0 setuptools/40.4.3 requests-toolbelt/0.9.1 tqdm/4.30.0 CPython/2.7.15

File hashes

Hashes for hermes_python-0.4.1-cp37-cp37m-manylinux1_x86_64.whl
Algorithm Hash digest
SHA256 f30e64f3bc83fedb4eccfb241515b63bdb77417f197b3f45f93ad2ce6f1fdbe8
MD5 027c3cb52e242ba7d7a755f14985cee7
BLAKE2b-256 65bce84aa0722482335120a898c7de207a5c824ed4cc3cf51b908bc3a1d41026

See more details on using hashes here.

File details

Details for the file hermes_python-0.4.1-cp37-cp37m-macosx_10_11_x86_64.whl.

File metadata

  • Download URL: hermes_python-0.4.1-cp37-cp37m-macosx_10_11_x86_64.whl
  • Upload date:
  • Size: 2.2 MB
  • Tags: CPython 3.7m, macOS 10.11+ x86-64
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/1.12.1 pkginfo/1.5.0.1 requests/2.21.0 setuptools/40.4.3 requests-toolbelt/0.9.1 tqdm/4.30.0 CPython/2.7.15

File hashes

Hashes for hermes_python-0.4.1-cp37-cp37m-macosx_10_11_x86_64.whl
Algorithm Hash digest
SHA256 685e4384c50c7edc0dd04ce454b9b1bfa930bf72b683e68a666cf4109658bbc7
MD5 38f378f970e6257203e764eb99e433bf
BLAKE2b-256 83948203f52c2b857429916e158def9017c0d61222c12a268c59a5d262a6ccee

See more details on using hashes here.

File details

Details for the file hermes_python-0.4.1-cp36-cp36m-manylinux1_x86_64.whl.

File metadata

  • Download URL: hermes_python-0.4.1-cp36-cp36m-manylinux1_x86_64.whl
  • Upload date:
  • Size: 3.0 MB
  • Tags: CPython 3.6m
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/1.12.1 pkginfo/1.5.0.1 requests/2.21.0 setuptools/40.4.3 requests-toolbelt/0.9.1 tqdm/4.30.0 CPython/2.7.15

File hashes

Hashes for hermes_python-0.4.1-cp36-cp36m-manylinux1_x86_64.whl
Algorithm Hash digest
SHA256 603023cfd675012bb2483909151d726124a7b22b7f81cda1314e6d21fe1a581a
MD5 0523c4f66022e668314863be18d46d9c
BLAKE2b-256 7365bafde6b518e765d0786234fecb374869bfedaadc060bbfb67fe1013f3e4d

See more details on using hashes here.

File details

Details for the file hermes_python-0.4.1-cp36-cp36m-macosx_10_6_intel.whl.

File metadata

  • Download URL: hermes_python-0.4.1-cp36-cp36m-macosx_10_6_intel.whl
  • Upload date:
  • Size: 2.2 MB
  • Tags: CPython 3.6m, macOS 10.6+ Intel (x86-64, i386)
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/1.12.1 pkginfo/1.5.0.1 requests/2.21.0 setuptools/40.4.3 requests-toolbelt/0.9.1 tqdm/4.30.0 CPython/2.7.15

File hashes

Hashes for hermes_python-0.4.1-cp36-cp36m-macosx_10_6_intel.whl
Algorithm Hash digest
SHA256 5f66498d742fc2f08971c4eca8200bf170475147dbd3308a19e34a7ec79dccfb
MD5 ebcd7a561759e7ae56614bc8727adef7
BLAKE2b-256 eeca158a9bd2a90456226cfbead4de936544813d9d4dc9d36f4cc94c4d6d9eda

See more details on using hashes here.

File details

Details for the file hermes_python-0.4.1-cp35-cp35m-manylinux1_x86_64.whl.

File metadata

  • Download URL: hermes_python-0.4.1-cp35-cp35m-manylinux1_x86_64.whl
  • Upload date:
  • Size: 3.0 MB
  • Tags: CPython 3.5m
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/1.12.1 pkginfo/1.5.0.1 requests/2.21.0 setuptools/40.4.3 requests-toolbelt/0.9.1 tqdm/4.30.0 CPython/2.7.15

File hashes

Hashes for hermes_python-0.4.1-cp35-cp35m-manylinux1_x86_64.whl
Algorithm Hash digest
SHA256 5956183b77406196f200a21c967c93b6d08754f4a2c4383ef72049e64574cf15
MD5 7a0a84eecbd64d77cc04c854a7b1a32a
BLAKE2b-256 ef7ee693788421dd3fd1253a0225d3344d6d0a2e5502b7621885ddc50298a81b

See more details on using hashes here.

File details

Details for the file hermes_python-0.4.1-cp35-cp35m-macosx_10_11_x86_64.whl.

File metadata

  • Download URL: hermes_python-0.4.1-cp35-cp35m-macosx_10_11_x86_64.whl
  • Upload date:
  • Size: 2.2 MB
  • Tags: CPython 3.5m, macOS 10.11+ x86-64
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/1.12.1 pkginfo/1.5.0.1 requests/2.21.0 setuptools/40.4.3 requests-toolbelt/0.9.1 tqdm/4.30.0 CPython/2.7.15

File hashes

Hashes for hermes_python-0.4.1-cp35-cp35m-macosx_10_11_x86_64.whl
Algorithm Hash digest
SHA256 ecf76553504f0b479c259a591735870c3eb6e4a2f1db9cdfb4bc4a631db9e3ae
MD5 0d88266f12ef5ed2c3a22e78c85c4050
BLAKE2b-256 1d75fc879e1296e554a13a725e29bb03c512036dde9c431e0f18a7513f7c1323

See more details on using hashes here.

File details

Details for the file hermes_python-0.4.1-cp35-cp35m-linux_armv7l.whl.

File metadata

  • Download URL: hermes_python-0.4.1-cp35-cp35m-linux_armv7l.whl
  • Upload date:
  • Size: 2.9 MB
  • Tags: CPython 3.5m
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/1.12.1 pkginfo/1.5.0.1 requests/2.21.0 setuptools/40.4.3 requests-toolbelt/0.9.1 tqdm/4.30.0 CPython/2.7.15

File hashes

Hashes for hermes_python-0.4.1-cp35-cp35m-linux_armv7l.whl
Algorithm Hash digest
SHA256 243e3685514c1d900644ae21f2d38f9c7b61d81346ccb162883db689a0d916a5
MD5 ce9ce481b4e062ad47b66c45d950276c
BLAKE2b-256 d43496e9213f991561d455526de51600f394e2095d64a593e039592d6ba6cc3e

See more details on using hashes here.

File details

Details for the file hermes_python-0.4.1-cp35-cp35m-linux_armv6l.whl.

File metadata

  • Download URL: hermes_python-0.4.1-cp35-cp35m-linux_armv6l.whl
  • Upload date:
  • Size: 2.9 MB
  • Tags: CPython 3.5m
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/1.12.1 pkginfo/1.5.0.1 requests/2.21.0 setuptools/40.4.3 requests-toolbelt/0.9.1 tqdm/4.30.0 CPython/2.7.15

File hashes

Hashes for hermes_python-0.4.1-cp35-cp35m-linux_armv6l.whl
Algorithm Hash digest
SHA256 101ef0166fa9413b0482f445edfbd8684b84174406195fa4f898759eb0c2ac92
MD5 3f8e3f56d796ce1d9782dfe6d38b5dea
BLAKE2b-256 3d34c257430dfeb071e14779c1a275d0f341a5f8e296d4d1b51a733cd0219b9b

See more details on using hashes here.

File details

Details for the file hermes_python-0.4.1-cp34-cp34m-manylinux1_x86_64.whl.

File metadata

  • Download URL: hermes_python-0.4.1-cp34-cp34m-manylinux1_x86_64.whl
  • Upload date:
  • Size: 3.0 MB
  • Tags: CPython 3.4m
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/1.12.1 pkginfo/1.5.0.1 requests/2.21.0 setuptools/40.4.3 requests-toolbelt/0.9.1 tqdm/4.30.0 CPython/2.7.15

File hashes

Hashes for hermes_python-0.4.1-cp34-cp34m-manylinux1_x86_64.whl
Algorithm Hash digest
SHA256 6aa7bae571cd6128e40057c47ec1084b377aa528e01760340f655f32b935c770
MD5 1610101b1b7fdcc23cf2e9c7b578202c
BLAKE2b-256 13c94a1248dd9afa5979086fa5b62a0e4fcf93728d7541d855d95f806a2a8907

See more details on using hashes here.

File details

Details for the file hermes_python-0.4.1-cp27-cp27mu-manylinux1_x86_64.whl.

File metadata

  • Download URL: hermes_python-0.4.1-cp27-cp27mu-manylinux1_x86_64.whl
  • Upload date:
  • Size: 3.0 MB
  • Tags: CPython 2.7mu
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/1.12.1 pkginfo/1.5.0.1 requests/2.21.0 setuptools/40.4.3 requests-toolbelt/0.9.1 tqdm/4.30.0 CPython/2.7.15

File hashes

Hashes for hermes_python-0.4.1-cp27-cp27mu-manylinux1_x86_64.whl
Algorithm Hash digest
SHA256 246f62a7469adb822cf5a4b6f8dfd61da17e476fc701d30f7d110291e1f8666a
MD5 8e752e5f150d1e1feb7d1ff1b1f3e0ed
BLAKE2b-256 2cf503cd2ed6848e3942e3cfd6678a500588071b71762809f4657be2ef3a322f

See more details on using hashes here.

File details

Details for the file hermes_python-0.4.1-cp27-cp27mu-linux_armv7l.whl.

File metadata

  • Download URL: hermes_python-0.4.1-cp27-cp27mu-linux_armv7l.whl
  • Upload date:
  • Size: 2.9 MB
  • Tags: CPython 2.7mu
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/1.12.1 pkginfo/1.5.0.1 requests/2.21.0 setuptools/40.4.3 requests-toolbelt/0.9.1 tqdm/4.30.0 CPython/2.7.15

File hashes

Hashes for hermes_python-0.4.1-cp27-cp27mu-linux_armv7l.whl
Algorithm Hash digest
SHA256 da63670f50294e14f9789b93c94b4fea1c1bc34e0e337e6847813a1ba28d0684
MD5 d82c4fffa61b2fcc64082e499adf5e74
BLAKE2b-256 faf591577bacbd8d13f6db46c5d4085257888cc86ae0a463470f8725ced7eeec

See more details on using hashes here.

File details

Details for the file hermes_python-0.4.1-cp27-cp27mu-linux_armv6l.whl.

File metadata

  • Download URL: hermes_python-0.4.1-cp27-cp27mu-linux_armv6l.whl
  • Upload date:
  • Size: 2.9 MB
  • Tags: CPython 2.7mu
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/1.12.1 pkginfo/1.5.0.1 requests/2.21.0 setuptools/40.4.3 requests-toolbelt/0.9.1 tqdm/4.30.0 CPython/2.7.15

File hashes

Hashes for hermes_python-0.4.1-cp27-cp27mu-linux_armv6l.whl
Algorithm Hash digest
SHA256 b36c02b4cea9a4e5928c6e897bf7ec709758ff46914ad31030fdf9049cbec9b8
MD5 48a050ee38443b74aab87c5594f5890b
BLAKE2b-256 8f6f82bbf85d21c5436ad53c7370fb1a84282fa118300fed9ef01f4eb5333fcf

See more details on using hashes here.

File details

Details for the file hermes_python-0.4.1-cp27-cp27m-manylinux1_x86_64.whl.

File metadata

  • Download URL: hermes_python-0.4.1-cp27-cp27m-manylinux1_x86_64.whl
  • Upload date:
  • Size: 3.0 MB
  • Tags: CPython 2.7m
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/1.12.1 pkginfo/1.5.0.1 requests/2.21.0 setuptools/40.4.3 requests-toolbelt/0.9.1 tqdm/4.30.0 CPython/2.7.15

File hashes

Hashes for hermes_python-0.4.1-cp27-cp27m-manylinux1_x86_64.whl
Algorithm Hash digest
SHA256 1087b02abae5335a4e493e2645f560d55ad5dfcc6640892df436553814e6818f
MD5 85c54b9c8abb4d74765313a200391de0
BLAKE2b-256 af32b1666fe207c77befa39a82283db458e66e64d8e0aaf5e96cc54b8f66f96a

See more details on using hashes here.

File details

Details for the file hermes_python-0.4.1-cp27-cp27m-macosx_10_11_x86_64.whl.

File metadata

  • Download URL: hermes_python-0.4.1-cp27-cp27m-macosx_10_11_x86_64.whl
  • Upload date:
  • Size: 2.2 MB
  • Tags: CPython 2.7m, macOS 10.11+ x86-64
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/1.12.1 pkginfo/1.5.0.1 requests/2.21.0 setuptools/40.4.3 requests-toolbelt/0.9.1 tqdm/4.30.0 CPython/2.7.15

File hashes

Hashes for hermes_python-0.4.1-cp27-cp27m-macosx_10_11_x86_64.whl
Algorithm Hash digest
SHA256 08acd3b52282bb739bfe0958d0ee0adb905125eda81055c652079be1e0a483c0
MD5 0d0b89bb877544a89724eca499de1fcc
BLAKE2b-256 5796832274987b244a2ab8d0cd9ad85a3e6c8af6c51640ddbee9887fe41c153f

See more details on using hashes here.

Supported by

AWS Cloud computing and Security Sponsor Datadog Monitoring Fastly CDN Google Download Analytics Pingdom Monitoring Sentry Error logging StatusPage Status page