SlideShare a Scribd company logo
1 of 66
Your systems. Working as one.
May 15, 2013
Reinier Torenbeek
reinier@rti.com
Learn How to Develop a
Distributed Game of Life with DDS
Agenda
• Problem definition: Life Distributed
• A solution: RTI Connext DDS
• Applying DDS to Life Distributed: concepts
• Applying DDS to Life Distributed: (pseudo)-code
• Advanced Life Distributed: leveraging DDS
• Summary
• Questions and Answers
Conway's Game of Life
• Devised by John Conway in 1970
• Zero-player game
– evolution determined by initial state
– no further input required
• Plays in two-dimensional, orthogonal grid of
square cells
– originally of infinite size
– for this webinar, toroidal array is used
• At any moment in time, each cell is either dead or
alive
• Neighboring cells interact with each other
– horizontally, vertically, or diagonally adjacent.
Conway's Game of Life
At each step in time, the following transitions occur:
1. Any live cell with fewer than two live neighbors
dies, as if caused by under-population.
2. Any live cell with two or three live neighbors lives on
to the next generation.
3. Any live cell with more than three live neighbors
dies, as if by overcrowding.
4. Any dead cell with exactly three live neighbors
becomes a live cell, as if by reproduction.
These rules continue to be applied repeatedly to create
further generations.
Conway's Game of Life
Glider gun
Pulsar
Block
Conway's Game of Life – Distributed
Problem description: how can Life be properly
implemented in a distributed fashion?
• have multiple processes work on parts of the
Universe in parallel
Conway's Game of Life – Distributed
Conway's Game of Life – Distributed
Problem description: how can Life be properly
implemented in a distributed fashion?
• have multiple processes work on parts of the
Universe in parallel
• have these processes exchange the required
information for the evolutionary steps
Conway's Game of Life – Distributed
Conway's Game of Life – Distributed
Problem description: how can Life be properly
implemented in a distributed fashion?
• have multiple processes work on parts of the
Universe in parallel
• have these processes exchange the required
information for the evolutionary steps
This problem and its solution serve as an
example for developing distributed applications
in general
Conway's Game of Life – Distributed
Properly here means:
• with minimal impact on the application logics
– let distribution artifacts be dealt with transparently
– let the developer focus on Life and its algorithms
• allowing for mixed environments
– multiple programming languages, OS-es and hardware
– asymmetric processing power
• supporting scalability
– for very large Life Universes on many machines
– for load balancing of CPU intensive calculations
• in a fault-tolerant fashion
Agenda
• Problem definition: Life Distributed
• A solution: RTI Connext DDS
• Applying DDS to Life Distributed: concepts
• Applying DDS to Life Distributed: (pseudo)-code
• Advanced Life Distributed: leveraging DDS
• Summary
• Questions and Answers
RTI Connext DDS
A few words describing RTI Connext DDS:
• an implementation of the Object Management
Group (OMG) Data Distribution Service (DDS)
– standardized, multi-language API
– standardized wire-protocol
– see www.rti.com/elearning for tutorials (some free)
• a high performance, scalable, anonymous
publish/subscribe infrastructure
• an advanced distributed data management
technology
– supporting many features know from DBMS-es
RTI Connext DDS
DDS revolves around the concept of a typed data-
space that
• consists of a collection of structured, observable
items which
– go through their individual lifecycle of
creation, updating and deletion (CRUD)
– are updated by Publishers
– are observed by Subscribers
• is managed in a distributed fashion
– by Connext libraries and (optionally) services
– transparent to applications
RTI Connext DDS
DDS revolves around the concept of a typed data-
space that
• allows for extensive fine-tuning
– to adjust distribution behavior according to
application needs
– using standard Quality of Service (QoS) mechanisms
• can evolve dynamically
– allowing Publishers and Subscribers to join and leave
at any time
– automatically discovering communication paths
between Publishers and Subscribers
Agenda
• Problem definition: Life Distributed
• A solution: RTI Connext DDS
• Applying DDS to Life Distributed: concepts
• Applying DDS to Life Distributed: (pseudo)-code
• Advanced Life Distributed: leveraging DDS
• Summary
• Questions and Answers
Applying DDS to Life Distributed
First step is to define the data-model in IDL
• cells are observable items, or "instances"
– row and col identify their location in the grid
– generation identifies the "tick nr" in evolution
– alive identifies the state of the cell
module life {
struct CellType {
long row; //@key
long col; //@key
unsigned long generation;
boolean alive;
};
};
Applying DDS to Life Distributed
First step is to define the data-model in IDL
• cells are observable items, or "instances"
– row and col identify their location in the grid
– generation identifies the "tick nr" in evolution
– alive identifies the state of the cell
• the collection of all cells is the CellTopic Topic
– cells exist side-by-side and for the Universe
– conceptually stored "in the data-space"
– in reality, local copies where needed
row: 16
col: 4
generation: 25
alive: false
Applying DDS to Life Distributed
Each process is responsible for publishing the
state of a certain subset of cells of the Universe:
• a rectangle or square area with corners
(rowmin,colmin)i and (rowmax,colmax)i for process i
(1,1) – (10,10)
Applying DDS to Life Distributed
Each process is responsible for publishing the
state of a certain subset of cells of the Universe:
• a rectangle or square area with corners
(rowmin,colmin)i and (rowmax,colmax)i for process i
• each cell is individually updated using the
write() call on a CellTopic DataWriter
– middleware analyzes the key values (row,col) and
maintains the individual states of all cells
• updating happens generation by generation
Applying DDS to Life Distributed
Each process subscribes to the required subset
of cells in order to determine its current state:
• all neighboring cells, as well as its "own" cells
Applying DDS to Life Distributed
Each process subscribes to the required subset
of cells in order to determine its current state:
• all neighboring cells, as well as its "own" cells
• using a SQL-expression to identify the cells
subscribed to (content-based filtering)
– complexity is "Life-specific", not "DDS-specific"
"((row >= 1 AND row <= 11) OR row = 20) AND
((col >= 1 AND col <= 11) OR col = 20)"
Applying DDS to Life Distributed
Each process subscribes to the required subset
of cells in order to determine its current state:
• all neighboring cells, as well as its "own" cells
• using a SQL-expression to identify the cells
subscribed to (content-based filtering)
– complexity is "Life-specific", not "DDS-specific"
• middleware will deliver cell updates to those
DataReaders that are interested in it
Applying DDS to Life Distributed
Additional processes can be added to peek at
the evolution of Life:
• subscribing to (a subset of) the CellTopic
"row >= 8 AND row <= 13 AND col >= 8 AND col <= 13"
Applying DDS to Life Distributed
Additional processes can be added to peek at
the evolution of Life:
• subscribing to (a subset of) the CellTopic
• using any supported language, OS, platform
– C, C++, Java, C#, Ada
– Windows, Linux, AIX, Mac OS X, Solaris,
INTEGRITY, LynxOS, VxWorks, QNX…
• without changes to the existing applications
– middleware discovers new topology and
distributes updates accordingly
Agenda
• Problem definition: Life Distributed
• A solution: RTI Connext DDS
• Applying DDS to Life Distributed: concepts
• Applying DDS to Life Distributed: (pseudo)-code
• Advanced Life Distributed: leveraging DDS
• Summary
• Questions and Answers
Life Distributed (pseudo-)code
Life Distributed prototype applications were
developed on Mac OS X
• Life evolution application written in C
• Life observer application written in Python
– using Pythons extension-API
• (Pseudo-)code covers basic scenario only
– more advanced apects are covered in next section
Life Distributed (pseudo-)code
Life evolution application written in C:
• application is responsible for
– knowing about the Life seed (initial state of cells)
– executing the Life rules based on cell updates
coming from DDS
– updating cell states after a full generation tick has
been processed
• evolution of Life takes place one generation at
a time
– consequently, Life applications run in "lock-step"
initialize DDS
current generation = 0
write sub-universe Life seed to DDS
repeat
repeat
wait for DDS cell update for
current generation
update sub-universe with cell
until 8 neighbors seen for all cells
execute Life rules on sub-universe
increase current generation
write all new cell states to DDS
until last generation reached
Life Distributed (pseudo-)code
Worth to note about the Life application:
• loss of one cell-update will eventually stall the
complete evolution
– this is by nature of the Life algorithm
– implies RELIABLE reliability QoS for DDS
– history of 2 generations need to be stored to avoid
overwriting
<dds>
<qos_library name="GameOfLifeQosLibrary">
<qos_profile name="CellProfile">
<topic_qos>
<reliability>
<kind>RELIABLE_RELIABILITY_QOS</kind>
</reliability>
<history>
<kind>KEEP_LAST_HISTORY_QOS</kind>
<depth>2</depth>
</history>
<durability>
<kind>TRANSIENT_LOCAL_DURABILITY_QOS</kind>
</durability>
</topic_qos>
</qos_profile>
</qos_library>
</dds>
Life Distributed (pseudo-)code
Worth to note about the Life application:
• loss of one cell-update will eventually stall the
complete evolution
– this is by nature of the Life algorithm
– implies RELIABLE reliability QoS for DDS
– history of 2 generations needs to be stored to avoid
overwriting of state of a single cell
• startup-order issues resolved by DDS durability QoS
– newly joined applications will be delivered current state
– delivery of historical data transparent to applications
– applications not waiting for other applications, but for cell
updates
<dds>
<qos_library name="GameOfLifeQosLibrary">
<qos_profile name="CellProfile">
<topic_qos>
<reliability>
<kind>RELIABLE_RELIABILITY_QOS</kind>
</reliability>
<history>
<kind>KEEP_LAST_HISTORY_QOS</kind>
<depth>2</depth>
</history>
<durability>
<kind>TRANSIENT_LOCAL_DURABILITY_QOS</kind>
</durability>
</topic_qos>
</qos_profile>
</qos_library>
</dds>
Life Distributed (pseudo-)code
Worth to note about the Life application:
• DDS cell updates come from different places
– mostly from the application's own DataWriter
– also from neighboring sub-Universes' DataWriters
– all transparently arranged based on the filter
create DDS DomainParticipant
with DomainParticipant, create DDS Topic "CellTopic"
with CellTopic and filterexpression, create DDS
ContentFilteredTopic "FilteredCellTopic"
create DDS Subscriber
create DDS DataReader for FilteredCellTopic
Life Distributed (pseudo-)code
Worth to note about the Life application:
• DDS cell updates come from different places
– mostly from the application's own DataWriter
– also from neighboring sub-Universes' DataWriters
– all transparently arranged based on the filter
• algorithm relies on reading cell-updates for a
single generation
– evolving one tick at a time
– leverages DDS QueryCondition
– "generation = %0" with %0 value changing
create DDS DomainParticipant
with DomainParticipant, create DDS Topic "CellTopic"
with CellTopic and filterexpression, create DDS
ContentFilteredTopic "FilteredCellTopic"
with DomainParticiapnt, create DDS Subscriber
with Subscriber and FilteredCellTopic, create DDS
CellTopicDataReader
with CellTopicDataReader, query expression and
parameterlist, create QueryCondition
with DomainParticipant, create WaitSet
attach QueryCondition to WaitSet
in main loop:
in generation loop:
block thread in WaitSet, wait for data from DDS
read with QueryCondition from CellTopicDataReader
increase generation
update query parameterlist with new generation
Life Distributed (pseudo-)code
Life observer application written in Python:
• application is responsible for
– subscribing to cell updates
– printing cell states to display evolution
– ignoring any generations that have missing cell
updates
import clifedds as life
#omitted option parsing
filterString = 'row>={} and col>={} and row<={} and
col<={}'.
format(options.minRow, options.minCol,
options.maxRow, options.maxCol)
life.open(options.domainId, filterString)
generation = 0
while generation is not None:
# read from DDS, block if nothing availble,
# returns Nones in case of time-out after 10 seconds
row, col, generation, isAlive = life.read(10)
# omitted administration for building and printing strings
life.close()
Life Distributed (pseudo-)code
Life observer application written in Python:
• application is responsible for
– subscribing to cell updates
– printing cell states to display evolution
– ignoring any generations that have missing cell
updates
• for minimal impact, DataReader uses default QoS
settings
– BEST_EFFORT reliability, so updates might be lost
– VOLATILE durability, so no delivery of historical
updates
– still history depth of 2
<dds>
<qos_library name="GameOfLifeQosLibrary">
<qos_profile name="CellProfile">
<topic_qos>
<history>
<kind>KEEP_LAST_HISTORY_QOS</kind>
<depth>2</depth>
</history>
</topic_qos>
</qos_profile>
</qos_library>
</dds>
Life Distributed (pseudo-)code
domainId
# of generations
universe dimensions
sub-universe dimensions
Example of running a single life application:
Life Distributed (pseudo-)code
Example of running a life scenario:
Agenda
• Problem definition: Life Distributed
• A solution: RTI Connext DDS
• Applying DDS to Life Distributed: concepts
• Applying DDS to Life Distributed: (pseudo)-code
• Advanced Life Distributed: leveraging DDS
• Summary
• Questions and Answers
Fault tolerance
Not all is lost if Life application crashes
• if using TRANSIENT durability
QoS, infrastructure will keep status roaming
– requires extra service to run (redundantly)
• after restart, current status is available
automatically
– new incarnation can continue seamlessly
persistence
service
Fault tolerance
Not all is lost if Life application crashes
• if using TRANSIENT durability QoS,
infrastructure will keep status roaming
– requires extra service to run (redundantly)
• after restart, current status is available
automatically
– new incarnation can continue seamlessly
• results in high robustness
• even more advanced QoS-es are possible
Reliability and flow control
Running the Python app with a larger grid:
• with current QoS, faster writer with slower
reader will overwrite samples in reader
• whenever at least one cell update is
missing, the generation is not printed (by
design)
Reliability and flow control
Running the Python app with a larger grid:
• whenever at least one cell update is missing,
the generation is not printed (by design)
• with current QoS, faster writer with slower
reader will overwrite samples in reader
• this is often desired result, to avoid system-
wide impact of asymmetric processing power
• if not desired, KEEP_ALL QoS can be leveraged
<dds>
<qos_library name="GameOfLifeQosLibrary">
<qos_profile name="CellProfile">
<topic_qos>
<reliability>
<kind>RELIABLE_RELIABILITY_QOS</kind>
</reliability>
<history>
<kind>KEEP_ALL_HISTORY_QOS</kind>
</history>
<resource_limits>
<max_samples_per_instance>2</max_samples_per_instance>
</resource_limits>
<durability>
<kind>TRANSIENT_LOCAL_DURABILITY_QOS</kind>
</durability>
</topic_qos>
</qos_profile>
</qos_library>
</dds>
Reliability and flow control
Running the Python app with a larger grid:
• whenever at least one cell update is missing,
the generation is not printed (by design)
• with current QoS, faster writer with slower
reader will overwrite samples in reader
• this is often desired result, to avoid system-
wide impact of asymmetric processing power
• if not desired, KEEP_ALL QoS can be leveraged
– flow control will slow down writer to avoid loss
More advanced problem solving
Other ways to improve the Life implementation:
• for centralized grid configuration, distribute grid-
sizes with DDS
– with TRANSIENT or PERSISTENT QoS
– this isolates configuration-features to one single app
– dynamic grid-reconfiguration can be done by re-
publishing grid-sizes
• for centralized seed (generation 0)
management, distribute seed with DDS
– with TRANSIENT or PERSISTENT QoS
– this isolates seeding to one single app
More advanced problem solving
Other ways to improve the Life implementation:
• in addition to separate cells, distribute complete sub-
Universe state using a more compact data-type
– DDS supports a very rich set of data-types
• bitmap-like type would work well
– especially useful for very large scale Universes
– can be used for seeding as well
– with TRANSIENT QoS
• multiple Universes can exist and evolve side-by-side using
Partitions
– only readers and writers that have a Partition in common will
interact
– Partitions can be added and removed on the fly
– Partitions are string names, allowing good flexibility
Agenda
• Problem definition: Life Distributed
• A solution: RTI Connext DDS
• Applying DDS to Life Distributed: concepts
• Applying DDS to Life Distributed: (pseudo)-code
• Advanced Life Distributed: leveraging DDS
• Summary
• Questions and Answers
Summary
Distributed Life can be properly implemented
leveraging DDS
• communication complexity is off-loaded to
middleware, developer can focus on application
• advanced QoS settings allow for adjustment to
requirements and deployment characteristics
• DDS features simplify extending Distributed Life
beyond its basic implementation
• all of this in a standardized, multi-language, multi-
platform environment with an infrastructure built
to scale and perform
Agenda
• Problem definition: Life Distributed
• A solution: RTI Connext DDS
• Applying DDS to Life Distributed: concepts
• Applying DDS to Life Distributed: (pseudo)-code
• Advanced Life Distributed: leveraging DDS
• Summary
• Questions and Answers
Questions?
Thanks!

