SlideShare a Scribd company logo
1 of 71
Download to read offline
Actor Model and C++:
what, why and how?
March 2020 Edition
Yauheni Akhotnikau
A preface to March 2020 Edition
The first version of this presentation was made in late 2016 for C++ CoreHard
conference. This version is available at SlideShare.
As time goes on some details in the old version became obsolete.
So I think it's time to publish an updated version.
2
Disclaimer
I'm one of the authors of a tool mentioned here, and I'm using this tool for a
long-long time.
So I can't be truly objective.
But I've tried.
3
What will be discussed?
Multithreading and parallel concurrent computing.
Actor Model in two-three-four-...-twelve slides.
Today's "Actor Model" icons. All two.
What about C++?
NIH*-syndrome or is there something for C++?
4* NIH - Not Invented Here
Multithreading is...
a tool which is actively used in two very different areas:
● parallel computing (the same actions are performed simultaneously on
several datasets of the same type);
● concurrent computing (different actions are performed on different datasets
of different types).
Concurrent computing can be implemented even without the usage of
multithreading. But with multithreading, concurrent computing is the most difficult...
5
We will speak about multithreading...
...only in the context of concurrent computing.
Actor Model shines here.
Quite different approaches and tools are used for parallel computing...
6
Multithreading is difficult
Yes, it is difficult.
Even with 20 years' experience.
But why?
7
Mutable shared state
Mutable shared state is one of the main factors of multithreading's difficulty.
8
How to make life easier?
???
9
Remove shared state
Nothing to share. Nothing to fight for.
Let every thread has its own private state. No one has access to that state, except
owner thread.
This is a shared nothing* principle.
10* https://en.wikipedia.org/wiki/Shared_nothing_architecture
Remove shared state
What if thread X requires some data which belongs to thread Y?
What if thread Y wants to do some changes in thread Z's data?
11
Threads need interaction. But how?
It seems that there are two ways:
1. Synchronous.
2. Asynchronous.
But it is wrong...
12
In real life...
...there is no place for synchronous interaction, because of possibility of
deadlocks.
So only hardcore asynchronous interaction.
13
It is dead simple!
There are some threads. Every thread has its incoming message queue.
A thread sleeps while incoming queue is empty.
Thread wakes up when some incoming messages arrived.
If thread X wants something from thread Y then X sends a message into Y's
incoming queue.
If thread Y wants to answer X then Y sends a message into X's incoming queue.
14
If a message carries copy of data...
...then we have a bonus: a transparent transition to distributed application.
If thread Y passes a copy of the data into message Msg then there is almost no
difference whether Msg is going into local incoming queue of thread Z or into a
queue for transmitting message on different host.
The Msg is self-sufficient. That's why it can be serialized, transmitted via network,
deserialized and handled.
15
That's the trick! :)
Actor Model is just about it.
It is just about isolated control flows.
It is just about communications based on async message-passing.
16
Actor Model (official version)
Was born in 1973 as a result of Carl Hewitt's works.
Was extended in 1981 by William Clinger.
And in 1985 by Gul Agha.
17
Actor Model (in the wild)
Dates from the previous slide are related to formalized Actor Model.
Informally this model was discovered and rediscovered multiple times.
18
Actor Model (references)
There are some starting points for those who want to dive deep into formal theory
of Actor Model:
https://en.wikipedia.org/wiki/History_of_the_Actor_model
https://en.wikipedia.org/wiki/Actor_model
https://en.wikipedia.org/wiki/Actor_model_theory
19
Actor Model. Basic principles
● actor is an entity with behaviour;
● actors react to incoming messages;
● when an incoming message arrives an actor can:
○ send some (limited) number of messages to other actors;
○ create some (limited) number of new actors;
○ define a new behaviour for itself for processing of new messages.
20
Actor is some entity
No more than that.
A separate process can be seen as an actor. Erlang is an example.
A separate OS thread ("green" thread, fiber, ...) can be seen as an actor. For
example goroutines in Go can be treated as actors.
An object for which a working context is provided by someone can be seen as an
actor. Akka as an example.
21
And yet another time: actor is some entity
Actor Model doesn't require that an actor is a process, or a thread, or a finite
automata, or something else.
That's why present and well known implementations of Actor Model have so many
differences.
22
Actor Model is 40+ years old
There were several waves of popularity and oblivion.*
Now we see next wave of popularity. This wave began somewhere in 2006-2008.
Main drivers were Erlang and then Akka.
23* Why has the actor model not succeeded?
Today's icons: Erlang
Erlang is probably the most famous implementation*.
http://www.erlang.org/
But not only the language itself but also all other stuff like Erlang VM and OTP.
24* AFAIK, Joe Armstrong never told that Actor Model influenced Erlang
Today's icons: Erlang
Erlang was born in Ericsson's research lab in 1986 as result of Joe Armstrong's
works.
In 1995 a failed project AXE-N (on C++) was closed. Erlang was selected as the
main language for new AXD project.
The result was successful AXD301 with more than million lines of Erlang code.
25
Today's icons: Erlang
Usage of Erlang in Ericsson Radio AB was prohibited in late 1990's.
Joe Armstrong left Ericsson.
Erlang became OpenSource.
Erlang proved itself outside of Ericsson. Ericsson changed its mind.
Joe Armstrong returned to Ericsson in 2004*.
26* Joe Armstrong died in April 2019
Today's icons: Erlang
Erlang has been successfully used in many serious projects in last years.
For example: WhatsApp uses Erlang.
Many companies use Erlang in their projects because of its advantages.
27
Today's icons: Erlang (ping-pong example)
-module(tut15).
-export([start/0, ping/2, pong/0]).
ping(0, Pong_PID) ->
Pong_PID ! finished,
io:format("ping finished~n", []);
ping(N, Pong_PID) ->
Pong_PID ! {ping, self()},
receive
pong ->
io:format("Ping received pong~n", [])
end,
ping(N - 1, Pong_PID).
28
pong() ->
receive
finished ->
io:format("Pong finished~n", []);
{ping, Ping_PID} ->
io:format("Pong received ping~n", []),
Ping_PID ! pong,
pong()
end.
start() ->
Pong_PID = spawn(tut15, pong, []),
spawn(tut15, ping, [3, Pong_PID]).
Today's icons: Akka
A framework for Java and Scala.
http://akka.io/
The history began in 2006: Philipp Haller made implementation of Actor Model for
Scala standard library.
In 2008 Jonas Bonér started development of Erlang OTP clone for Scala on top of
actors from Scala-stdlib*. The first public version of Akka was introduced in 2010.
29* http://www.lightbend.com/akka-five-year-anniversary
Today's icons: Akka
Akka is very popular in JVM-world.
Is widely used in areas where JVM's positions are traditionally strong: Web, online
services and enterprise...
Bright examples: LinkedIn and Twitter.
People behind Akka also took their hands on some modern buzz-words like
Reactive Manifesto* and Microservices** :)
30
* http://www.reactivemanifesto.org/
** https://en.wikipedia.org/wiki/Microservices
Today's icons: Akka (ping-pong example)
import akka.actor._
case object PingMessage
case object PongMessage
case object StartMessage
case object StopMessage
class Ping(pong: ActorRef) extends Actor {
var count = 0
def incrementAndPrint { count += 1; println("ping") }
def receive = {
case StartMessage =>
incrementAndPrint
pong ! PingMessage
case PongMessage =>
incrementAndPrint
if (count > 99) {
sender ! StopMessage
println("ping stopped")
context.stop(self)
} else {
sender ! PingMessage
}
31
}
}
class Pong extends Actor {
def receive = {
case PingMessage =>
println(" pong")
sender ! PongMessage
case StopMessage =>
println("pong stopped")
context.stop(self)
}
}
object PingPongTest extends App {
val system = ActorSystem("PingPongSystem")
val pong = system.actorOf(Props[Pong], name = "pong")
val ping = system.actorOf(Props(new Ping(pong)), name = "ping")
// start them going
ping ! StartMessage
}
http://alvinalexander.com/scala/scala-akka-actors-ping-pong-simple-example
But why?
What do Erlang and Akka provide to their users?
Why are they demanded and used in very serious projects?
32
Main reasons:
1. Simplicity. Absence of shared mutable data and interaction via async
messages save developers from pitfalls of traditional multithreading
programming on top of threads and mutexes.
2. Scalability. There can be millions of actors. Even small tasks can be
delegated to separate actors. Actors can be distributed to different processes
and even nodes: async messages make differences almost invisible.
3. Robustness. Some actors can fall. Other actors can detect and repair this
(take look at Erlang's supervisors*). Shared nothing + message-passing
works great there.
33* http://erlang.org/doc/man/supervisor.html
A good quote from Joe Armstrong
I also suspect that the advent of true parallel CPU cores will make
programming parallel systems using conventional mutexes and
shared data structures almost impossibly difficult, and that the pure
message-passing systems will become the dominant way to program
parallel systems.
34A History of Erlang, Joe Armstrong, 2007.
Erlang and Java/Scala (Akka) are safe languages for managed environments
(Erlang VM and JVM).
This influences robustness directly.
An attempt to do a division by zero in some Erlang process is very different from
such attempt in a C++ program.
BTW, some words about robustness
35
What about C++?
Is there any sense to use Actor Model in C++?
36
Yes!
Naked multithreading in C++ with raw threads, atomics, mutexes, condition
variables, and other low-level tools is harder than in many other languages.
So we need tools that can simplify our lives.
Actor Model makes the development of some kind of applications much easier.
So it's good to have implementations of Actor Model for C++.
37
Let a hundred flowers bloom!
A list of C++ frameworks can be found here:
https://en.wikipedia.org/wiki/Actor_model#Actor_libraries_and_frameworks
It is not the complete list. Some of them are dead now. But anyway...
38
Four tools for a quick look
Now we will take a quick look on four C++ frameworks which:
● are written on C++ and designed for C++;
● show signs of life;
● are cross-platform;
● have some interesting features.
There are also OOSMOS* and Asyncronous Agents Library** (from MS), but they
are not included in the review due to the lack of some conditions mentioned
above.
39
* http://www.oosmos.com/
** https://msdn.microsoft.com/en-us/library/dd492627.aspx
Examples are shown there were got from frameworks' examples/samples folders.
It would be great to show the same example for all frameworks (like ping-pong
example for Erlang and Akka), but there is no such example for all frameworks.
So the "blink" example is selected for QP/C++ and SObjectizer, "ping-pong" for
Just::Thread Pro, and "fixed_stack" for CAF.
A note about the selected examples
40
QP/C++
http://www.state-machine.com/qpcpp/
C++98/03. Intended for development of embedded software. Even on bare metal.
Dual licensing.
More than 15 years of evolution and usage.
A high level of conformance with MISRA C++2008 is declared.
41
QP/C++
Actor in QP/C++ is a finite automata. Actor is called active object.
Active object's code can be written by hand.
It is also possible to design an active object in a special visual tool and C++ code
will be generated automatically.
A working context for an active object is provided by QP. Active objects can work
either on different threads or on the same thread depending on the environment.
42
QP/C++ (code example: blinky.h)
#ifndef blinky_h
#define blinky_h
using namespace QP;
enum BlinkySignals {
DUMMY_SIG = Q_USER_SIG,
MAX_PUB_SIG, // the last published signal
TIMEOUT_SIG,
MAX_SIG // the last signal
};
extern QMActive * const AO_Blinky; // opaque pointer
#endif // blinky_h
43
QP/C++ (code example: main.cpp)
#include "qpcpp.h"
#include "bsp.h"
#include "blinky.h"
int main() {
static QEvt const *blinkyQSto[10]; // Event queue storage for Blinky
BSP_init(); // initialize the Board Support Package
QF::init(); // initialize the framework and the underlying RT kernel
// instantiate and start the active objects...
AO_Blinky->start(1U, // priority
blinkyQSto, Q_DIM(blinkyQSto), // event queue
(void *)0, 0U); // stack (unused)
return QF::run(); // run the QF application
}
44
QP/C++ (code example: blinky.cpp, 1)
#include "qpcpp.h"
#include "bsp.h"
#include "blinky.h"
class Blinky : public QActive {
private:
QTimeEvt m_timeEvt;
public:
Blinky();
protected:
static QState initial(Blinky * const me, QEvt const * const e);
static QState off(Blinky * const me, QEvt const * const e);
static QState on(Blinky * const me, QEvt const * const e);
};
Blinky l_blinky;
QMActive * const AO_Blinky = &l_blinky; // opaque pointer
45
QP/C++ (code example: blinky.cpp, 2)
Blinky::Blinky()
: QActive(Q_STATE_CAST(&Blinky::initial)),
m_timeEvt(this, TIMEOUT_SIG, 0U)
{}
QState Blinky::initial(Blinky * const me, QEvt const * const e) {
(void)e; // unused parameter
// arm the time event to expire in half a second and every half second
me->m_timeEvt.armX(BSP_TICKS_PER_SEC/2U, BSP_TICKS_PER_SEC/2U);
return Q_TRAN(&Blinky::off);
}
46
QP/C++ (code example: blinky.cpp, 3)
QState Blinky::off(Blinky * const me, QEvt const * const e)
{
QState status;
switch (e->sig) {
case Q_ENTRY_SIG: {
BSP_ledOff();
status = Q_HANDLED();
break;
}
case TIMEOUT_SIG: {
status = Q_TRAN(&Blinky::on);
break;
}
default: {
status = Q_SUPER(&QHsm::top);
break;
}
}
return status;
}
47
QState Blinky::on(Blinky * const me, QEvt const * const e)
{
QState status;
switch (e->sig) {
case Q_ENTRY_SIG: {
BSP_ledOn();
status = Q_HANDLED();
break;
}
case TIMEOUT_SIG: {
status = Q_TRAN(&Blinky::off);
break;
}
default: {
status = Q_SUPER(&QHsm::top);
break;
}
}
return status;
}
Just::Thread Pro: Actors Edition
http://www.stdthread.co.uk/pro/
C++11.
Commercial license.
Anthony Williams is the author. He wrote a famous book "C++ Concurrency in
Action".
This is almost all good news about this framework :)
A separate OS thread is spawned for every actor :(
48
Just::Thread Pro: Actors Edition (ping-pong)
#include <jss/actor.hpp>
#include <iostream>
#include <thread>
int main()
{
struct pingpong {
jss::actor_ref sender;
pingpong(jss::actor_ref sender_): sender(sender_) {}
};
jss::actor pp1(
[]{
for(;;)
{
jss::actor::receive().match<pingpong>(
[](pingpong p){
std::cout<<"pingn";
p.sender.send(pingpong(jss::actor::self()));
});
}
});
49
jss::actor pp2(
[]{
for(;;)
{
jss::actor::receive().match<pingpong>(
[](pingpong p){
std::cout<<"pongn";
p.sender.send(pingpong(jss::actor::self()));
});
}
});
pp1.send(pingpong(pp2));
std::this_thread::sleep_for(std::chrono::seconds(2));
pp1.stop();
pp2.stop();
}
C++ Actor Framework (aka CAF)
http://www.actor-framework.org/
C++11 (switch to C++17 announced for 0.18).
OpenSource, BSD-3-CLAUSE or Boost licenses.
Most PR-ed implementation of Actor Model for C++.
It's positioned as very fast framework. But this can be discussed* ;)
It isn't stabilized yet (it seems still to be valid in early 2020).
50* Performance Comparison SO-5.5.15.2 vs CAF-0.14.4
C++ Actor Framework (aka CAF)
First versions of CAF copied Erlang as much as possible. But this is changed with
time.
Supports traditional async message-passing, request-reply and some kind of
Pub/Sub.
There is also support for distributed application (custom communication protocol
on top of TCP or UDP).
51
C++ Actor Framework (fixed_stack, 1)
#include "caf/all.hpp"
#include <cassert>
#include <cstdint>
#include <iostream>
using std::endl;
using namespace caf;
namespace {
CAF_MSG_TYPE_ADD_ATOM(pop_atom);
CAF_MSG_TYPE_ADD_ATOM(push_atom);
enum class fixed_stack_errc : uint8_t {
push_to_full = 1,
pop_from_empty,
};
} // namespace
52
namespace caf {
template <>
struct error_category<fixed_stack_errc> {
static constexpr uint8_t value = 100;
};
} // namespace caf
namespace {
C++ Actor Framework (fixed_stack, 2)
class fixed_stack : public event_based_actor {
public:
fixed_stack(actor_config& cfg, size_t stack_size)
: event_based_actor(cfg), size_(stack_size) {
full_.assign( //
[=](push_atom, int) -> error { return
fixed_stack_errc::push_to_full; },
[=](pop_atom) -> int {
auto result = data_.back();
data_.pop_back();
become(filled_);
return result;
});
filled_.assign( //
[=](push_atom, int what) {
data_.push_back(what);
if (data_.size() == size_) become(full_);
},
[=](pop_atom) -> int {
auto result = data_.back();
data_.pop_back();
if (data_.empty()) become(empty_);
return result;
}); 53
empty_.assign( //
[=](push_atom, int what) {
data_.push_back(what);
become(filled_);
},
[=](pop_atom) -> error { return
fixed_stack_errc::pop_from_empty; });
}
behavior make_behavior() override {
assert(size_ < 2);
return empty_;
}
private:
size_t size_;
std::vector<int> data_;
behavior full_;
behavior filled_;
behavior empty_;
};
C++ Actor Framework (fixed_stack, 3)
void caf_main(actor_system& system) {
scoped_actor self{system};
auto st = self->spawn<fixed_stack>(5u);
// fill stack
for (int i = 0; i < 10; ++i)
self->send(st, push_atom_v, i);
// drain stack
aout(self) << "stack: { ";
bool stack_empty = false;
while (!stack_empty) {
self->request(st, std::chrono::seconds(10), pop_atom_v)
.receive([&](int x) { aout(self) << x << " "; },
[&](const error&) { stack_empty = true; });
}
aout(self) << "}" << endl;
self->send_exit(st, exit_reason::user_shutdown);
}
} // namespace
CAF_MAIN()
54
SObjectizer
https://github.com/Stiffstream/sobjectizer
C++17 for SObjectizer-5.6/5.7, C++11 for SObjectizer-5.5.
OpenSource, BSD-3-CLAUSE license.
Has very long story behind:
1995-2000: SCADA Objectizer;
2002-present: SObjectizer-4;
2010-present: SObjectizer-5.
55
SObjectizer
SObjectizer-4 is in production since 2002. Still working.
SObjectizer-5 is in production since 2011.
Backward compatibility is one of the top priorities.
We can't introduce breaking changes in every release. Simply can't.
Version SO-5.5.0 was released in Oct 2014. There wasn't significant breaking changes in
5.5.* branch since then. The last stable version 5.5.24 was released in Jan 2019.
56
SObjectizer-5 and compatibility breaks
Two major compatibility breaks after the end of SO-5.5 evolution:
● Version 5.6 in 2019 with switch to C++17 and redesign of some SObjectizer's
features.
● Version 5.7 in 2020 with support for send_case for message chains.
In fact, the switch from 5.6 to 5.7 is just the rename of case_ to receive_case
in the user's code.
57
SObjectizer-5
Actors in SO-5 are called agents.
Agents in SO-5 are hierarchical finite automatas (nested states, enter/exit
handlers, shallow- and deep-history, time limits).
Working contexts for agents are provided by dispatchers.
There are eight types of dispatchers available just "out of box".
Distributed applications are not supported in SO-5. There was an experience in
SO-4. Because of that we decided to use commodity tools which are appropriate
for a specific task (MQTT, AMQP, HTTP and so on).
58
SObjectizer-5
SO-5 is a symbiose of Actor Model, Publish/Subscribe and CSP*
Messages are sent to a message box (mbox), not to a particular agent. There
could be one agent behind a mbox. Or multiple agents. Or no one.
Mbox is like a Topic in Pub/Sub. Message sending is like a Publish in Pub/Sub.
Like in Pub/Sub an agent must be subscribed to the message to receive it.
59* https://en.wikipedia.org/wiki/Communicating_sequential_processes
SObjectizer-5 (blinking_led, 1)
#include <iostream>
#include <so_5/all.hpp>
using namespace std::chrono_literals;
class blinking_led final : public so_5::agent_t
{
state_t off{ this }, blinking{ this },
blink_on{ initial_substate_of{ blinking } },
blink_off{ substate_of{ blinking } };
public :
struct turn_on_off final : public so_5::signal_t {};
60
SObjectizer-5 (blinking_led, 2)
blinking_led( context_t ctx ) : so_5::agent_t{ ctx }
{
this >>= off;
off.just_switch_to< turn_on_off >( blinking );
blinking.just_switch_to< turn_on_off >( off );
blink_on
.on_enter( []{ std::cout << "ON" << std::endl; } )
.on_exit( []{ std::cout << "off" << std::endl; } )
.time_limit( std::chrono::milliseconds{1250}, blink_off );
blink_off
.time_limit( std::chrono::milliseconds{750}, blink_on );
}
};
61
SObjectizer-5 (blinking_led, 3)
int main() {
so_5::launch( []( so_5::environment_t & env ) {
auto m = env.introduce_coop( []( so_5::coop_t & coop ) {
return coop.make_agent< blinking_led >()->so_direct_mbox();
} );
std::cout << "Turn blinking on for 10s" << std::endl;
so_5::send< blinking_led::turn_on_off >( m );
std::this_thread::sleep_for( 10s );
std::cout << "Turn blinking off for 5s" << std::endl;
so_5::send< blinking_led::turn_on_off >( m );
std::this_thread::sleep_for( 5s );
std::cout << "Turn blinking on for 5s" << std::endl;
so_5::send< blinking_led::turn_on_off >( m );
std::this_thread::sleep_for( 5s );
std::cout << "Stopping..." << std::endl;
env.stop();
} );
}
62
Some other kids on the block
It seems that the most famous C++ implementation of Actor Model is CAF.
QP/C++ is also widely known. And maybe someone knows SObjectizer.
But there are at least two other implementations those can be interesting:
https://github.com/jinncrafters/actor-zeta
https://github.com/basiliscos/cpp-rotor
63
Conclusion 1/3
Actor Model is a great approach for cases where it can be used1
.
It is proved many times in various projects where Erlang and Akka were
successfully used.
Someone said that async message-passing is the future. Just listen to Joe
Armstrong, he knew what he said ;)
1)
Don't believe in an advertisement: it can be used not in every case.
64
Conclusion 2/3
Our experience shows that there is a sense in the usage of the Actor Model in
C++. If you have an appropriate tool.
There are already built and ready to use tools for C++.
Very different tools. For different users.
With different prices, of course.
It is necessary to pay for usage of QP/C++ or Just::Thread Pro in a proprietary projects.
SObjectizer and CAF can be used for free.
65
Conclusion 3/3
It is a very bad idea to start the development of your own actor framework for C++.
We have tried. It's a thankless job. Just believe us :)
It is better to get something already existing.
Just provide a chance to shoot oneself in the foot to developers of an actor
framework. They enjoy it :)
66
Bonus
Those articles tell about some lessons learned from many years of using actors in
real-world projects. I hope they can be useful for readers:
● Lessons learnt from 10+ years with actors in C++.
● How Actor Model Can Be Used Inside Single Process C++ Applications.
And last but not least: Just take a look at SObjectizer if you want to use Actors or
CSP in your C++ project. This article speaks not only about SObjectizer's
capabilities but also about why SObjectize is looking as it is.
67
Bonus track (SO-5's fixed_stack, 1)
#include <iostream>
#include <so_5/all.hpp>
#include <so_5_extra/sync/pub.hpp>
using namespace std::chrono_literals;
68* https://github.com/Stiffstream/sobjectizer_fixed_stack_example
class fixed_stack final : public so_5::agent_t
{
state_t st_empty{ this },
st_filled{ this },
st_full{ this };
const size_t m_max_size;
std::vector< int > m_stack;
public :
struct push final { int m_val; };
struct value final { int m_val; };
struct stack_empty final {};
using pop_reply = std::variant<value, stack_empty>;
struct pop final {};
using pop_request = so_5::extra::sync::request_reply_t<pop, pop_reply>;
Bonus track (SO-5's fixed_stack, 2)
fixed_stack( context_t ctx, size_t max_size )
: so_5::agent_t( ctx )
, m_max_size( max_size )
{
this >>= st_empty;
so_subscribe_self()
.in( st_empty )
.in( st_filled )
.event( &fixed_stack::on_push );
so_subscribe_self()
.in( st_filled )
.in( st_full )
.event( &fixed_stack::on_pop_when_not_empty );
so_subscribe_self()
.in( st_empty )
.event( &fixed_stack::on_pop_when_empty );
}
69
private :
void on_push(const push & w)
{
m_stack.push_back( w.m_val );
so_change_state( m_stack.size() == m_max_size ? st_full : st_filled );
}
void on_pop_when_not_empty(
typename pop_request::request_mhood_t cmd)
{
auto r = m_stack.back();
m_stack.pop_back();
so_change_state( m_stack.empty() ? st_empty : st_filled );
cmd->make_reply( value{r} );
}
void on_pop_when_empty(typename pop_request::request_mhood_t cmd)
{
cmd->make_reply( stack_empty{} );
}
};
Bonus track (SO-5's fixed_stack, 3)
int main() {
so_5::launch( []( so_5::environment_t & env ) {
so_5::mbox_t stack = env.introduce_coop( []( so_5::coop_t & coop ) {
return coop.make_agent<fixed_stack>( 5u )->so_direct_mbox();
} );
// Fill stack.
for( int i = 0; i < 10; ++i )
so_5::send< fixed_stack::push >( stack, i );
// Drain stack.
std::cout << "stack { ";
for(;;) {
const auto r = fixed_stack::pop_request::ask_value( stack, 10s );
if( auto * v = std::get_if<fixed_stack::value>( &r ) )
std::cout << v->m_val << " ";
else break;
}
std::cout << "}" << std::endl;
env.stop();
} );
return 0;
}
70
That's all...
Thanks for patience!
71
If you have any questions feel free to ask me at eao197@stiffstream.com

More Related Content

What's hot

What's hot (20)

Java notes jkuat it
Java notes jkuat itJava notes jkuat it
Java notes jkuat it
 
Coroutines in Kotlin
Coroutines in KotlinCoroutines in Kotlin
Coroutines in Kotlin
 
Envoy 를 이용한 코드 배포 자동화
Envoy 를 이용한 코드 배포 자동화Envoy 를 이용한 코드 배포 자동화
Envoy 를 이용한 코드 배포 자동화
 
CORE JAVA
CORE JAVACORE JAVA
CORE JAVA
 
Actor Model Akka Framework
Actor Model Akka FrameworkActor Model Akka Framework
Actor Model Akka Framework
 
Zed Attack Proxy (ZAP)
Zed Attack Proxy (ZAP)Zed Attack Proxy (ZAP)
Zed Attack Proxy (ZAP)
 
Core java complete notes - Contact at +91-814-614-5674
Core java complete notes - Contact at +91-814-614-5674Core java complete notes - Contact at +91-814-614-5674
Core java complete notes - Contact at +91-814-614-5674
 
Play! Framework for JavaEE Developers
Play! Framework for JavaEE DevelopersPlay! Framework for JavaEE Developers
Play! Framework for JavaEE Developers
 
The New JavaScript: ES6
The New JavaScript: ES6The New JavaScript: ES6
The New JavaScript: ES6
 
Collection
CollectionCollection
Collection
 
Introduction to java
Introduction to javaIntroduction to java
Introduction to java
 
Go Programming Language (Golang)
Go Programming Language (Golang)Go Programming Language (Golang)
Go Programming Language (Golang)
 
Intrinsic Methods in HotSpot VM
Intrinsic Methods in HotSpot VMIntrinsic Methods in HotSpot VM
Intrinsic Methods in HotSpot VM
 
Es6 to es5
Es6 to es5Es6 to es5
Es6 to es5
 
non-strict functions, bottom and scala by-name parameters
non-strict functions, bottom and scala by-name parametersnon-strict functions, bottom and scala by-name parameters
non-strict functions, bottom and scala by-name parameters
 
Basic Java Programming
Basic Java ProgrammingBasic Java Programming
Basic Java Programming
 
QSpiders - Jdk Jvm Jre and Jit
QSpiders - Jdk Jvm Jre and JitQSpiders - Jdk Jvm Jre and Jit
QSpiders - Jdk Jvm Jre and Jit
 
Scala Talk at FOSDEM 2009
Scala Talk at FOSDEM 2009Scala Talk at FOSDEM 2009
Scala Talk at FOSDEM 2009
 
React state management with Redux and MobX
React state management with Redux and MobXReact state management with Redux and MobX
React state management with Redux and MobX
 
Joy of scala
Joy of scalaJoy of scala
Joy of scala
 

Similar to Actor Model and C++: what, why and how? (March 2020 Edition)

Actor Model and C++: what, why and how?
Actor Model and C++: what, why and how?Actor Model and C++: what, why and how?
Actor Model and C++: what, why and how?Yauheni Akhotnikau
 
How my visualization tools use little memory: A tale of incrementalization an...
How my visualization tools use little memory: A tale of incrementalization an...How my visualization tools use little memory: A tale of incrementalization an...
How my visualization tools use little memory: A tale of incrementalization an...Eugene Kirpichov
 
Akka actorstotherescue nirmalya sengupta
Akka actorstotherescue nirmalya senguptaAkka actorstotherescue nirmalya sengupta
Akka actorstotherescue nirmalya senguptaapgionline
 
A Project Based Lab Report On AMUZING JOKE
A Project Based Lab Report On AMUZING JOKEA Project Based Lab Report On AMUZING JOKE
A Project Based Lab Report On AMUZING JOKEDaniel Wachtel
 
DDD loves Actor Model and Actor Model loves Elixir
DDD loves Actor Model and Actor Model loves ElixirDDD loves Actor Model and Actor Model loves Elixir
DDD loves Actor Model and Actor Model loves ElixirGianluca Padovani
 
victores2013towards-presentation
victores2013towards-presentationvictores2013towards-presentation
victores2013towards-presentationJuan G. Victores
 
Functional Patterns for C++ Multithreading (C++ Dev Meetup Iasi)
Functional Patterns for C++ Multithreading (C++ Dev Meetup Iasi)Functional Patterns for C++ Multithreading (C++ Dev Meetup Iasi)
Functional Patterns for C++ Multithreading (C++ Dev Meetup Iasi)Ovidiu Farauanu
 
Hasktut
HasktutHasktut
Hasktutkv33
 
NATURAL OBJECT ORIENTED PROGRAMMING USING ELICA
NATURAL OBJECT ORIENTED PROGRAMMING USING ELICANATURAL OBJECT ORIENTED PROGRAMMING USING ELICA
NATURAL OBJECT ORIENTED PROGRAMMING USING ELICANIKHIL NAWATHE
 
An Empirical Comparison of Knowledge Graph Embeddings for Item Recommendation
An Empirical Comparison of Knowledge Graph Embeddings for Item RecommendationAn Empirical Comparison of Knowledge Graph Embeddings for Item Recommendation
An Empirical Comparison of Knowledge Graph Embeddings for Item RecommendationEnrico Palumbo
 
An introduction to erlang
An introduction to erlangAn introduction to erlang
An introduction to erlangMirko Bonadei
 
The Role Of Software And Hardware As A Common Part Of The...
The Role Of Software And Hardware As A Common Part Of The...The Role Of Software And Hardware As A Common Part Of The...
The Role Of Software And Hardware As A Common Part Of The...Sheena Crouch
 
summer training report on python
summer training report on pythonsummer training report on python
summer training report on pythonShubham Yadav
 
My summary for cs001x computer science for beginners
My summary for cs001x computer science for beginnersMy summary for cs001x computer science for beginners
My summary for cs001x computer science for beginnersIbrahim Omar
 
C++ Actor Model - You’ve Got Mail ...
C++ Actor Model - You’ve Got Mail ...C++ Actor Model - You’ve Got Mail ...
C++ Actor Model - You’ve Got Mail ...Gianluca Padovani
 
arduino
arduinoarduino
arduinomurbz
 

Similar to Actor Model and C++: what, why and how? (March 2020 Edition) (20)

Actor Model and C++: what, why and how?
Actor Model and C++: what, why and how?Actor Model and C++: what, why and how?
Actor Model and C++: what, why and how?
 
How my visualization tools use little memory: A tale of incrementalization an...
How my visualization tools use little memory: A tale of incrementalization an...How my visualization tools use little memory: A tale of incrementalization an...
How my visualization tools use little memory: A tale of incrementalization an...
 
Erlang, an overview
Erlang, an overviewErlang, an overview
Erlang, an overview
 
Report om 3
Report om 3Report om 3
Report om 3
 
Akka actorstotherescue nirmalya sengupta
Akka actorstotherescue nirmalya senguptaAkka actorstotherescue nirmalya sengupta
Akka actorstotherescue nirmalya sengupta
 
A Project Based Lab Report On AMUZING JOKE
A Project Based Lab Report On AMUZING JOKEA Project Based Lab Report On AMUZING JOKE
A Project Based Lab Report On AMUZING JOKE
 
DDD loves Actor Model and Actor Model loves Elixir
DDD loves Actor Model and Actor Model loves ElixirDDD loves Actor Model and Actor Model loves Elixir
DDD loves Actor Model and Actor Model loves Elixir
 
F461
F461F461
F461
 
victores2013towards-presentation
victores2013towards-presentationvictores2013towards-presentation
victores2013towards-presentation
 
Functional Patterns for C++ Multithreading (C++ Dev Meetup Iasi)
Functional Patterns for C++ Multithreading (C++ Dev Meetup Iasi)Functional Patterns for C++ Multithreading (C++ Dev Meetup Iasi)
Functional Patterns for C++ Multithreading (C++ Dev Meetup Iasi)
 
Hasktut
HasktutHasktut
Hasktut
 
NATURAL OBJECT ORIENTED PROGRAMMING USING ELICA
NATURAL OBJECT ORIENTED PROGRAMMING USING ELICANATURAL OBJECT ORIENTED PROGRAMMING USING ELICA
NATURAL OBJECT ORIENTED PROGRAMMING USING ELICA
 
An Empirical Comparison of Knowledge Graph Embeddings for Item Recommendation
An Empirical Comparison of Knowledge Graph Embeddings for Item RecommendationAn Empirical Comparison of Knowledge Graph Embeddings for Item Recommendation
An Empirical Comparison of Knowledge Graph Embeddings for Item Recommendation
 
An introduction to erlang
An introduction to erlangAn introduction to erlang
An introduction to erlang
 
The Role Of Software And Hardware As A Common Part Of The...
The Role Of Software And Hardware As A Common Part Of The...The Role Of Software And Hardware As A Common Part Of The...
The Role Of Software And Hardware As A Common Part Of The...
 
Towards Edge Computing as a Service: Dynamic Formation of the Micro Data-Centers
Towards Edge Computing as a Service: Dynamic Formation of the Micro Data-CentersTowards Edge Computing as a Service: Dynamic Formation of the Micro Data-Centers
Towards Edge Computing as a Service: Dynamic Formation of the Micro Data-Centers
 
summer training report on python
summer training report on pythonsummer training report on python
summer training report on python
 
My summary for cs001x computer science for beginners
My summary for cs001x computer science for beginnersMy summary for cs001x computer science for beginners
My summary for cs001x computer science for beginners
 
C++ Actor Model - You’ve Got Mail ...
C++ Actor Model - You’ve Got Mail ...C++ Actor Model - You’ve Got Mail ...
C++ Actor Model - You’ve Got Mail ...
 
arduino
arduinoarduino
arduino
 

More from Yauheni Akhotnikau

arataga. SObjectizer and RESTinio in action: a real-world example
arataga. SObjectizer and RESTinio in action: a real-world examplearataga. SObjectizer and RESTinio in action: a real-world example
arataga. SObjectizer and RESTinio in action: a real-world exampleYauheni Akhotnikau
 
What is SObjectizer 5.7 (at v.5.7.0)
What is SObjectizer 5.7 (at v.5.7.0)What is SObjectizer 5.7 (at v.5.7.0)
What is SObjectizer 5.7 (at v.5.7.0)Yauheni Akhotnikau
 
What is SObjectizer 5.6 (at v.5.6.0)
What is SObjectizer 5.6 (at v.5.6.0)What is SObjectizer 5.6 (at v.5.6.0)
What is SObjectizer 5.6 (at v.5.6.0)Yauheni Akhotnikau
 
[C++ CoreHard Autumn 2018] Actors vs CSP vs Task...
[C++ CoreHard Autumn 2018] Actors vs CSP vs Task...[C++ CoreHard Autumn 2018] Actors vs CSP vs Task...
[C++ CoreHard Autumn 2018] Actors vs CSP vs Task...Yauheni Akhotnikau
 
Shrimp: A Rather Practical Example Of Application Development With RESTinio a...
Shrimp: A Rather Practical Example Of Application Development With RESTinio a...Shrimp: A Rather Practical Example Of Application Development With RESTinio a...
Shrimp: A Rather Practical Example Of Application Development With RESTinio a...Yauheni Akhotnikau
 
Акторы в C++: взгляд старого практикующего актородела (St. Petersburg C++ Use...
Акторы в C++: взгляд старого практикующего актородела (St. Petersburg C++ Use...Акторы в C++: взгляд старого практикующего актородела (St. Petersburg C++ Use...
Акторы в C++: взгляд старого практикующего актородела (St. Petersburg C++ Use...Yauheni Akhotnikau
 
Акторы на C++: стоило ли оно того?
Акторы на C++: стоило ли оно того?Акторы на C++: стоило ли оно того?
Акторы на C++: стоило ли оно того?Yauheni Akhotnikau
 
25 Years of C++ History Flashed in Front of My Eyes
25 Years of C++ History Flashed in Front of My Eyes25 Years of C++ History Flashed in Front of My Eyes
25 Years of C++ History Flashed in Front of My EyesYauheni Akhotnikau
 
GECon 2017: C++ - a Monster that no one likes but that will outlast them all
GECon 2017: C++ - a Monster that no one likes but that will outlast them allGECon 2017: C++ - a Monster that no one likes but that will outlast them all
GECon 2017: C++ - a Monster that no one likes but that will outlast them allYauheni Akhotnikau
 
Dive into SObjectizer 5.5. Tenth part: Mutable Messages
Dive into SObjectizer 5.5. Tenth part: Mutable MessagesDive into SObjectizer 5.5. Tenth part: Mutable Messages
Dive into SObjectizer 5.5. Tenth part: Mutable MessagesYauheni Akhotnikau
 
Шишки, набитые за 15 лет использования акторов в C++
Шишки, набитые за 15 лет использования акторов в C++Шишки, набитые за 15 лет использования акторов в C++
Шишки, набитые за 15 лет использования акторов в C++Yauheni Akhotnikau
 
Для чего мы делали свой акторный фреймворк и что из этого вышло?
Для чего мы делали свой акторный фреймворк и что из этого вышло?Для чего мы делали свой акторный фреймворк и что из этого вышло?
Для чего мы делали свой акторный фреймворк и что из этого вышло?Yauheni Akhotnikau
 
Модель акторов и C++ что, зачем и как?
Модель акторов и C++ что, зачем и как?Модель акторов и C++ что, зачем и как?
Модель акторов и C++ что, зачем и как?Yauheni Akhotnikau
 
Dive into SObjectizer 5.5. Ninth Part: Message Chains
Dive into SObjectizer 5.5. Ninth Part: Message ChainsDive into SObjectizer 5.5. Ninth Part: Message Chains
Dive into SObjectizer 5.5. Ninth Part: Message ChainsYauheni Akhotnikau
 
Dive into SObjectizer 5.5. Eighth Part: Dispatchers
Dive into SObjectizer 5.5. Eighth Part: DispatchersDive into SObjectizer 5.5. Eighth Part: Dispatchers
Dive into SObjectizer 5.5. Eighth Part: DispatchersYauheni Akhotnikau
 
What's new in SObjectizer 5.5.9
What's new in SObjectizer 5.5.9What's new in SObjectizer 5.5.9
What's new in SObjectizer 5.5.9Yauheni Akhotnikau
 
Dive into SObjectizer 5.5. Seventh part: Message Limits
Dive into SObjectizer 5.5. Seventh part: Message LimitsDive into SObjectizer 5.5. Seventh part: Message Limits
Dive into SObjectizer 5.5. Seventh part: Message LimitsYauheni Akhotnikau
 
Dive into SObjectizer-5.5. Sixth part: Synchronous Interaction
Dive into SObjectizer-5.5. Sixth part: Synchronous InteractionDive into SObjectizer-5.5. Sixth part: Synchronous Interaction
Dive into SObjectizer-5.5. Sixth part: Synchronous InteractionYauheni Akhotnikau
 
Dive into SObjectizer 5.5. Fifth part: Timers
Dive into SObjectizer 5.5. Fifth part: TimersDive into SObjectizer 5.5. Fifth part: Timers
Dive into SObjectizer 5.5. Fifth part: TimersYauheni Akhotnikau
 
What’s new in SObjectizer 5.5.8
What’s new in SObjectizer 5.5.8What’s new in SObjectizer 5.5.8
What’s new in SObjectizer 5.5.8Yauheni Akhotnikau
 

More from Yauheni Akhotnikau (20)

arataga. SObjectizer and RESTinio in action: a real-world example
arataga. SObjectizer and RESTinio in action: a real-world examplearataga. SObjectizer and RESTinio in action: a real-world example
arataga. SObjectizer and RESTinio in action: a real-world example
 
What is SObjectizer 5.7 (at v.5.7.0)
What is SObjectizer 5.7 (at v.5.7.0)What is SObjectizer 5.7 (at v.5.7.0)
What is SObjectizer 5.7 (at v.5.7.0)
 
What is SObjectizer 5.6 (at v.5.6.0)
What is SObjectizer 5.6 (at v.5.6.0)What is SObjectizer 5.6 (at v.5.6.0)
What is SObjectizer 5.6 (at v.5.6.0)
 
[C++ CoreHard Autumn 2018] Actors vs CSP vs Task...
[C++ CoreHard Autumn 2018] Actors vs CSP vs Task...[C++ CoreHard Autumn 2018] Actors vs CSP vs Task...
[C++ CoreHard Autumn 2018] Actors vs CSP vs Task...
 
Shrimp: A Rather Practical Example Of Application Development With RESTinio a...
Shrimp: A Rather Practical Example Of Application Development With RESTinio a...Shrimp: A Rather Practical Example Of Application Development With RESTinio a...
Shrimp: A Rather Practical Example Of Application Development With RESTinio a...
 
Акторы в C++: взгляд старого практикующего актородела (St. Petersburg C++ Use...
Акторы в C++: взгляд старого практикующего актородела (St. Petersburg C++ Use...Акторы в C++: взгляд старого практикующего актородела (St. Petersburg C++ Use...
Акторы в C++: взгляд старого практикующего актородела (St. Petersburg C++ Use...
 
Акторы на C++: стоило ли оно того?
Акторы на C++: стоило ли оно того?Акторы на C++: стоило ли оно того?
Акторы на C++: стоило ли оно того?
 
25 Years of C++ History Flashed in Front of My Eyes
25 Years of C++ History Flashed in Front of My Eyes25 Years of C++ History Flashed in Front of My Eyes
25 Years of C++ History Flashed in Front of My Eyes
 
GECon 2017: C++ - a Monster that no one likes but that will outlast them all
GECon 2017: C++ - a Monster that no one likes but that will outlast them allGECon 2017: C++ - a Monster that no one likes but that will outlast them all
GECon 2017: C++ - a Monster that no one likes but that will outlast them all
 
Dive into SObjectizer 5.5. Tenth part: Mutable Messages
Dive into SObjectizer 5.5. Tenth part: Mutable MessagesDive into SObjectizer 5.5. Tenth part: Mutable Messages
Dive into SObjectizer 5.5. Tenth part: Mutable Messages
 
Шишки, набитые за 15 лет использования акторов в C++
Шишки, набитые за 15 лет использования акторов в C++Шишки, набитые за 15 лет использования акторов в C++
Шишки, набитые за 15 лет использования акторов в C++
 
Для чего мы делали свой акторный фреймворк и что из этого вышло?
Для чего мы делали свой акторный фреймворк и что из этого вышло?Для чего мы делали свой акторный фреймворк и что из этого вышло?
Для чего мы делали свой акторный фреймворк и что из этого вышло?
 
Модель акторов и C++ что, зачем и как?
Модель акторов и C++ что, зачем и как?Модель акторов и C++ что, зачем и как?
Модель акторов и C++ что, зачем и как?
 
Dive into SObjectizer 5.5. Ninth Part: Message Chains
Dive into SObjectizer 5.5. Ninth Part: Message ChainsDive into SObjectizer 5.5. Ninth Part: Message Chains
Dive into SObjectizer 5.5. Ninth Part: Message Chains
 
Dive into SObjectizer 5.5. Eighth Part: Dispatchers
Dive into SObjectizer 5.5. Eighth Part: DispatchersDive into SObjectizer 5.5. Eighth Part: Dispatchers
Dive into SObjectizer 5.5. Eighth Part: Dispatchers
 
What's new in SObjectizer 5.5.9
What's new in SObjectizer 5.5.9What's new in SObjectizer 5.5.9
What's new in SObjectizer 5.5.9
 
Dive into SObjectizer 5.5. Seventh part: Message Limits
Dive into SObjectizer 5.5. Seventh part: Message LimitsDive into SObjectizer 5.5. Seventh part: Message Limits
Dive into SObjectizer 5.5. Seventh part: Message Limits
 
Dive into SObjectizer-5.5. Sixth part: Synchronous Interaction
Dive into SObjectizer-5.5. Sixth part: Synchronous InteractionDive into SObjectizer-5.5. Sixth part: Synchronous Interaction
Dive into SObjectizer-5.5. Sixth part: Synchronous Interaction
 
Dive into SObjectizer 5.5. Fifth part: Timers
Dive into SObjectizer 5.5. Fifth part: TimersDive into SObjectizer 5.5. Fifth part: Timers
Dive into SObjectizer 5.5. Fifth part: Timers
 
What’s new in SObjectizer 5.5.8
What’s new in SObjectizer 5.5.8What’s new in SObjectizer 5.5.8
What’s new in SObjectizer 5.5.8
 

Recently uploaded

2024-04-09 - From Complexity to Clarity - AWS Summit AMS.pdf
2024-04-09 - From Complexity to Clarity - AWS Summit AMS.pdf2024-04-09 - From Complexity to Clarity - AWS Summit AMS.pdf
2024-04-09 - From Complexity to Clarity - AWS Summit AMS.pdfAndrey Devyatkin
 
Amazon Bedrock in Action - presentation of the Bedrock's capabilities
Amazon Bedrock in Action - presentation of the Bedrock's capabilitiesAmazon Bedrock in Action - presentation of the Bedrock's capabilities
Amazon Bedrock in Action - presentation of the Bedrock's capabilitiesKrzysztofKkol1
 
Understanding Flamingo - DeepMind's VLM Architecture
Understanding Flamingo - DeepMind's VLM ArchitectureUnderstanding Flamingo - DeepMind's VLM Architecture
Understanding Flamingo - DeepMind's VLM Architecturerahul_net
 
Osi security architecture in network.pptx
Osi security architecture in network.pptxOsi security architecture in network.pptx
Osi security architecture in network.pptxVinzoCenzo
 
Enhancing Supply Chain Visibility with Cargo Cloud Solutions.pdf
Enhancing Supply Chain Visibility with Cargo Cloud Solutions.pdfEnhancing Supply Chain Visibility with Cargo Cloud Solutions.pdf
Enhancing Supply Chain Visibility with Cargo Cloud Solutions.pdfRTS corp
 
Introduction to Firebase Workshop Slides
Introduction to Firebase Workshop SlidesIntroduction to Firebase Workshop Slides
Introduction to Firebase Workshop Slidesvaideheekore1
 
Leveraging AI for Mobile App Testing on Real Devices | Applitools + Kobiton
Leveraging AI for Mobile App Testing on Real Devices | Applitools + KobitonLeveraging AI for Mobile App Testing on Real Devices | Applitools + Kobiton
Leveraging AI for Mobile App Testing on Real Devices | Applitools + KobitonApplitools
 
The Role of IoT and Sensor Technology in Cargo Cloud Solutions.pptx
The Role of IoT and Sensor Technology in Cargo Cloud Solutions.pptxThe Role of IoT and Sensor Technology in Cargo Cloud Solutions.pptx
The Role of IoT and Sensor Technology in Cargo Cloud Solutions.pptxRTS corp
 
Understanding Plagiarism: Causes, Consequences and Prevention.pptx
Understanding Plagiarism: Causes, Consequences and Prevention.pptxUnderstanding Plagiarism: Causes, Consequences and Prevention.pptx
Understanding Plagiarism: Causes, Consequences and Prevention.pptxSasikiranMarri
 
JavaLand 2024 - Going serverless with Quarkus GraalVM native images and AWS L...
JavaLand 2024 - Going serverless with Quarkus GraalVM native images and AWS L...JavaLand 2024 - Going serverless with Quarkus GraalVM native images and AWS L...
JavaLand 2024 - Going serverless with Quarkus GraalVM native images and AWS L...Bert Jan Schrijver
 
Tech Tuesday Slides - Introduction to Project Management with OnePlan's Work ...
Tech Tuesday Slides - Introduction to Project Management with OnePlan's Work ...Tech Tuesday Slides - Introduction to Project Management with OnePlan's Work ...
Tech Tuesday Slides - Introduction to Project Management with OnePlan's Work ...OnePlan Solutions
 
Large Language Models for Test Case Evolution and Repair
Large Language Models for Test Case Evolution and RepairLarge Language Models for Test Case Evolution and Repair
Large Language Models for Test Case Evolution and RepairLionel Briand
 
Advantages of Cargo Cloud Solutions.pptx
Advantages of Cargo Cloud Solutions.pptxAdvantages of Cargo Cloud Solutions.pptx
Advantages of Cargo Cloud Solutions.pptxRTS corp
 
eSoftTools IMAP Backup Software and migration tools
eSoftTools IMAP Backup Software and migration toolseSoftTools IMAP Backup Software and migration tools
eSoftTools IMAP Backup Software and migration toolsosttopstonverter
 
2024 DevNexus Patterns for Resiliency: Shuffle shards
2024 DevNexus Patterns for Resiliency: Shuffle shards2024 DevNexus Patterns for Resiliency: Shuffle shards
2024 DevNexus Patterns for Resiliency: Shuffle shardsChristopher Curtin
 
Pros and Cons of Selenium In Automation Testing_ A Comprehensive Assessment.pdf
Pros and Cons of Selenium In Automation Testing_ A Comprehensive Assessment.pdfPros and Cons of Selenium In Automation Testing_ A Comprehensive Assessment.pdf
Pros and Cons of Selenium In Automation Testing_ A Comprehensive Assessment.pdfkalichargn70th171
 
GraphSummit Madrid - Product Vision and Roadmap - Luis Salvador Neo4j
GraphSummit Madrid - Product Vision and Roadmap - Luis Salvador Neo4jGraphSummit Madrid - Product Vision and Roadmap - Luis Salvador Neo4j
GraphSummit Madrid - Product Vision and Roadmap - Luis Salvador Neo4jNeo4j
 
What’s New in VictoriaMetrics: Q1 2024 Updates
What’s New in VictoriaMetrics: Q1 2024 UpdatesWhat’s New in VictoriaMetrics: Q1 2024 Updates
What’s New in VictoriaMetrics: Q1 2024 UpdatesVictoriaMetrics
 
Strategies for using alternative queries to mitigate zero results
Strategies for using alternative queries to mitigate zero resultsStrategies for using alternative queries to mitigate zero results
Strategies for using alternative queries to mitigate zero resultsJean Silva
 
The Ultimate Guide to Performance Testing in Low-Code, No-Code Environments (...
The Ultimate Guide to Performance Testing in Low-Code, No-Code Environments (...The Ultimate Guide to Performance Testing in Low-Code, No-Code Environments (...
The Ultimate Guide to Performance Testing in Low-Code, No-Code Environments (...kalichargn70th171
 

Recently uploaded (20)

2024-04-09 - From Complexity to Clarity - AWS Summit AMS.pdf
2024-04-09 - From Complexity to Clarity - AWS Summit AMS.pdf2024-04-09 - From Complexity to Clarity - AWS Summit AMS.pdf
2024-04-09 - From Complexity to Clarity - AWS Summit AMS.pdf
 
Amazon Bedrock in Action - presentation of the Bedrock's capabilities
Amazon Bedrock in Action - presentation of the Bedrock's capabilitiesAmazon Bedrock in Action - presentation of the Bedrock's capabilities
Amazon Bedrock in Action - presentation of the Bedrock's capabilities
 
Understanding Flamingo - DeepMind's VLM Architecture
Understanding Flamingo - DeepMind's VLM ArchitectureUnderstanding Flamingo - DeepMind's VLM Architecture
Understanding Flamingo - DeepMind's VLM Architecture
 
Osi security architecture in network.pptx
Osi security architecture in network.pptxOsi security architecture in network.pptx
Osi security architecture in network.pptx
 
Enhancing Supply Chain Visibility with Cargo Cloud Solutions.pdf
Enhancing Supply Chain Visibility with Cargo Cloud Solutions.pdfEnhancing Supply Chain Visibility with Cargo Cloud Solutions.pdf
Enhancing Supply Chain Visibility with Cargo Cloud Solutions.pdf
 
Introduction to Firebase Workshop Slides
Introduction to Firebase Workshop SlidesIntroduction to Firebase Workshop Slides
Introduction to Firebase Workshop Slides
 
Leveraging AI for Mobile App Testing on Real Devices | Applitools + Kobiton
Leveraging AI for Mobile App Testing on Real Devices | Applitools + KobitonLeveraging AI for Mobile App Testing on Real Devices | Applitools + Kobiton
Leveraging AI for Mobile App Testing on Real Devices | Applitools + Kobiton
 
The Role of IoT and Sensor Technology in Cargo Cloud Solutions.pptx
The Role of IoT and Sensor Technology in Cargo Cloud Solutions.pptxThe Role of IoT and Sensor Technology in Cargo Cloud Solutions.pptx
The Role of IoT and Sensor Technology in Cargo Cloud Solutions.pptx
 
Understanding Plagiarism: Causes, Consequences and Prevention.pptx
Understanding Plagiarism: Causes, Consequences and Prevention.pptxUnderstanding Plagiarism: Causes, Consequences and Prevention.pptx
Understanding Plagiarism: Causes, Consequences and Prevention.pptx
 
JavaLand 2024 - Going serverless with Quarkus GraalVM native images and AWS L...
JavaLand 2024 - Going serverless with Quarkus GraalVM native images and AWS L...JavaLand 2024 - Going serverless with Quarkus GraalVM native images and AWS L...
JavaLand 2024 - Going serverless with Quarkus GraalVM native images and AWS L...
 
Tech Tuesday Slides - Introduction to Project Management with OnePlan's Work ...
Tech Tuesday Slides - Introduction to Project Management with OnePlan's Work ...Tech Tuesday Slides - Introduction to Project Management with OnePlan's Work ...
Tech Tuesday Slides - Introduction to Project Management with OnePlan's Work ...
 
Large Language Models for Test Case Evolution and Repair
Large Language Models for Test Case Evolution and RepairLarge Language Models for Test Case Evolution and Repair
Large Language Models for Test Case Evolution and Repair
 
Advantages of Cargo Cloud Solutions.pptx
Advantages of Cargo Cloud Solutions.pptxAdvantages of Cargo Cloud Solutions.pptx
Advantages of Cargo Cloud Solutions.pptx
 
eSoftTools IMAP Backup Software and migration tools
eSoftTools IMAP Backup Software and migration toolseSoftTools IMAP Backup Software and migration tools
eSoftTools IMAP Backup Software and migration tools
 
2024 DevNexus Patterns for Resiliency: Shuffle shards
2024 DevNexus Patterns for Resiliency: Shuffle shards2024 DevNexus Patterns for Resiliency: Shuffle shards
2024 DevNexus Patterns for Resiliency: Shuffle shards
 
Pros and Cons of Selenium In Automation Testing_ A Comprehensive Assessment.pdf
Pros and Cons of Selenium In Automation Testing_ A Comprehensive Assessment.pdfPros and Cons of Selenium In Automation Testing_ A Comprehensive Assessment.pdf
Pros and Cons of Selenium In Automation Testing_ A Comprehensive Assessment.pdf
 
GraphSummit Madrid - Product Vision and Roadmap - Luis Salvador Neo4j
GraphSummit Madrid - Product Vision and Roadmap - Luis Salvador Neo4jGraphSummit Madrid - Product Vision and Roadmap - Luis Salvador Neo4j
GraphSummit Madrid - Product Vision and Roadmap - Luis Salvador Neo4j
 
What’s New in VictoriaMetrics: Q1 2024 Updates
What’s New in VictoriaMetrics: Q1 2024 UpdatesWhat’s New in VictoriaMetrics: Q1 2024 Updates
What’s New in VictoriaMetrics: Q1 2024 Updates
 
Strategies for using alternative queries to mitigate zero results
Strategies for using alternative queries to mitigate zero resultsStrategies for using alternative queries to mitigate zero results
Strategies for using alternative queries to mitigate zero results
 
The Ultimate Guide to Performance Testing in Low-Code, No-Code Environments (...
The Ultimate Guide to Performance Testing in Low-Code, No-Code Environments (...The Ultimate Guide to Performance Testing in Low-Code, No-Code Environments (...
The Ultimate Guide to Performance Testing in Low-Code, No-Code Environments (...
 

Actor Model and C++: what, why and how? (March 2020 Edition)

  • 1. Actor Model and C++: what, why and how? March 2020 Edition Yauheni Akhotnikau
  • 2. A preface to March 2020 Edition The first version of this presentation was made in late 2016 for C++ CoreHard conference. This version is available at SlideShare. As time goes on some details in the old version became obsolete. So I think it's time to publish an updated version. 2
  • 3. Disclaimer I'm one of the authors of a tool mentioned here, and I'm using this tool for a long-long time. So I can't be truly objective. But I've tried. 3
  • 4. What will be discussed? Multithreading and parallel concurrent computing. Actor Model in two-three-four-...-twelve slides. Today's "Actor Model" icons. All two. What about C++? NIH*-syndrome or is there something for C++? 4* NIH - Not Invented Here
  • 5. Multithreading is... a tool which is actively used in two very different areas: ● parallel computing (the same actions are performed simultaneously on several datasets of the same type); ● concurrent computing (different actions are performed on different datasets of different types). Concurrent computing can be implemented even without the usage of multithreading. But with multithreading, concurrent computing is the most difficult... 5
  • 6. We will speak about multithreading... ...only in the context of concurrent computing. Actor Model shines here. Quite different approaches and tools are used for parallel computing... 6
  • 7. Multithreading is difficult Yes, it is difficult. Even with 20 years' experience. But why? 7
  • 8. Mutable shared state Mutable shared state is one of the main factors of multithreading's difficulty. 8
  • 9. How to make life easier? ??? 9
  • 10. Remove shared state Nothing to share. Nothing to fight for. Let every thread has its own private state. No one has access to that state, except owner thread. This is a shared nothing* principle. 10* https://en.wikipedia.org/wiki/Shared_nothing_architecture
  • 11. Remove shared state What if thread X requires some data which belongs to thread Y? What if thread Y wants to do some changes in thread Z's data? 11
  • 12. Threads need interaction. But how? It seems that there are two ways: 1. Synchronous. 2. Asynchronous. But it is wrong... 12
  • 13. In real life... ...there is no place for synchronous interaction, because of possibility of deadlocks. So only hardcore asynchronous interaction. 13
  • 14. It is dead simple! There are some threads. Every thread has its incoming message queue. A thread sleeps while incoming queue is empty. Thread wakes up when some incoming messages arrived. If thread X wants something from thread Y then X sends a message into Y's incoming queue. If thread Y wants to answer X then Y sends a message into X's incoming queue. 14
  • 15. If a message carries copy of data... ...then we have a bonus: a transparent transition to distributed application. If thread Y passes a copy of the data into message Msg then there is almost no difference whether Msg is going into local incoming queue of thread Z or into a queue for transmitting message on different host. The Msg is self-sufficient. That's why it can be serialized, transmitted via network, deserialized and handled. 15
  • 16. That's the trick! :) Actor Model is just about it. It is just about isolated control flows. It is just about communications based on async message-passing. 16
  • 17. Actor Model (official version) Was born in 1973 as a result of Carl Hewitt's works. Was extended in 1981 by William Clinger. And in 1985 by Gul Agha. 17
  • 18. Actor Model (in the wild) Dates from the previous slide are related to formalized Actor Model. Informally this model was discovered and rediscovered multiple times. 18
  • 19. Actor Model (references) There are some starting points for those who want to dive deep into formal theory of Actor Model: https://en.wikipedia.org/wiki/History_of_the_Actor_model https://en.wikipedia.org/wiki/Actor_model https://en.wikipedia.org/wiki/Actor_model_theory 19
  • 20. Actor Model. Basic principles ● actor is an entity with behaviour; ● actors react to incoming messages; ● when an incoming message arrives an actor can: ○ send some (limited) number of messages to other actors; ○ create some (limited) number of new actors; ○ define a new behaviour for itself for processing of new messages. 20
  • 21. Actor is some entity No more than that. A separate process can be seen as an actor. Erlang is an example. A separate OS thread ("green" thread, fiber, ...) can be seen as an actor. For example goroutines in Go can be treated as actors. An object for which a working context is provided by someone can be seen as an actor. Akka as an example. 21
  • 22. And yet another time: actor is some entity Actor Model doesn't require that an actor is a process, or a thread, or a finite automata, or something else. That's why present and well known implementations of Actor Model have so many differences. 22
  • 23. Actor Model is 40+ years old There were several waves of popularity and oblivion.* Now we see next wave of popularity. This wave began somewhere in 2006-2008. Main drivers were Erlang and then Akka. 23* Why has the actor model not succeeded?
  • 24. Today's icons: Erlang Erlang is probably the most famous implementation*. http://www.erlang.org/ But not only the language itself but also all other stuff like Erlang VM and OTP. 24* AFAIK, Joe Armstrong never told that Actor Model influenced Erlang
  • 25. Today's icons: Erlang Erlang was born in Ericsson's research lab in 1986 as result of Joe Armstrong's works. In 1995 a failed project AXE-N (on C++) was closed. Erlang was selected as the main language for new AXD project. The result was successful AXD301 with more than million lines of Erlang code. 25
  • 26. Today's icons: Erlang Usage of Erlang in Ericsson Radio AB was prohibited in late 1990's. Joe Armstrong left Ericsson. Erlang became OpenSource. Erlang proved itself outside of Ericsson. Ericsson changed its mind. Joe Armstrong returned to Ericsson in 2004*. 26* Joe Armstrong died in April 2019
  • 27. Today's icons: Erlang Erlang has been successfully used in many serious projects in last years. For example: WhatsApp uses Erlang. Many companies use Erlang in their projects because of its advantages. 27
  • 28. Today's icons: Erlang (ping-pong example) -module(tut15). -export([start/0, ping/2, pong/0]). ping(0, Pong_PID) -> Pong_PID ! finished, io:format("ping finished~n", []); ping(N, Pong_PID) -> Pong_PID ! {ping, self()}, receive pong -> io:format("Ping received pong~n", []) end, ping(N - 1, Pong_PID). 28 pong() -> receive finished -> io:format("Pong finished~n", []); {ping, Ping_PID} -> io:format("Pong received ping~n", []), Ping_PID ! pong, pong() end. start() -> Pong_PID = spawn(tut15, pong, []), spawn(tut15, ping, [3, Pong_PID]).
  • 29. Today's icons: Akka A framework for Java and Scala. http://akka.io/ The history began in 2006: Philipp Haller made implementation of Actor Model for Scala standard library. In 2008 Jonas Bonér started development of Erlang OTP clone for Scala on top of actors from Scala-stdlib*. The first public version of Akka was introduced in 2010. 29* http://www.lightbend.com/akka-five-year-anniversary
  • 30. Today's icons: Akka Akka is very popular in JVM-world. Is widely used in areas where JVM's positions are traditionally strong: Web, online services and enterprise... Bright examples: LinkedIn and Twitter. People behind Akka also took their hands on some modern buzz-words like Reactive Manifesto* and Microservices** :) 30 * http://www.reactivemanifesto.org/ ** https://en.wikipedia.org/wiki/Microservices
  • 31. Today's icons: Akka (ping-pong example) import akka.actor._ case object PingMessage case object PongMessage case object StartMessage case object StopMessage class Ping(pong: ActorRef) extends Actor { var count = 0 def incrementAndPrint { count += 1; println("ping") } def receive = { case StartMessage => incrementAndPrint pong ! PingMessage case PongMessage => incrementAndPrint if (count > 99) { sender ! StopMessage println("ping stopped") context.stop(self) } else { sender ! PingMessage } 31 } } class Pong extends Actor { def receive = { case PingMessage => println(" pong") sender ! PongMessage case StopMessage => println("pong stopped") context.stop(self) } } object PingPongTest extends App { val system = ActorSystem("PingPongSystem") val pong = system.actorOf(Props[Pong], name = "pong") val ping = system.actorOf(Props(new Ping(pong)), name = "ping") // start them going ping ! StartMessage } http://alvinalexander.com/scala/scala-akka-actors-ping-pong-simple-example
  • 32. But why? What do Erlang and Akka provide to their users? Why are they demanded and used in very serious projects? 32
  • 33. Main reasons: 1. Simplicity. Absence of shared mutable data and interaction via async messages save developers from pitfalls of traditional multithreading programming on top of threads and mutexes. 2. Scalability. There can be millions of actors. Even small tasks can be delegated to separate actors. Actors can be distributed to different processes and even nodes: async messages make differences almost invisible. 3. Robustness. Some actors can fall. Other actors can detect and repair this (take look at Erlang's supervisors*). Shared nothing + message-passing works great there. 33* http://erlang.org/doc/man/supervisor.html
  • 34. A good quote from Joe Armstrong I also suspect that the advent of true parallel CPU cores will make programming parallel systems using conventional mutexes and shared data structures almost impossibly difficult, and that the pure message-passing systems will become the dominant way to program parallel systems. 34A History of Erlang, Joe Armstrong, 2007.
  • 35. Erlang and Java/Scala (Akka) are safe languages for managed environments (Erlang VM and JVM). This influences robustness directly. An attempt to do a division by zero in some Erlang process is very different from such attempt in a C++ program. BTW, some words about robustness 35
  • 36. What about C++? Is there any sense to use Actor Model in C++? 36
  • 37. Yes! Naked multithreading in C++ with raw threads, atomics, mutexes, condition variables, and other low-level tools is harder than in many other languages. So we need tools that can simplify our lives. Actor Model makes the development of some kind of applications much easier. So it's good to have implementations of Actor Model for C++. 37
  • 38. Let a hundred flowers bloom! A list of C++ frameworks can be found here: https://en.wikipedia.org/wiki/Actor_model#Actor_libraries_and_frameworks It is not the complete list. Some of them are dead now. But anyway... 38
  • 39. Four tools for a quick look Now we will take a quick look on four C++ frameworks which: ● are written on C++ and designed for C++; ● show signs of life; ● are cross-platform; ● have some interesting features. There are also OOSMOS* and Asyncronous Agents Library** (from MS), but they are not included in the review due to the lack of some conditions mentioned above. 39 * http://www.oosmos.com/ ** https://msdn.microsoft.com/en-us/library/dd492627.aspx
  • 40. Examples are shown there were got from frameworks' examples/samples folders. It would be great to show the same example for all frameworks (like ping-pong example for Erlang and Akka), but there is no such example for all frameworks. So the "blink" example is selected for QP/C++ and SObjectizer, "ping-pong" for Just::Thread Pro, and "fixed_stack" for CAF. A note about the selected examples 40
  • 41. QP/C++ http://www.state-machine.com/qpcpp/ C++98/03. Intended for development of embedded software. Even on bare metal. Dual licensing. More than 15 years of evolution and usage. A high level of conformance with MISRA C++2008 is declared. 41
  • 42. QP/C++ Actor in QP/C++ is a finite automata. Actor is called active object. Active object's code can be written by hand. It is also possible to design an active object in a special visual tool and C++ code will be generated automatically. A working context for an active object is provided by QP. Active objects can work either on different threads or on the same thread depending on the environment. 42
  • 43. QP/C++ (code example: blinky.h) #ifndef blinky_h #define blinky_h using namespace QP; enum BlinkySignals { DUMMY_SIG = Q_USER_SIG, MAX_PUB_SIG, // the last published signal TIMEOUT_SIG, MAX_SIG // the last signal }; extern QMActive * const AO_Blinky; // opaque pointer #endif // blinky_h 43
  • 44. QP/C++ (code example: main.cpp) #include "qpcpp.h" #include "bsp.h" #include "blinky.h" int main() { static QEvt const *blinkyQSto[10]; // Event queue storage for Blinky BSP_init(); // initialize the Board Support Package QF::init(); // initialize the framework and the underlying RT kernel // instantiate and start the active objects... AO_Blinky->start(1U, // priority blinkyQSto, Q_DIM(blinkyQSto), // event queue (void *)0, 0U); // stack (unused) return QF::run(); // run the QF application } 44
  • 45. QP/C++ (code example: blinky.cpp, 1) #include "qpcpp.h" #include "bsp.h" #include "blinky.h" class Blinky : public QActive { private: QTimeEvt m_timeEvt; public: Blinky(); protected: static QState initial(Blinky * const me, QEvt const * const e); static QState off(Blinky * const me, QEvt const * const e); static QState on(Blinky * const me, QEvt const * const e); }; Blinky l_blinky; QMActive * const AO_Blinky = &l_blinky; // opaque pointer 45
  • 46. QP/C++ (code example: blinky.cpp, 2) Blinky::Blinky() : QActive(Q_STATE_CAST(&Blinky::initial)), m_timeEvt(this, TIMEOUT_SIG, 0U) {} QState Blinky::initial(Blinky * const me, QEvt const * const e) { (void)e; // unused parameter // arm the time event to expire in half a second and every half second me->m_timeEvt.armX(BSP_TICKS_PER_SEC/2U, BSP_TICKS_PER_SEC/2U); return Q_TRAN(&Blinky::off); } 46
  • 47. QP/C++ (code example: blinky.cpp, 3) QState Blinky::off(Blinky * const me, QEvt const * const e) { QState status; switch (e->sig) { case Q_ENTRY_SIG: { BSP_ledOff(); status = Q_HANDLED(); break; } case TIMEOUT_SIG: { status = Q_TRAN(&Blinky::on); break; } default: { status = Q_SUPER(&QHsm::top); break; } } return status; } 47 QState Blinky::on(Blinky * const me, QEvt const * const e) { QState status; switch (e->sig) { case Q_ENTRY_SIG: { BSP_ledOn(); status = Q_HANDLED(); break; } case TIMEOUT_SIG: { status = Q_TRAN(&Blinky::off); break; } default: { status = Q_SUPER(&QHsm::top); break; } } return status; }
  • 48. Just::Thread Pro: Actors Edition http://www.stdthread.co.uk/pro/ C++11. Commercial license. Anthony Williams is the author. He wrote a famous book "C++ Concurrency in Action". This is almost all good news about this framework :) A separate OS thread is spawned for every actor :( 48
  • 49. Just::Thread Pro: Actors Edition (ping-pong) #include <jss/actor.hpp> #include <iostream> #include <thread> int main() { struct pingpong { jss::actor_ref sender; pingpong(jss::actor_ref sender_): sender(sender_) {} }; jss::actor pp1( []{ for(;;) { jss::actor::receive().match<pingpong>( [](pingpong p){ std::cout<<"pingn"; p.sender.send(pingpong(jss::actor::self())); }); } }); 49 jss::actor pp2( []{ for(;;) { jss::actor::receive().match<pingpong>( [](pingpong p){ std::cout<<"pongn"; p.sender.send(pingpong(jss::actor::self())); }); } }); pp1.send(pingpong(pp2)); std::this_thread::sleep_for(std::chrono::seconds(2)); pp1.stop(); pp2.stop(); }
  • 50. C++ Actor Framework (aka CAF) http://www.actor-framework.org/ C++11 (switch to C++17 announced for 0.18). OpenSource, BSD-3-CLAUSE or Boost licenses. Most PR-ed implementation of Actor Model for C++. It's positioned as very fast framework. But this can be discussed* ;) It isn't stabilized yet (it seems still to be valid in early 2020). 50* Performance Comparison SO-5.5.15.2 vs CAF-0.14.4
  • 51. C++ Actor Framework (aka CAF) First versions of CAF copied Erlang as much as possible. But this is changed with time. Supports traditional async message-passing, request-reply and some kind of Pub/Sub. There is also support for distributed application (custom communication protocol on top of TCP or UDP). 51
  • 52. C++ Actor Framework (fixed_stack, 1) #include "caf/all.hpp" #include <cassert> #include <cstdint> #include <iostream> using std::endl; using namespace caf; namespace { CAF_MSG_TYPE_ADD_ATOM(pop_atom); CAF_MSG_TYPE_ADD_ATOM(push_atom); enum class fixed_stack_errc : uint8_t { push_to_full = 1, pop_from_empty, }; } // namespace 52 namespace caf { template <> struct error_category<fixed_stack_errc> { static constexpr uint8_t value = 100; }; } // namespace caf namespace {
  • 53. C++ Actor Framework (fixed_stack, 2) class fixed_stack : public event_based_actor { public: fixed_stack(actor_config& cfg, size_t stack_size) : event_based_actor(cfg), size_(stack_size) { full_.assign( // [=](push_atom, int) -> error { return fixed_stack_errc::push_to_full; }, [=](pop_atom) -> int { auto result = data_.back(); data_.pop_back(); become(filled_); return result; }); filled_.assign( // [=](push_atom, int what) { data_.push_back(what); if (data_.size() == size_) become(full_); }, [=](pop_atom) -> int { auto result = data_.back(); data_.pop_back(); if (data_.empty()) become(empty_); return result; }); 53 empty_.assign( // [=](push_atom, int what) { data_.push_back(what); become(filled_); }, [=](pop_atom) -> error { return fixed_stack_errc::pop_from_empty; }); } behavior make_behavior() override { assert(size_ < 2); return empty_; } private: size_t size_; std::vector<int> data_; behavior full_; behavior filled_; behavior empty_; };
  • 54. C++ Actor Framework (fixed_stack, 3) void caf_main(actor_system& system) { scoped_actor self{system}; auto st = self->spawn<fixed_stack>(5u); // fill stack for (int i = 0; i < 10; ++i) self->send(st, push_atom_v, i); // drain stack aout(self) << "stack: { "; bool stack_empty = false; while (!stack_empty) { self->request(st, std::chrono::seconds(10), pop_atom_v) .receive([&](int x) { aout(self) << x << " "; }, [&](const error&) { stack_empty = true; }); } aout(self) << "}" << endl; self->send_exit(st, exit_reason::user_shutdown); } } // namespace CAF_MAIN() 54
  • 55. SObjectizer https://github.com/Stiffstream/sobjectizer C++17 for SObjectizer-5.6/5.7, C++11 for SObjectizer-5.5. OpenSource, BSD-3-CLAUSE license. Has very long story behind: 1995-2000: SCADA Objectizer; 2002-present: SObjectizer-4; 2010-present: SObjectizer-5. 55
  • 56. SObjectizer SObjectizer-4 is in production since 2002. Still working. SObjectizer-5 is in production since 2011. Backward compatibility is one of the top priorities. We can't introduce breaking changes in every release. Simply can't. Version SO-5.5.0 was released in Oct 2014. There wasn't significant breaking changes in 5.5.* branch since then. The last stable version 5.5.24 was released in Jan 2019. 56
  • 57. SObjectizer-5 and compatibility breaks Two major compatibility breaks after the end of SO-5.5 evolution: ● Version 5.6 in 2019 with switch to C++17 and redesign of some SObjectizer's features. ● Version 5.7 in 2020 with support for send_case for message chains. In fact, the switch from 5.6 to 5.7 is just the rename of case_ to receive_case in the user's code. 57
  • 58. SObjectizer-5 Actors in SO-5 are called agents. Agents in SO-5 are hierarchical finite automatas (nested states, enter/exit handlers, shallow- and deep-history, time limits). Working contexts for agents are provided by dispatchers. There are eight types of dispatchers available just "out of box". Distributed applications are not supported in SO-5. There was an experience in SO-4. Because of that we decided to use commodity tools which are appropriate for a specific task (MQTT, AMQP, HTTP and so on). 58
  • 59. SObjectizer-5 SO-5 is a symbiose of Actor Model, Publish/Subscribe and CSP* Messages are sent to a message box (mbox), not to a particular agent. There could be one agent behind a mbox. Or multiple agents. Or no one. Mbox is like a Topic in Pub/Sub. Message sending is like a Publish in Pub/Sub. Like in Pub/Sub an agent must be subscribed to the message to receive it. 59* https://en.wikipedia.org/wiki/Communicating_sequential_processes
  • 60. SObjectizer-5 (blinking_led, 1) #include <iostream> #include <so_5/all.hpp> using namespace std::chrono_literals; class blinking_led final : public so_5::agent_t { state_t off{ this }, blinking{ this }, blink_on{ initial_substate_of{ blinking } }, blink_off{ substate_of{ blinking } }; public : struct turn_on_off final : public so_5::signal_t {}; 60
  • 61. SObjectizer-5 (blinking_led, 2) blinking_led( context_t ctx ) : so_5::agent_t{ ctx } { this >>= off; off.just_switch_to< turn_on_off >( blinking ); blinking.just_switch_to< turn_on_off >( off ); blink_on .on_enter( []{ std::cout << "ON" << std::endl; } ) .on_exit( []{ std::cout << "off" << std::endl; } ) .time_limit( std::chrono::milliseconds{1250}, blink_off ); blink_off .time_limit( std::chrono::milliseconds{750}, blink_on ); } }; 61
  • 62. SObjectizer-5 (blinking_led, 3) int main() { so_5::launch( []( so_5::environment_t & env ) { auto m = env.introduce_coop( []( so_5::coop_t & coop ) { return coop.make_agent< blinking_led >()->so_direct_mbox(); } ); std::cout << "Turn blinking on for 10s" << std::endl; so_5::send< blinking_led::turn_on_off >( m ); std::this_thread::sleep_for( 10s ); std::cout << "Turn blinking off for 5s" << std::endl; so_5::send< blinking_led::turn_on_off >( m ); std::this_thread::sleep_for( 5s ); std::cout << "Turn blinking on for 5s" << std::endl; so_5::send< blinking_led::turn_on_off >( m ); std::this_thread::sleep_for( 5s ); std::cout << "Stopping..." << std::endl; env.stop(); } ); } 62
  • 63. Some other kids on the block It seems that the most famous C++ implementation of Actor Model is CAF. QP/C++ is also widely known. And maybe someone knows SObjectizer. But there are at least two other implementations those can be interesting: https://github.com/jinncrafters/actor-zeta https://github.com/basiliscos/cpp-rotor 63
  • 64. Conclusion 1/3 Actor Model is a great approach for cases where it can be used1 . It is proved many times in various projects where Erlang and Akka were successfully used. Someone said that async message-passing is the future. Just listen to Joe Armstrong, he knew what he said ;) 1) Don't believe in an advertisement: it can be used not in every case. 64
  • 65. Conclusion 2/3 Our experience shows that there is a sense in the usage of the Actor Model in C++. If you have an appropriate tool. There are already built and ready to use tools for C++. Very different tools. For different users. With different prices, of course. It is necessary to pay for usage of QP/C++ or Just::Thread Pro in a proprietary projects. SObjectizer and CAF can be used for free. 65
  • 66. Conclusion 3/3 It is a very bad idea to start the development of your own actor framework for C++. We have tried. It's a thankless job. Just believe us :) It is better to get something already existing. Just provide a chance to shoot oneself in the foot to developers of an actor framework. They enjoy it :) 66
  • 67. Bonus Those articles tell about some lessons learned from many years of using actors in real-world projects. I hope they can be useful for readers: ● Lessons learnt from 10+ years with actors in C++. ● How Actor Model Can Be Used Inside Single Process C++ Applications. And last but not least: Just take a look at SObjectizer if you want to use Actors or CSP in your C++ project. This article speaks not only about SObjectizer's capabilities but also about why SObjectize is looking as it is. 67
  • 68. Bonus track (SO-5's fixed_stack, 1) #include <iostream> #include <so_5/all.hpp> #include <so_5_extra/sync/pub.hpp> using namespace std::chrono_literals; 68* https://github.com/Stiffstream/sobjectizer_fixed_stack_example class fixed_stack final : public so_5::agent_t { state_t st_empty{ this }, st_filled{ this }, st_full{ this }; const size_t m_max_size; std::vector< int > m_stack; public : struct push final { int m_val; }; struct value final { int m_val; }; struct stack_empty final {}; using pop_reply = std::variant<value, stack_empty>; struct pop final {}; using pop_request = so_5::extra::sync::request_reply_t<pop, pop_reply>;
  • 69. Bonus track (SO-5's fixed_stack, 2) fixed_stack( context_t ctx, size_t max_size ) : so_5::agent_t( ctx ) , m_max_size( max_size ) { this >>= st_empty; so_subscribe_self() .in( st_empty ) .in( st_filled ) .event( &fixed_stack::on_push ); so_subscribe_self() .in( st_filled ) .in( st_full ) .event( &fixed_stack::on_pop_when_not_empty ); so_subscribe_self() .in( st_empty ) .event( &fixed_stack::on_pop_when_empty ); } 69 private : void on_push(const push & w) { m_stack.push_back( w.m_val ); so_change_state( m_stack.size() == m_max_size ? st_full : st_filled ); } void on_pop_when_not_empty( typename pop_request::request_mhood_t cmd) { auto r = m_stack.back(); m_stack.pop_back(); so_change_state( m_stack.empty() ? st_empty : st_filled ); cmd->make_reply( value{r} ); } void on_pop_when_empty(typename pop_request::request_mhood_t cmd) { cmd->make_reply( stack_empty{} ); } };
  • 70. Bonus track (SO-5's fixed_stack, 3) int main() { so_5::launch( []( so_5::environment_t & env ) { so_5::mbox_t stack = env.introduce_coop( []( so_5::coop_t & coop ) { return coop.make_agent<fixed_stack>( 5u )->so_direct_mbox(); } ); // Fill stack. for( int i = 0; i < 10; ++i ) so_5::send< fixed_stack::push >( stack, i ); // Drain stack. std::cout << "stack { "; for(;;) { const auto r = fixed_stack::pop_request::ask_value( stack, 10s ); if( auto * v = std::get_if<fixed_stack::value>( &r ) ) std::cout << v->m_val << " "; else break; } std::cout << "}" << std::endl; env.stop(); } ); return 0; } 70
  • 71. That's all... Thanks for patience! 71 If you have any questions feel free to ask me at eao197@stiffstream.com