hyperway
Project description
Hyperway is a graph based functional execution library, allowing you to connect functions arbitrarily through a unique API. Mimic a large range of programming paradigms such as procedural, parallel, or aspect-oriented-programming. Build B-trees or decision trees, circuitry or logic gates; all with a simple wiring methodology.
Install
pip install hyperway
Example
Connect functions, then run your chain:
from hyperway.graph import Graph
from hyperway.tools import factory as f
# Store
g = Graph(tuple)
# Connect
first_connection = g.add(f.add_10, f.add_20)
many_connections = g.connect(f.add_30, f.add_1, f.add_2, f.add_3)
compound_connection = g.add(many_connections[1].b, f.add_3)
# Setup
stepper = g.stepper(first_connection.a, 10)
# Run a step
concurrent_row = stepper.step()
Functions
A function is our working code. We can borrow operator functions from the tools:
from hyperway.tools import factory as f
add_10 = f.add_10
# functools.partial(<built-in function add>, 10.0)
add_10(1)
# 11.0
add_10(14)
# 24.0
Connections (Edges)
Now we can bind two or more functions in an execution chain. Notably it's a minimum of two:
from hyperway.edges import make_edge
from hyperway.tools import factory as
c = make_edge(f.add_1, f.add_2)
# <Connection(Unit(func=P_add_1.0), Unit(func=P_add_2.0), name=None)>
c.pluck(1)
# 4.0
We can "pluck" a connection (like plucking a string) for it to run side a (add_1
) and b (add_2
) with our input value.
The answer is 4
. Because our input 1
, add 1
, add 2
.
A Connection will run node a when called:
>>> c(1) # call A-side `add_1`
2.0
We can process the second part:
>>> c.process(2) # call B-side `add_2`
4.0
Wire Function
The connection can have a wire function; a function existing between the two connections, allowing the alteration of the data "through transit" (whilst running through a connection)
Why use a wire function?
It's easy to argue a wire function is a node, and you can implement the wire function without this connection tap.
- Wire functions are optional: node to node connections are inherently not optional)
- Removing a wire function does not remove the edge: Edges are persistent to the graph
- Wire functions may be inert (e.g. just logging); Nodes cannot be inert as they must be bound to edges.
Fundamentally a wire function exists for topological clarity and may be ignored.
A make_edge
can accept a function. The wire function receives the values concurrent transmitting through the attached edge:
from hyperway.edges import make_edge
from hyperway.packer import argspack
import hyperway.tools as t
f = t.factory
def doubler(v, *a, **kw):
return argspack(v * 2, **kw)
c = make_edge(f.add_1, f.add_2, through=doubler)
# <Connection(Unit(func=P_add_1.0), Unit(func=P_add_2.0), name=None)>
c.pluck(1)
6.0
c.pluck(2)
8.0
c.pluck(3)
10.0
The wire function through
doubles the given number.
input(10) + 1 * 2 + 2
This is why a connection has two processing steps:
# Call Node A: (+ 1)
c(4)
5.0
# Call Wire + B: (double then + 2)
c.process(5.0)
12.0
# Or a single pluck()
c.pluck(4)
12.0
But usually we won't use with connections directly.
Self Reference
A Connection node A and node B may be the same node, performing a loop or self-referencing node connection.
u = as_unit(f.add_2)
e = make_edge(u,u)
g = Graph(tuple)
g.add_edge(e)
g.stepper(u, 1)
g.step()
g.step()
...
# 3, 5, 7, 9, 11, ...
Units (Nodes)
A Unit is a wrapper for a connected function. Everything on a graph and a Connection is a Unit:
>>> c = make_edge(f.mul_3, f.add_4)
>>> c.a
<Unit(func=P_mul_3.0)>
>>> c.b
<Unit(func=P_add_4.0)>
A Unit has additional methods used by the graph tools, such as the process
method:
# Call our add_4 function:
>>> c.b.process(1)
5.0
A new unit is unique, ensuring each new addition to the graph is will insert as a new node, allowing you to use the many times:
c = make_edge(f.add_4, f.add_4)
c.pluck(4)
12.0
We can create a unit before insertion, to allow references to an existing node. For example we can close a loop or a linear chain of function calls.
Linear (not closed.)
a = f.add_1
b = f.add_2
c = f.add_3
# a -> b -> c | done.
connection_1 = make_edge(a, b)
_ = make_edge(b, c)
_ = make_edge(c, a)
Loop (closed)
a = as_unit(f.add_1) # sticky reference.
b = f.add_2
c = f.add_3
# a -> b -> c -> a ... forever
connection_1 = make_edge(a, b)
_ = make_edge(b, c)
_ = make_edge(c, a)
This is because a
will not generate new Units upon (2) inserts. Nodes b
and c
do create new nodes.
If you create a Unit using the same function, this will produce two unique units:
unit_a = as_unit(f.add_2)
unit_a_2 = as_unit(f.add_2)
assert unit_a != unit_a_2 # Not the same.
Attempting to recast a Unit
, will return the same Unit
:
unit_a = as_unit(f.add_2)
unit_a_2 = as_unit(unit_a) # unit_a is already a Unit
assert unit_a == unit_a_2 # They are the same
Graph
All Connections are stored within a single Graph
instance. It has been purposefully designed as a small collection of connections. We can consider the graph as a dictionary register of all associated connections.
from hyperway.graph import Graph, add
from hyperway.nodes import as_unit
g = Graph(tuple)
unit_a = as_unit(f.add_2)
unit_b = as_unit(f.mul_2)
connection = add(g, unit_a, unit_b)
Under the hood, The graph is just a defaultdict
and doesn't do much.
Stepper
The Unit
(or node) is a function connected to other nodes through a Connection
. The Graph
maintains a register of all connections.
The Stepper
run units and discovers connections through the attached Graph.
It runs concurrent units and spools the next callables for the next step.
from hyperway.graph import Graph
from hyperway.tools import factory as f
g = Graph(tuple)
a_connections = g.connect(f.add_10, f.add_20, f.add_30)
b_connections = g.connect(f.add_1, f.add_2, f.add_3)
c_connection = g.add(b_connections[1].b, f.add_3)
first_connection_first_node = a_connections[0].a
stepper = g.stepper(first_connection_first_node, 10)
# <stepper.StepperC object at 0x000000000258FEB0>
concurrent_row = stepper.step()
# rows. e.g: ((<Unit(func=my_func)>, <ArgsPack(*(1,), **{})>),)
For each step()
call, we yield a step. When iterating from first_connection_first_node
(f.add_10
), the stepper will pause half-way through our call. The next step will resolve the value and prepare the next step:
# From above:
# g.stepper(first_connection_first_node, 10)
stepper.step()
(
# Partial edge (from add_10 to add_20), with the value "20.0" (10 add 10)
(<edges.PartialConnection>, <ArgsPack(*(20.0,), **{})>),
)
stepper.step()
(
# Previous step complete; input(10), add(10), then add(20)
(<Unit(func=P_add_30.0)>, <ArgsPack(*(40.0,), **{})>),
)
We initiated a stepper at our preferred node stepper = g.stepper(first_connection_first_node, 10)
. Any subsequent stepper.step()
calls push the stepper to the next execution step.
Each iteration returns the next thing to perform and the values from the previous unit call.
# Many (1) rows to call next.
(
(<Unit(func=P_add_30.0)>, <ArgsPack(*(40.0,), **{})>),
)
We see one row, with f.add_30
as the next function to call.
run_stepper
Function
The stepper can run once (allowing us to loop it), or we can use the built-in run_stepper
function, to walk the nodes until the chain is complete
from hyperway.graph import Graph
from hyperway.tools import factory as f
from hyperway.packer import argspack
from hyperway.stepper import run_stepper
g = Graph(tuple)
connections = g.connect(f.add_10, f.add_20, f.add_30)
# run until exhausted
result = run_stepper(g, connections[0].a, argspack(10))
Result Concatenation
When executing node steps, the result from the call is given to the next connected unit. If two nodes call to the same destination node, this causes two calls of the next node:
+4
i +2 +3 print
+5
With this layout, the print
function will be called twice by the +4
and +5
node. Two calls occur:
10
1 3 6 print
11
...
print(10)
print(11)
This is because there are two connections to the print
node, causing two calls.
We can change this and action one call to the print, with two results.
- Set
merge_node=True
on target node - Flag
concat_aware=True
on the stepper
g = Graph()
u = as_unit(print)
u.merge_node = True
s = g.stepper()
s.concat_aware = True
s.step()
...
When processing a print merge-node, one call is executed when events occur through multiple connections during one step:
10
1 3 6 print
11
...
print(10, 11)
Topology
- Graph: The Graph is a thin and dumb dictionary, maintaining a list of connections per node.
- Node: The Node is also very terse, fundamentally acting as a thin wrapper around the user given function, and exposes a few methods for on-graph executions.
- Edges: Edges or Connections are the primary focus of this version, where a single
Connection
is bound to two nodes, and maintains a wire-function. - Stepper: The Stepper performs much of the work for interacting with Nodes on a graph through Edges.
Breakdown.
We push Node to Node Connections into the Graph
dictionary. The Connection knows A
, B
, and potentially a Wire function.
When running the graph we use a Stepper
to processes each node step during iteration, collecting results of each call, and the next executions to perform.
We walk through the graph using a Stepper
. Upon a step we call any rows of waiting callables. This may be the users first input and will yield next callers and the result.
The Stepper
should call each next caller with the given result. Each caller will return next callers and a result for the Stepper
to call again.
In each iteration the callable resolves one or more connections. If no connections return for a node, The execution chain is considered complete.
Graph
The Graph
is purposefully terse. Its build to be as minimal as possible for the task. In the raw solution the Graph
is a defaultdict(tuple)
with a few additional functions for node acquisition.
The graph maintains a list of ID
to Connection
set.
{
ID: (
Connection(to=ID2),
),
ID2: (
Connection(to=ID),
)
}
Connection
A Connection
bind two functions and an optional wire function.
A -> [W] -> B
When executing the connection, input starts through A
, and returns through B
. If the wire function exists it may alter the value before B
receives its input values.
Units and Nodes
A Unit
represents a thing on the graph, bound to other units through connections.
def callable_func(value):
return value * 3
as_unit(callable_func)
A unit is one reference
unit = as_unit(callable_func)
unit2 = as_unit(callable_func)
assert unit != unit2
Extras
argspack
The argspack
simplifies the movement of arguments and keyword arguments for a function.
we can wrap the result as a pack, always ensuring its unpackable when required.
akw = argswrap(100)
akw.a
(100, )
akw = argswrap(foo=1)
akw.kw
{ 'foo': 1 }
Areas of Interest
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
File details
Details for the file hyperway-0.2.tar.gz
.
File metadata
- Download URL: hyperway-0.2.tar.gz
- Upload date:
- Size: 25.2 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/5.1.1 CPython/3.9.19
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 |
f357c5b8714fabe8752d4a932ab8594597da1c4cb287d327c266cfdb619c0f03
|
|
MD5 |
59c1fd00e698d8b3aadecece6e212b35
|
|
BLAKE2b-256 |
7389ec608579a274efd406b12847b4dc951e1b9995ea2fed84341ed50862d6c3
|
File details
Details for the file hyperway-0.2-py3-none-any.whl
.
File metadata
- Download URL: hyperway-0.2-py3-none-any.whl
- Upload date:
- Size: 22.3 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/5.1.1 CPython/3.9.19
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 |
46ae876bdb0b636c996f5a9bcaaabaf9786349792875214bfb30465210ab8a08
|
|
MD5 |
8d5f3f43226e0a0b264d1fd852619a76
|
|
BLAKE2b-256 |
c6365aa8c9dd29f2f3ba26491c060a25b4ec819902decd6ab545543855577215
|