More Related Content

What's hot

What's hot (20)

Airbnb가 직접 들려주는 Kubernetes 환경 구축 이야기 - Melanie Cebula 소프트웨어 엔지니어, Airbnb :: A...
Airbnb가 직접 들려주는 Kubernetes 환경 구축 이야기 - Melanie Cebula 소프트웨어 엔지니어, Airbnb :: A...Airbnb가 직접 들려주는 Kubernetes 환경 구축 이야기 - Melanie Cebula 소프트웨어 엔지니어, Airbnb :: A...
Airbnb가 직접 들려주는 Kubernetes 환경 구축 이야기 - Melanie Cebula 소프트웨어 엔지니어, Airbnb :: A...
 
Kubernetes 101
Kubernetes 101Kubernetes 101
Kubernetes 101
 
K8s network policy bypass
K8s network policy bypassK8s network policy bypass
K8s network policy bypass
 
Qlik TechFest C-5 Qlikエンジンのサーバーサイド拡張(SSE)の 基礎から実装まで
Qlik TechFest C-5  Qlikエンジンのサーバーサイド拡張(SSE)の 基礎から実装までQlik TechFest C-5  Qlikエンジンのサーバーサイド拡張(SSE)の 基礎から実装まで
Qlik TechFest C-5 Qlikエンジンのサーバーサイド拡張(SSE)の 基礎から実装まで
 
