DSPatch v.11.2.0
Loading...
Searching...
No Matches
The Refreshingly Simple C++ Dataflow Framework

Introduction

DSPatch, pronounced "dispatch", is a powerful C++ dataflow framework. DSPatch is not limited to any particular domain or data type, from reactive programming to stream processing, DSPatch's generic, object-oriented API allows you to create virtually any graph processing system imaginable.

DSPatch is designed around the concept of a "circuit" that contains "components" interconnected via "wires" that transfer "signals" to and from I/O "buses".

The two most important classes to consider are DSPatch::Component and DSPatch::Circuit. In order to route data to and from components they must be added to a circuit, where they can be wired together.

The DSPatch engine takes care of data transfers between interconnected components. When data is ready for a component to process, a callback: "Process_()" is executed in that component. For a component to form part of a DSPatch circuit, designers simply have to derive their component from the DSPatch::Component base class, configure the component's IO buses, and implement the virtual Process_() callback method.


Features

  • Automatic branch synchronization - The result of data diverging across parallel branches is guaranteed to arrive synchronized at a converging point.
  • Component plugins - Package components into plugins to be dynamically loaded into other host applications.
  • Cross-platform - DSPatch is built and tested daily on Linux, Mac and Windows. Here we see DSPatch running flawlessly on a BeagleBone!
  • Easy-to-use header-only API - DSPatch is modelled around real-world circuit entities and concepts, making code more readable and easy to understand.
  • High performance multi-buffering - Utilize parallel multi-buffering via Circuit::SetBufferCount() to maximize dataflow efficiency in stream processing circuits.
  • High performance multi-threading - Utilize parallel multi-threading via Circuit::SetThreadCount() to maximize dataflow efficiency across parallel branches.
  • Feedback loops - Create true closed-circuit systems by feeding component outputs back into previous component inputs (supported in multi-buffered circuits but not multi-threaded).
  • Optimised signal transfers - Wherever possible, data between components is transferred via move rather than copy.
  • Run-time adaptive signal types - Component inputs can accept values of run-time varying types allowing you to create more flexible, multi-purpose component processes.
  • Run-time circuit wiring - Connect and disconnect wires on the fly whilst maintaining steady dataflow through the system.


Getting Started

  1. Download DSPatch:
  2. Read the tutorials
  3. Browse some example components
  4. Refer to the API docs


Tutorials

1. Creating a component

In order to create a new component, we must derive our component class from the DSPatch::Component base class, configure component IO, and implement the inherited virtual "Process_()" method.

Lets take a look at how we would go about creating a very simple boolean logic "AND" component. This component will accept 2 boolean input values and output the result of: input 1 && input 2.

We begin by deriving our new "AndBool" component from Component:

// 1. Derive AndBool class from Component
// ======================================
class AndBool final : public DSPatch::Component
{
Abstract base class for DSPatch components.
Definition Component.h:65

The next step is to configure our component's input and output buses. This is achieved by calling the base protected methods: SetInputCount_() and SetOutputCount_() respectively from our component's constructor. In our component's case, we require 2 inputs and 1 output, therefore our constructor code will look like this:

public:
// 2. Configure component IO buses
// ===============================
AndBool()
{
// add 2 inputs
SetInputCount_( 2 );
// add 1 output
SetOutputCount_( 1 );
}

Lastly, our component must implement the virtual Process_() method. This is where our component does its work. The Process_() method provides us with 2 arguments: the input bus and the output bus. It is our duty as the component designer to pull the inputs we require out of the input bus, process them accordingly, then populate the output bus with the results.

Our component's process method will look something like this:

protected:
// 3. Implement virtual Process_() method
// ======================================
void Process_( DSPatch::SignalBus& inputs, DSPatch::SignalBus& outputs ) override
{
// create some local pointers to hold our input values
auto bool1 = inputs.GetValue<bool>( 0 );
auto bool2 = inputs.GetValue<bool>( 1 );
// check first that our component has received valid inputs
if( bool1 && bool2 )
{
// set the output as the result of bool1 AND bool2
outputs.SetValue( 0, *bool1 && *bool2 );
}
}
};
Signal container.
Definition SignalBus.h:53

Our component is now ready to form part of a DSPatch circuit. Next we'll look at how we can add our component to a circuit and route it to and from other components.


2. Building a circuit

In order for us to get any real use out of our components, we need them to interact with each other. This is where the DSPatch::Circuit class comes in. A circuit is a workspace for adding and routing components. In this section we will have a look at how to create a simple DSPatch application that generates random boolean pairs, performs a logic AND on each pair, then prints the result to the screen.

First we must include the DSPatch header and any other headers that contain components we wish to use in our application:

#include "components.h"
#include <DSPatch.h>

Next, we must instantiate our circuit object and all component objects needed for our circuit. Lets say we had 2 other components included with "AndBool" (from the first tutorial): "GenBool" (generates a random boolean value then outputs the result) and "PrintBool" (receives a boolean value and outputs it to the console):

int main()
{
// 1. Create a circuit where we can route our components
// =====================================================
auto circuit = std::make_shared<DSPatch::Circuit>();
// 2. Create instances of the components needed for our circuit
// ============================================================
auto genBool1 = std::make_shared<GenBool>();
auto genBool2 = std::make_shared<GenBool>();
auto andBool = std::make_shared<AndBool>();
auto printBool = std::make_shared<PrintBool>();

Now that we have a circuit and some components, lets add all of our components to the circuit:

// 3. Add component instances to circuit
// =====================================
circuit->AddComponent( genBool1 );
circuit->AddComponent( genBool2 );
circuit->AddComponent( andBool );
_ circuit->AddComponent( printBool );

We are now ready to begin wiring the circuit:

// 4. Wire up the components inside the circuit
// ============================================
circuit->ConnectOutToIn( genBool1, 0, andBool, 0 );
circuit->ConnectOutToIn( genBool2, 0, andBool, 1 );
_ circuit->ConnectOutToIn( andBool, 0, printBool, 0 );

The code above results in the following wiring configuration:

__________ _________
| | | |
| genBool1 |-0 ===> 0-| | ___________
|__________| | | | |
__________ | andBool |-0 ===> 0-| printBool |
| | | | |___________|
| genBool2 |-0 ===> 1-| |
|__________| |_________|
_

Lastly, in order for our circuit to do any work it must be ticked. This is performed by repeatedly calling the circuit's Tick() method. This method can be called manually in a loop, or alternatively, by calling StartAutoTick(), a seperate thread will spawn, automatically calling Tick() continuously.

Furthermore, to boost performance in stream processing circuits like this one, multi-buffering can be enabled via the SetBufferCount() method:

NOTE: If none of the parallel branches in your circuit are time-consuming (⪆10μs), multi-buffering (or even zero buffering) will almost always outperform multi-threading (via SetThreadCount()). The contention overhead caused by multiple threads processing a single tick must be made negligible by time-consuming parallel components for any performance improvement to be seen.

// 5. Tick the circuit
// ===================
// Circuit tick method 1: Manual
for( int i = 0; i < 10; ++i )
{
circuit->Tick();
}
// Circuit tick method 2: Automatic
std::cout << "Press any key to begin circuit auto-tick.";
getchar();
circuit->StartAutoTick();
// Increase circuit buffer count for higher performance
getchar();
circuit->SetBufferCount( 4 );
// Press any key to quit
getchar();
return 0;
}

That's it! Enjoy using DSPatch!

(NOTE: The source code for the above tutorials can be found under the "tutorial" folder in the DSPatch root directory).