2014 OpenStack Day in Korea - oVirt and OpenStack Integration and more
2014 OpenStack Day in Korea - oVirt and OpenStack Integration and more2014 OpenStack Day in Korea - oVirt and OpenStack Integration and more
2014 OpenStack Day in Korea - oVirt and OpenStack Integration and more
 
Docker and kubernetes_introduction
Docker and kubernetes_introductionDocker and kubernetes_introduction
Docker and kubernetes_introduction
 
IBM MQ Basics
IBM MQ BasicsIBM MQ Basics
IBM MQ Basics
 
Opa gatekeeper
Opa gatekeeperOpa gatekeeper
Opa gatekeeper
 
Overview of the DDS-XRCE specification
Overview of the DDS-XRCE specificationOverview of the DDS-XRCE specification
Overview of the DDS-XRCE specification
 
Open Source MANO(OSM)
Open Source MANO(OSM)Open Source MANO(OSM)
Open Source MANO(OSM)
 
SonarQube와 함께하는 소프트웨어 품질 세미나 - SonarQube 소개
SonarQube와 함께하는 소프트웨어 품질 세미나 - SonarQube 소개SonarQube와 함께하는 소프트웨어 품질 세미나 - SonarQube 소개
SonarQube와 함께하는 소프트웨어 품질 세미나 - SonarQube 소개
 
오픈스택: 구석구석 파헤쳐보기
오픈스택: 구석구석 파헤쳐보기오픈스택: 구석구석 파헤쳐보기
오픈스택: 구석구석 파헤쳐보기
 
helm 입문
helm 입문helm 입문
helm 입문
 
Amazon SageMaker 모델 배포 방법 소개::김대근, AI/ML 스페셜리스트 솔루션즈 아키텍트, AWS::AWS AIML 스페셜 웨비나
Amazon SageMaker 모델 배포 방법 소개::김대근, AI/ML 스페셜리스트 솔루션즈 아키텍트, AWS::AWS AIML 스페셜 웨비나Amazon SageMaker 모델 배포 방법 소개::김대근, AI/ML 스페셜리스트 솔루션즈 아키텍트, AWS::AWS AIML 스페셜 웨비나
Amazon SageMaker 모델 배포 방법 소개::김대근, AI/ML 스페셜리스트 솔루션즈 아키텍트, AWS::AWS AIML 스페셜 웨비나
 
[OpenStack] 공개 소프트웨어 오픈스택 입문 & 파헤치기
[OpenStack] 공개 소프트웨어 오픈스택 입문 & 파헤치기[OpenStack] 공개 소프트웨어 오픈스택 입문 & 파헤치기
[OpenStack] 공개 소프트웨어 오픈스택 입문 & 파헤치기
 
Container, Container, Container -유재석 (AWS 솔루션즈 아키텍트)
Container, Container, Container -유재석 (AWS 솔루션즈 아키텍트)Container, Container, Container -유재석 (AWS 솔루션즈 아키텍트)
Container, Container, Container -유재석 (AWS 솔루션즈 아키텍트)
 
Amazon SageMaker을 통한 손쉬운 Jupyter Notebook 활용하기 - 윤석찬 (AWS 테크에반젤리스트)
Amazon SageMaker을 통한 손쉬운 Jupyter Notebook 활용하기  - 윤석찬 (AWS 테크에반젤리스트)Amazon SageMaker을 통한 손쉬운 Jupyter Notebook 활용하기  - 윤석찬 (AWS 테크에반젤리스트)
Amazon SageMaker을 통한 손쉬운 Jupyter Notebook 활용하기 - 윤석찬 (AWS 테크에반젤리스트)
 
Fluentd with MySQL
Fluentd with MySQLFluentd with MySQL
Fluentd with MySQL
 
DevOps - CI/CD 알아보기
DevOps - CI/CD 알아보기DevOps - CI/CD 알아보기
DevOps - CI/CD 알아보기
 
From Java 17 to 21- A Showcase of JDK Security Enhancements
From Java 17 to 21- A Showcase of JDK Security EnhancementsFrom Java 17 to 21- A Showcase of JDK Security Enhancements
From Java 17 to 21- A Showcase of JDK Security Enhancements
 

Similar to Learn How to Develop a Distributed Game of Life with DDS

Introduction to Version Control
Introduction to Version ControlIntroduction to Version Control
Introduction to Version Control
Wei-Tsung Su
 
Swift container sync
Swift container syncSwift container sync
Swift container sync
Open Stack
 
Scalability20140226
Scalability20140226Scalability20140226
Scalability20140226
Nick Kypreos
 

Similar to Learn How to Develop a Distributed Game of Life with DDS (20)

The Power of Determinism in Database Systems
The Power of Determinism in Database SystemsThe Power of Determinism in Database Systems
The Power of Determinism in Database Systems
 
Cyclone DDS Unleashed: Scalability in DDS and Dealing with Large Systems
Cyclone DDS Unleashed: Scalability in DDS and Dealing with Large SystemsCyclone DDS Unleashed: Scalability in DDS and Dealing with Large Systems
Cyclone DDS Unleashed: Scalability in DDS and Dealing with Large Systems
 
Brains, Data, and Machine Intelligence (2014 04 14 London Meetup)
Brains, Data, and Machine Intelligence (2014 04 14 London Meetup)Brains, Data, and Machine Intelligence (2014 04 14 London Meetup)
Brains, Data, and Machine Intelligence (2014 04 14 London Meetup)
 
Using Containers and HPC to Solve the Mysteries of the Universe by Deborah Bard
Using Containers and HPC to Solve the Mysteries of the Universe by Deborah BardUsing Containers and HPC to Solve the Mysteries of the Universe by Deborah Bard
Using Containers and HPC to Solve the Mysteries of the Universe by Deborah Bard
 
Pdc lecture1
Pdc lecture1Pdc lecture1
Pdc lecture1
 
Pnuts yahoo!’s hosted data serving platform
Pnuts  yahoo!’s hosted data serving platformPnuts  yahoo!’s hosted data serving platform
Pnuts yahoo!’s hosted data serving platform
 
MissStateStdCellTut.ppt
MissStateStdCellTut.pptMissStateStdCellTut.ppt
MissStateStdCellTut.ppt
 
Climb stateoftheartintro
Climb stateoftheartintroClimb stateoftheartintro
Climb stateoftheartintro
 
Introduction to Version Control
Introduction to Version ControlIntroduction to Version Control
Introduction to Version Control
 
Swift container sync
Swift container syncSwift container sync
Swift container sync
 
Dc lec-06 & 07 (osi model)
Dc lec-06 & 07 (osi model)Dc lec-06 & 07 (osi model)
Dc lec-06 & 07 (osi model)
 
The Architecture of Continuous Innovation - OSCON 2015
The Architecture of Continuous Innovation - OSCON 2015The Architecture of Continuous Innovation - OSCON 2015
The Architecture of Continuous Innovation - OSCON 2015
 
Introduction
IntroductionIntroduction
Introduction
 
Instrumenting the real-time web: Node.js in production
Instrumenting the real-time web: Node.js in productionInstrumenting the real-time web: Node.js in production
Instrumenting the real-time web: Node.js in production
 
Lecture 1 (distributed systems)
Lecture 1 (distributed systems)Lecture 1 (distributed systems)
Lecture 1 (distributed systems)
 
Brief Introduction To Kubernetes
Brief Introduction To KubernetesBrief Introduction To Kubernetes
Brief Introduction To Kubernetes
 
Scalability20140226
Scalability20140226Scalability20140226
Scalability20140226
 
Go Reactive: Event-Driven, Scalable, Resilient & Responsive Systems
Go Reactive: Event-Driven, Scalable, Resilient & Responsive SystemsGo Reactive: Event-Driven, Scalable, Resilient & Responsive Systems
Go Reactive: Event-Driven, Scalable, Resilient & Responsive Systems
 
Parallel Computing - Lec 3
Parallel Computing - Lec 3Parallel Computing - Lec 3
Parallel Computing - Lec 3
 
Talk at the Boston Cloud Foundry Meetup June 2015
Talk at the Boston Cloud Foundry Meetup June 2015Talk at the Boston Cloud Foundry Meetup June 2015
Talk at the Boston Cloud Foundry Meetup June 2015
 

More from Real-Time Innovations (RTI)

More from Real-Time Innovations (RTI) (20)

A Tour of RTI Applications
A Tour of RTI ApplicationsA Tour of RTI Applications
A Tour of RTI Applications
 
Precise, Predictive, and Connected: DDS and OPC UA – Real-Time Connectivity A...
Precise, Predictive, and Connected: DDS and OPC UA – Real-Time Connectivity A...Precise, Predictive, and Connected: DDS and OPC UA – Real-Time Connectivity A...
Precise, Predictive, and Connected: DDS and OPC UA – Real-Time Connectivity A...
 
The Inside Story: How the IIC’s Connectivity Framework Guides IIoT Connectivi...
The Inside Story: How the IIC’s Connectivity Framework Guides IIoT Connectivi...The Inside Story: How the IIC’s Connectivity Framework Guides IIoT Connectivi...
The Inside Story: How the IIC’s Connectivity Framework Guides IIoT Connectivi...
 
Upgrade Your System’s Security - Making the Jump from Connext DDS Professiona...
Upgrade Your System’s Security - Making the Jump from Connext DDS Professiona...Upgrade Your System’s Security - Making the Jump from Connext DDS Professiona...
Upgrade Your System’s Security - Making the Jump from Connext DDS Professiona...
 
The Inside Story: Leveraging the IIC's Industrial Internet Security Framework
The Inside Story: Leveraging the IIC's Industrial Internet Security FrameworkThe Inside Story: Leveraging the IIC's Industrial Internet Security Framework
The Inside Story: Leveraging the IIC's Industrial Internet Security Framework
 
ISO 26262 Approval of Automotive Software Components
ISO 26262 Approval of Automotive Software ComponentsISO 26262 Approval of Automotive Software Components
ISO 26262 Approval of Automotive Software Components
 
The Low-Risk Path to Building Autonomous Car Architectures
The Low-Risk Path to Building Autonomous Car ArchitecturesThe Low-Risk Path to Building Autonomous Car Architectures
The Low-Risk Path to Building Autonomous Car Architectures
 
Introduction to RTI DDS
Introduction to RTI DDSIntroduction to RTI DDS
Introduction to RTI DDS
 
How to Design Distributed Robotic Control Systems
How to Design Distributed Robotic Control SystemsHow to Design Distributed Robotic Control Systems
How to Design Distributed Robotic Control Systems
 
Fog Computing is the Future of the Industrial Internet of Things
Fog Computing is the Future of the Industrial Internet of ThingsFog Computing is the Future of the Industrial Internet of Things
Fog Computing is the Future of the Industrial Internet of Things
 
The Inside Story: How OPC UA and DDS Can Work Together in Industrial Systems
The Inside Story: How OPC UA and DDS Can Work Together in Industrial SystemsThe Inside Story: How OPC UA and DDS Can Work Together in Industrial Systems
The Inside Story: How OPC UA and DDS Can Work Together in Industrial Systems
 
Cyber Security for the Connected Car
Cyber Security for the Connected Car Cyber Security for the Connected Car
Cyber Security for the Connected Car
 
Space Rovers and Surgical Robots: System Architecture Lessons from Mars
Space Rovers and Surgical Robots: System Architecture Lessons from MarsSpace Rovers and Surgical Robots: System Architecture Lessons from Mars
Space Rovers and Surgical Robots: System Architecture Lessons from Mars
 
Advancing Active Safety for Next-Gen Automotive
Advancing Active Safety for Next-Gen AutomotiveAdvancing Active Safety for Next-Gen Automotive
Advancing Active Safety for Next-Gen Automotive
 
Learn About FACE Aligned Reference Platform: Built on COTS and DO-178C Certif...
Learn About FACE Aligned Reference Platform: Built on COTS and DO-178C Certif...Learn About FACE Aligned Reference Platform: Built on COTS and DO-178C Certif...
Learn About FACE Aligned Reference Platform: Built on COTS and DO-178C Certif...
 
How the fusion of time sensitive networking, time-triggered ethernet and data...
How the fusion of time sensitive networking, time-triggered ethernet and data...How the fusion of time sensitive networking, time-triggered ethernet and data...
How the fusion of time sensitive networking, time-triggered ethernet and data...
 
Secrets of Autonomous Car Design
Secrets of Autonomous Car DesignSecrets of Autonomous Car Design
Secrets of Autonomous Car Design
 
Cybersecurity Spotlight: Looking under the Hood at Data Breaches and Hardenin...
Cybersecurity Spotlight: Looking under the Hood at Data Breaches and Hardenin...Cybersecurity Spotlight: Looking under the Hood at Data Breaches and Hardenin...
Cybersecurity Spotlight: Looking under the Hood at Data Breaches and Hardenin...
 
Data Distribution Service Security and the Industrial Internet of Things
Data Distribution Service Security and the Industrial Internet of ThingsData Distribution Service Security and the Industrial Internet of Things
Data Distribution Service Security and the Industrial Internet of Things
 
The Inside Story: GE Healthcare's Industrial Internet of Things (IoT) Archite...
The Inside Story: GE Healthcare's Industrial Internet of Things (IoT) Archite...The Inside Story: GE Healthcare's Industrial Internet of Things (IoT) Archite...
The Inside Story: GE Healthcare's Industrial Internet of Things (IoT) Archite...
 

Recently uploaded

Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024
Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024
Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024
Victor Rentea
 
Why Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire businessWhy Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire business
panagenda
 
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Safe Software
 
Finding Java's Hidden Performance Traps @ DevoxxUK 2024
Finding Java's Hidden Performance Traps @ DevoxxUK 2024Finding Java's Hidden Performance Traps @ DevoxxUK 2024
Finding Java's Hidden Performance Traps @ DevoxxUK 2024
Victor Rentea
 

Recently uploaded (20)

Exploring the Future Potential of AI-Enabled Smartphone Processors
Exploring the Future Potential of AI-Enabled Smartphone ProcessorsExploring the Future Potential of AI-Enabled Smartphone Processors
Exploring the Future Potential of AI-Enabled Smartphone Processors
 
Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024
Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024
Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024
 
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
 
Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...
Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...
Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...
 
Why Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire businessWhy Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire business
 
Cyberprint. Dark Pink Apt Group [EN].pdf
Cyberprint. Dark Pink Apt Group [EN].pdfCyberprint. Dark Pink Apt Group [EN].pdf
Cyberprint. Dark Pink Apt Group [EN].pdf
 
Connector Corner: Accelerate revenue generation using UiPath API-centric busi...
Connector Corner: Accelerate revenue generation using UiPath API-centric busi...Connector Corner: Accelerate revenue generation using UiPath API-centric busi...
Connector Corner: Accelerate revenue generation using UiPath API-centric busi...
 
CNIC Information System with Pakdata Cf In Pakistan
CNIC Information System with Pakdata Cf In PakistanCNIC Information System with Pakdata Cf In Pakistan
CNIC Information System with Pakdata Cf In Pakistan
 
Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024
 
Manulife - Insurer Transformation Award 2024
Manulife - Insurer Transformation Award 2024Manulife - Insurer Transformation Award 2024
Manulife - Insurer Transformation Award 2024
 
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
 
2024: Domino Containers - The Next Step. News from the Domino Container commu...
2024: Domino Containers - The Next Step. News from the Domino Container commu...2024: Domino Containers - The Next Step. News from the Domino Container commu...
2024: Domino Containers - The Next Step. News from the Domino Container commu...
 
AWS Community Day CPH - Three problems of Terraform
AWS Community Day CPH - Three problems of TerraformAWS Community Day CPH - Three problems of Terraform
AWS Community Day CPH - Three problems of Terraform
 
Emergent Methods: Multi-lingual narrative tracking in the news - real-time ex...
Emergent Methods: Multi-lingual narrative tracking in the news - real-time ex...Emergent Methods: Multi-lingual narrative tracking in the news - real-time ex...
Emergent Methods: Multi-lingual narrative tracking in the news - real-time ex...
 
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost SavingRepurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
 
Finding Java's Hidden Performance Traps @ DevoxxUK 2024
Finding Java's Hidden Performance Traps @ DevoxxUK 2024Finding Java's Hidden Performance Traps @ DevoxxUK 2024
Finding Java's Hidden Performance Traps @ DevoxxUK 2024
 
MS Copilot expands with MS Graph connectors
MS Copilot expands with MS Graph connectorsMS Copilot expands with MS Graph connectors
MS Copilot expands with MS Graph connectors
 
EMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWER
EMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWEREMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWER
EMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWER
 
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemkeProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
 
TrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
TrustArc Webinar - Unlock the Power of AI-Driven Data DiscoveryTrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
TrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
 

Learn How to Develop a Distributed Game of Life with DDS

  • 1. Your systems. Working as one. May 15, 2013 Reinier Torenbeek reinier@rti.com Learn How to Develop a Distributed Game of Life with DDS
  • 2. Agenda • Problem definition: Life Distributed • A solution: RTI Connext DDS • Applying DDS to Life Distributed: concepts • Applying DDS to Life Distributed: (pseudo)-code • Advanced Life Distributed: leveraging DDS • Summary • Questions and Answers
  • 3. Conway's Game of Life • Devised by John Conway in 1970 • Zero-player game – evolution determined by initial state – no further input required • Plays in two-dimensional, orthogonal grid of square cells – originally of infinite size – for this webinar, toroidal array is used • At any moment in time, each cell is either dead or alive • Neighboring cells interact with each other – horizontally, vertically, or diagonally adjacent.
  • 4. Conway's Game of Life At each step in time, the following transitions occur: 1. Any live cell with fewer than two live neighbors dies, as if caused by under-population. 2. Any live cell with two or three live neighbors lives on to the next generation. 3. Any live cell with more than three live neighbors dies, as if by overcrowding. 4. Any dead cell with exactly three live neighbors becomes a live cell, as if by reproduction. These rules continue to be applied repeatedly to create further generations.
  • 5. Conway's Game of Life Glider gun Pulsar Block
  • 6. Conway's Game of Life – Distributed Problem description: how can Life be properly implemented in a distributed fashion? • have multiple processes work on parts of the Universe in parallel
  • 7. Conway's Game of Life – Distributed
  • 8. Conway's Game of Life – Distributed Problem description: how can Life be properly implemented in a distributed fashion? • have multiple processes work on parts of the Universe in parallel • have these processes exchange the required information for the evolutionary steps
  • 9. Conway's Game of Life – Distributed
  • 10. Conway's Game of Life – Distributed Problem description: how can Life be properly implemented in a distributed fashion? • have multiple processes work on parts of the Universe in parallel • have these processes exchange the required information for the evolutionary steps This problem and its solution serve as an example for developing distributed applications in general
  • 11. Conway's Game of Life – Distributed Properly here means: • with minimal impact on the application logics – let distribution artifacts be dealt with transparently – let the developer focus on Life and its algorithms • allowing for mixed environments – multiple programming languages, OS-es and hardware – asymmetric processing power • supporting scalability – for very large Life Universes on many machines – for load balancing of CPU intensive calculations • in a fault-tolerant fashion
  • 12. Agenda • Problem definition: Life Distributed • A solution: RTI Connext DDS • Applying DDS to Life Distributed: concepts • Applying DDS to Life Distributed: (pseudo)-code • Advanced Life Distributed: leveraging DDS • Summary • Questions and Answers
  • 13. RTI Connext DDS A few words describing RTI Connext DDS: • an implementation of the Object Management Group (OMG) Data Distribution Service (DDS) – standardized, multi-language API – standardized wire-protocol – see www.rti.com/elearning for tutorials (some free) • a high performance, scalable, anonymous publish/subscribe infrastructure • an advanced distributed data management technology – supporting many features know from DBMS-es
  • 14. RTI Connext DDS DDS revolves around the concept of a typed data- space that • consists of a collection of structured, observable items which – go through their individual lifecycle of creation, updating and deletion (CRUD) – are updated by Publishers – are observed by Subscribers • is managed in a distributed fashion – by Connext libraries and (optionally) services – transparent to applications
  • 15. RTI Connext DDS DDS revolves around the concept of a typed data- space that • allows for extensive fine-tuning – to adjust distribution behavior according to application needs – using standard Quality of Service (QoS) mechanisms • can evolve dynamically – allowing Publishers and Subscribers to join and leave at any time – automatically discovering communication paths between Publishers and Subscribers
  • 16. Agenda • Problem definition: Life Distributed • A solution: RTI Connext DDS • Applying DDS to Life Distributed: concepts • Applying DDS to Life Distributed: (pseudo)-code • Advanced Life Distributed: leveraging DDS • Summary • Questions and Answers
  • 17. Applying DDS to Life Distributed First step is to define the data-model in IDL • cells are observable items, or "instances" – row and col identify their location in the grid – generation identifies the "tick nr" in evolution – alive identifies the state of the cell
  • 18. module life { struct CellType { long row; //@key long col; //@key unsigned long generation; boolean alive; }; };
  • 19. Applying DDS to Life Distributed First step is to define the data-model in IDL • cells are observable items, or "instances" – row and col identify their location in the grid – generation identifies the "tick nr" in evolution – alive identifies the state of the cell • the collection of all cells is the CellTopic Topic – cells exist side-by-side and for the Universe – conceptually stored "in the data-space" – in reality, local copies where needed
  • 20. row: 16 col: 4 generation: 25 alive: false
  • 21. Applying DDS to Life Distributed Each process is responsible for publishing the state of a certain subset of cells of the Universe: • a rectangle or square area with corners (rowmin,colmin)i and (rowmax,colmax)i for process i
  • 23. Applying DDS to Life Distributed Each process is responsible for publishing the state of a certain subset of cells of the Universe: • a rectangle or square area with corners (rowmin,colmin)i and (rowmax,colmax)i for process i • each cell is individually updated using the write() call on a CellTopic DataWriter – middleware analyzes the key values (row,col) and maintains the individual states of all cells • updating happens generation by generation
  • 24. Applying DDS to Life Distributed Each process subscribes to the required subset of cells in order to determine its current state: • all neighboring cells, as well as its "own" cells
  • 25.
  • 26. Applying DDS to Life Distributed Each process subscribes to the required subset of cells in order to determine its current state: • all neighboring cells, as well as its "own" cells • using a SQL-expression to identify the cells subscribed to (content-based filtering) – complexity is "Life-specific", not "DDS-specific"
  • 27. "((row >= 1 AND row <= 11) OR row = 20) AND ((col >= 1 AND col <= 11) OR col = 20)"
  • 28. Applying DDS to Life Distributed Each process subscribes to the required subset of cells in order to determine its current state: • all neighboring cells, as well as its "own" cells • using a SQL-expression to identify the cells subscribed to (content-based filtering) – complexity is "Life-specific", not "DDS-specific" • middleware will deliver cell updates to those DataReaders that are interested in it
  • 29. Applying DDS to Life Distributed Additional processes can be added to peek at the evolution of Life: • subscribing to (a subset of) the CellTopic
  • 30. "row >= 8 AND row <= 13 AND col >= 8 AND col <= 13"
  • 31. Applying DDS to Life Distributed Additional processes can be added to peek at the evolution of Life: • subscribing to (a subset of) the CellTopic • using any supported language, OS, platform – C, C++, Java, C#, Ada – Windows, Linux, AIX, Mac OS X, Solaris, INTEGRITY, LynxOS, VxWorks, QNX… • without changes to the existing applications – middleware discovers new topology and distributes updates accordingly
  • 32. Agenda • Problem definition: Life Distributed • A solution: RTI Connext DDS • Applying DDS to Life Distributed: concepts • Applying DDS to Life Distributed: (pseudo)-code • Advanced Life Distributed: leveraging DDS • Summary • Questions and Answers
  • 33. Life Distributed (pseudo-)code Life Distributed prototype applications were developed on Mac OS X • Life evolution application written in C • Life observer application written in Python – using Pythons extension-API • (Pseudo-)code covers basic scenario only – more advanced apects are covered in next section
  • 34. Life Distributed (pseudo-)code Life evolution application written in C: • application is responsible for – knowing about the Life seed (initial state of cells) – executing the Life rules based on cell updates coming from DDS – updating cell states after a full generation tick has been processed • evolution of Life takes place one generation at a time – consequently, Life applications run in "lock-step"
  • 35. initialize DDS current generation = 0 write sub-universe Life seed to DDS repeat repeat wait for DDS cell update for current generation update sub-universe with cell until 8 neighbors seen for all cells execute Life rules on sub-universe increase current generation write all new cell states to DDS until last generation reached
  • 36. Life Distributed (pseudo-)code Worth to note about the Life application: • loss of one cell-update will eventually stall the complete evolution – this is by nature of the Life algorithm – implies RELIABLE reliability QoS for DDS – history of 2 generations need to be stored to avoid overwriting
  • 38. Life Distributed (pseudo-)code Worth to note about the Life application: • loss of one cell-update will eventually stall the complete evolution – this is by nature of the Life algorithm – implies RELIABLE reliability QoS for DDS – history of 2 generations needs to be stored to avoid overwriting of state of a single cell • startup-order issues resolved by DDS durability QoS – newly joined applications will be delivered current state – delivery of historical data transparent to applications – applications not waiting for other applications, but for cell updates
  • 40. Life Distributed (pseudo-)code Worth to note about the Life application: • DDS cell updates come from different places – mostly from the application's own DataWriter – also from neighboring sub-Universes' DataWriters – all transparently arranged based on the filter
  • 41. create DDS DomainParticipant with DomainParticipant, create DDS Topic "CellTopic" with CellTopic and filterexpression, create DDS ContentFilteredTopic "FilteredCellTopic" create DDS Subscriber create DDS DataReader for FilteredCellTopic
  • 42. Life Distributed (pseudo-)code Worth to note about the Life application: • DDS cell updates come from different places – mostly from the application's own DataWriter – also from neighboring sub-Universes' DataWriters – all transparently arranged based on the filter • algorithm relies on reading cell-updates for a single generation – evolving one tick at a time – leverages DDS QueryCondition – "generation = %0" with %0 value changing
  • 43. create DDS DomainParticipant with DomainParticipant, create DDS Topic "CellTopic" with CellTopic and filterexpression, create DDS ContentFilteredTopic "FilteredCellTopic" with DomainParticiapnt, create DDS Subscriber with Subscriber and FilteredCellTopic, create DDS CellTopicDataReader with CellTopicDataReader, query expression and parameterlist, create QueryCondition with DomainParticipant, create WaitSet attach QueryCondition to WaitSet in main loop: in generation loop: block thread in WaitSet, wait for data from DDS read with QueryCondition from CellTopicDataReader increase generation update query parameterlist with new generation
  • 44. Life Distributed (pseudo-)code Life observer application written in Python: • application is responsible for – subscribing to cell updates – printing cell states to display evolution – ignoring any generations that have missing cell updates
  • 45. import clifedds as life #omitted option parsing filterString = 'row>={} and col>={} and row<={} and col<={}'. format(options.minRow, options.minCol, options.maxRow, options.maxCol) life.open(options.domainId, filterString) generation = 0 while generation is not None: # read from DDS, block if nothing availble, # returns Nones in case of time-out after 10 seconds row, col, generation, isAlive = life.read(10) # omitted administration for building and printing strings life.close()
  • 46. Life Distributed (pseudo-)code Life observer application written in Python: • application is responsible for – subscribing to cell updates – printing cell states to display evolution – ignoring any generations that have missing cell updates • for minimal impact, DataReader uses default QoS settings – BEST_EFFORT reliability, so updates might be lost – VOLATILE durability, so no delivery of historical updates – still history depth of 2
  • 48. Life Distributed (pseudo-)code domainId # of generations universe dimensions sub-universe dimensions Example of running a single life application:
  • 49. Life Distributed (pseudo-)code Example of running a life scenario:
  • 50.
  • 51. Agenda • Problem definition: Life Distributed • A solution: RTI Connext DDS • Applying DDS to Life Distributed: concepts • Applying DDS to Life Distributed: (pseudo)-code • Advanced Life Distributed: leveraging DDS • Summary • Questions and Answers
  • 52. Fault tolerance Not all is lost if Life application crashes • if using TRANSIENT durability QoS, infrastructure will keep status roaming – requires extra service to run (redundantly) • after restart, current status is available automatically – new incarnation can continue seamlessly
  • 54. Fault tolerance Not all is lost if Life application crashes • if using TRANSIENT durability QoS, infrastructure will keep status roaming – requires extra service to run (redundantly) • after restart, current status is available automatically – new incarnation can continue seamlessly • results in high robustness • even more advanced QoS-es are possible
  • 55. Reliability and flow control Running the Python app with a larger grid: • with current QoS, faster writer with slower reader will overwrite samples in reader • whenever at least one cell update is missing, the generation is not printed (by design)
  • 56.
  • 57. Reliability and flow control Running the Python app with a larger grid: • whenever at least one cell update is missing, the generation is not printed (by design) • with current QoS, faster writer with slower reader will overwrite samples in reader • this is often desired result, to avoid system- wide impact of asymmetric processing power • if not desired, KEEP_ALL QoS can be leveraged
  • 59. Reliability and flow control Running the Python app with a larger grid: • whenever at least one cell update is missing, the generation is not printed (by design) • with current QoS, faster writer with slower reader will overwrite samples in reader • this is often desired result, to avoid system- wide impact of asymmetric processing power • if not desired, KEEP_ALL QoS can be leveraged – flow control will slow down writer to avoid loss
  • 60.
  • 61. More advanced problem solving Other ways to improve the Life implementation: • for centralized grid configuration, distribute grid- sizes with DDS – with TRANSIENT or PERSISTENT QoS – this isolates configuration-features to one single app – dynamic grid-reconfiguration can be done by re- publishing grid-sizes • for centralized seed (generation 0) management, distribute seed with DDS – with TRANSIENT or PERSISTENT QoS – this isolates seeding to one single app
  • 62. More advanced problem solving Other ways to improve the Life implementation: • in addition to separate cells, distribute complete sub- Universe state using a more compact data-type – DDS supports a very rich set of data-types • bitmap-like type would work well – especially useful for very large scale Universes – can be used for seeding as well – with TRANSIENT QoS • multiple Universes can exist and evolve side-by-side using Partitions – only readers and writers that have a Partition in common will interact – Partitions can be added and removed on the fly – Partitions are string names, allowing good flexibility
  • 63. Agenda • Problem definition: Life Distributed • A solution: RTI Connext DDS • Applying DDS to Life Distributed: concepts • Applying DDS to Life Distributed: (pseudo)-code • Advanced Life Distributed: leveraging DDS • Summary • Questions and Answers
  • 64. Summary Distributed Life can be properly implemented leveraging DDS • communication complexity is off-loaded to middleware, developer can focus on application • advanced QoS settings allow for adjustment to requirements and deployment characteristics • DDS features simplify extending Distributed Life beyond its basic implementation • all of this in a standardized, multi-language, multi- platform environment with an infrastructure built to scale and perform
  • 65. Agenda • Problem definition: Life Distributed • A solution: RTI Connext DDS • Applying DDS to Life Distributed: concepts • Applying DDS to Life Distributed: (pseudo)-code • Advanced Life Distributed: leveraging DDS • Summary • Questions and Answers