How to Build Custom Generators for State Machines EasilyĀ šŸš€

Written by andreasmuelder | Published 2019/12/01
Tech Story Tags: state-machines | code-generator | xtend | spring-statemachine | latest-tech-stories | software-development | java | hardware

TLDR This article is a step-by-step guide on how to develop custom code generators for YAKINDU Statechart Tools. We will use Spring Statemachine as the target framework to explain the development of our custom code generator. In the next part, we will set up a new code generator to generate code from a project. We use Xtend ā€” a flexible and expressive dialect of Java with a lot of features that are helpful for code generator development. The next part of this article will explain how we can create a simple example of a turnstile example.via the TL;DR App

State machines, as they are used today in software projects, are an effective way of developing software for a lot of different applications. They have been used in the embedded systems domain to model reactive systems for decades. Highly-sophisticated tools, like Mathworks Stateflow and YAKINDU Statechart Tools, help embedded systems engineers to model and simulate the behavior of their systems and generate high-quality code out of the statechart models.Ā 
In recent times, there has been a trend towards state machines for web applications. Frameworks, like XState and Spring Statemachine, support developers in using finite-state machines for front-end and back-end web development. Wouldnā€™t it be nice to reuse existing tools with all their modeling and simulation capabilities for modern web frameworks?

What you will learn in thisĀ article

This article is a step-by-step guide on how to develop custom code generators for YAKINDU Statechart Tools. All parts of YAKINDU Statecharts that we use throughout this article are open source. We will use Spring Statemachine as the target framework to explain the development of our custom code generator. And we will use Xtendā€Šā€”ā€Ša flexible and expressive dialect of Java with a lot of features that are helpful for code generator development.
Grab your copy of YAKINDU Statechart Tools here, and letā€™s start coding!

Spring Statemachine Turnstile Example

Letā€™s have a look at a simple example and how it is written in Spring Statemachine. The turnstile example was taken from the Spring project example repository. It consists of two states, Locked and Unlocked. If the coin event is raised, the turnstile enters the Unlocked state, if the push event is raised, the turnstile goes back to the Locked state.
As you can see in the following code listing, only 29 lines of Java code are required to have a running example of the turnstile in Spring Statemachine.
@Configuration
@EnableStateMachine
public class TurnstileConfig
		extends EnumStateMachineConfigurerAdapter<States, Events> {

	public static enum States {
		LOCKED, UNLOCKED
	}

	public static enum Events {
		COIN, PUSH
	}

	@Override
	public void configure(StateMachineStateConfigurer<States, Events> states)
			throws Exception {
		states.withStates().initial(States.LOCKED)
				.states(EnumSet.allOf(States.class));
	}

	@Override
	public void configure(
			StateMachineTransitionConfigurer<States, Events> transitions)
			throws Exception {
		transitions.withExternal().source(States.LOCKED).target(States.UNLOCKED)
				.event(Events.COIN).and().withExternal().source(States.UNLOCKED)
				.target(States.LOCKED).event(Events.PUSH);
	}
}
The
TurnstileConfig 
class starts with two annotations ā€”
@Configuration 
and
@EnableStatemachine
ā€” that are required for the Spring runtime environment to set up things properly. For more details on how the instantiation with spring works, check out the Spring Statemachine online documentation.
The
TurnstileConfig
class extends the
EnumStateMachineConfigurerAdapter 
framework class. This is a generic type that takes two classes as type argumentsā€Šā€”ā€Šthe
States 
a nd
Events 
enumerations. These enumerations contain literals for every State and Event within the state machine. There are two
configure 
methods, which are derived from the base class.
They are used to define the States and connect them to each other via Transitions. All States are added to the statesā€™ configuration, and the Locked state is marked to be the initial state of the state machine. The
configure 
method adds the Transitions with source and target States and Events, respectively, to the configuration.
In the next part, we will set up a new generator project and see how we can generate that code from our example model.

Creating the Code Generator Project

Creating custom code generators is a built-in concept in YAKINDU Statechart Tools. You can develop custom code generators directly within your project workspace. You can choose between Xtend or Java for implementing the code generator templates. Throughout this example, we will use Xtend as the programming language.
Xtend compiles into optimized, readable and pretty-printed Java code. Java and Xtend have a lot in common syntactically and semantically. Xtend is aimed to improve several aspects of Java and is especially useful when developing code generators.
Since the output is plain Java code, it is easily possible to integrate Xtend code with any existing Java library and vice versa.
Xtend isā€Šā€”ā€Šlike Javaā€Šā€”ā€Ša statically-typed language with the ability to infer variable and expression types in most cases. This slims down the code and increases its readability. Features that are useful for the development of code generators are extension methods, lambda expressions, dispatch functions and especially template expressions. Donā€™t worryā€Šā€”ā€Šif you are familiar with Java you will learn Xtend in no time.
To set up a new generator project in YAKINDU Statechart Tools, we will use the generator template from our example wizard. So start up YAKINDU Statechart Tools and do the following:
  • Select File ā†’ New- ā†’ Example. In the Wizard, select YAKINDU Statechart Examples and click Next.
  • If it is the first time you use the example wizard, you have to click the Download button in order to load the latest examples from the Github repository.
  • Next, select the Custom Generator Template from the menu on the left. Hit Install Dependencies and click Finish.Install Dependencies Directly From the ExampleĀ Wizard
A background task is scheduled that will install some additional components into YAKINDU Statechart Tools. They are required for custom code generator development. Confirm the appearing dialog with Next. Accept the terms and conditions and click Install.
Once the installation is finished, a restart is required. Thatā€™s all you have to do to get started! šŸŽ‰ šŸŽ‰

The custom code generator template

Let us have a look at the generated artifacts and their purpose.Ā 
Since Xtend code compiles to Java code, there is a source folder called xtend-gen. It contains only generated resources and should therefore not be added to a version control systems like Git. The src folder contains the source code of our code generator.
YAKINDU Statechart Tools uses a dependency injection framework, Google Guice, to manage dependencies. All references to implementation types are handled in the
CustomGeneratorModule
.
CustomGenerator 
is the class containing the actual code generator implementation. In the model folder, you will find the example state machine turnstile.sct and the code generator model turnstile.sgen.
The code generator model is used to test our new code generator. When you right-click the turnstile.sgen file and select Generate Statechart Artifacts from the context menu, the generator is executed and creates a new file src-gen/turnstile.txt with the following contents:
The name of the state machine is 'turnstile'
I am a region main region
I am an entry of kind INITIAL
I am a state Locked
I am a state Unlocked
This is the default output of the initial generator. Congratulations, everything is set-up properly! šŸ’Ŗ

The Custom Generator Template explained

As previously stated, the code that is responsible for the generated output is located in the
CustomGenerator 
class. It is just a simple template that prints out the names of the states contained in the example model into a text fileā€Šā€”ā€Šnot very useful right now šŸ™ˆ. But it is a good start to dive deeper into the details of YAKINDUā€™s code generator API:
class CustomGenerator implements ISGraphGenerator {

	override generate(Statechart sm, GeneratorEntry entry, IFileSystemAccess access) {
		access.generateFile(sm.name + '.txt', sm.generate.toString());
	}

	def dispatch String generate(Statechart it) {
		'''
			The name of the state machine is 'Ā«nameĀ»'
			Ā«FOR Region region : regionsĀ»
				Ā«region.generateĀ»
			Ā«ENDFORĀ»
		'''.toString
	}

	def dispatch String generate(Region it) {
		'''
			I am a region Ā«nameĀ»
			Ā«FOR state : verticesĀ»
				Ā«state.generateĀ»
			Ā«ENDFORĀ»
		'''
	}

	def dispatch String generate(State it) {
		'''
			I am a state Ā«nameĀ»
			Ā«FOR region : regionsĀ»
				Ā«region.generateĀ»
			Ā«ENDFORĀ»
		'''
	}

	def dispatch String generate(Entry it) {
		'''
			I am an entry of kind Ā«it.kind.toStringĀ»
		'''

	}
}
The
CustomGenerator 
class implements the
ISGraphGenerator 
interface, which is the basic interface for all custom code generators. It defines only a single method
generate 
with three parameters. The first parameter sm is of type Statechart and represents the actual model, turnstile.sct in our case. The following figure gives an overview of the structure of the statechart model.
A Statechart contains zero or more Regions. A Region contains zero or more Vertices. A Vertex can be either of type State or of type Pseudostate. A Pseudostate is a state that can not be activeā€Šā€”ā€Šan Entry, Exit, Choice or Synchronization. If a State contains one or more Regions, it is called a Composite State.
The second parameter entry is of type GeneratorEntry and allows access to the code generator features of the turnstile.sgen generator model.Ā 
The last parameter, access, is of tye IFileSystemAccess and can be used to write the result to the file system. It is a file system abstraction that is preconfigured with the target folders specified in the generator model. To create a new source file, the
generateFile 
method can be used. It takes two arguments, the first one is the name of the file and the second one is the content. As the latter, we pass in the result of the call sm.generate.toString(). We use Xtends extension methods here.Ā 
The method
generate 
creates the content that is written to the file. We use Xtends template expressions for readable string concatenation. Such a template expression is surrounded by triple single quotes(ā€˜ ā€˜ ā€˜). Each character that is placed in between a pair of triple single quotes is taken as plain text, except for Xtend expressions like Ā«somethingĀ».
Xtend expressions are surrounded by so-called guillemets. They are evaluated at runtime. In our example, the result of the Ā«nameĀ» expression will be Turnstile. Template expressions even allow control structures like FOR loops or IF statements.
We iterate over every Region andā€Šā€”ā€Šagainā€Šā€”ā€Šcall the generate method. Xtends dispatch keyword selects the suitable generate method depending on the runtime type of the argument.

Customizing for Spring Statemachine

Now that you are familiar with the basic language features lets have a look at how we can adopt this generic template to produce actual code for Spring Statemachine. Here is the example code that can handle basic features like States, Regions, Events, and Entries.Ā 
/**
 * (c) 2019 by Andreas Muelder
 */
package org.yakindu.sct.generator.spring

import org.eclipse.xtext.generator.IFileSystemAccess
import org.yakindu.sct.generator.core.ISGraphGenerator
import org.yakindu.sct.model.sgen.GeneratorEntry
import org.yakindu.sct.model.sgraph.Entry
import org.yakindu.sct.model.sgraph.State
import org.yakindu.sct.model.sgraph.Statechart

class SpringGenerator implements ISGraphGenerator {

	override generate(Statechart statechart, GeneratorEntry entry, IFileSystemAccess access) {
		access.generateFile(statechart.name + "/" + statechart.name.toFirstUpper + 'Config.java', statechart.code);
	}

	def code(Statechart statechart) {
	'''
			package Ā«statechart.nameĀ»;
		
			Ā«statechart.importsĀ»
			
			@Configuration
			@EnableStateMachine
			public class Ā«statechart.name.toFirstUpperĀ»Config
		        extends EnumStateMachineConfigurerAdapter<States, Events> {
			
				public static enum States {
				    Ā«FOR state : statechart.regions.map[vertices].flatten.filter(State) SEPARATOR ','Ā»
				    	Ā«state.name.toUpperCaseĀ»
				    Ā«ENDFORĀ»
				}
				
				public static enum Events {
				    Ā«FOR event : statechart.scopes.map[events].flatten SEPARATOR ','Ā»
				    	Ā«event.name.toUpperCaseĀ»
				    Ā«ENDFORĀ»
				}
				
				  @Override
				  public void configure(StateMachineStateConfigurer<States, Events> states)
				          throws Exception {
				      states
				          .withStates()
				              .initial(States.Ā«statechart.initialStateĀ»)
				              .states(EnumSet.allOf(States.class));
				  }
			
			    @Override
			    public void configure(StateMachineTransitionConfigurer<States, Events> transitions)
			            throws Exception {
			    Ā«FOR transition : statechart.regions.head.vertices.filter(State).map[outgoingTransitions].flatten BEFORE 'transitions' SEPARATOR '.and()' AFTER ';'Ā»
			    	.withExternal()
			    	.source(States.Ā«transition.source.name.toUpperCaseĀ»)
			    	.target(States.Ā«transition.target.name.toUpperCaseĀ»)
			    	.event(Events.Ā«transition.specification.toUpperCaseĀ»)
			    	Ā«ENDFORĀ»
			    	}
				
				}
		'''
	}
	def protected initialState(Statechart it) {
		regions.head.vertices.filter(Entry).head.outgoingTransitions.head.target.name.toUpperCase
	}

	def protected imports(Statechart it) '''
		import java.util.EnumSet;
		import org.springframework.context.annotation.Configuration;
		import org.springframework.statemachine.config.EnableStateMachine;
		import org.springframework.statemachine.config.EnumStateMachineConfigurerAdapter;
		import org.springframework.statemachine.config.builders.StateMachineStateConfigurer;
		import org.springframework.statemachine.config.builders.StateMachineTransitionConfigurer;
		import Ā«nameĀ».Ā«name.toFirstUpperĀ»Config.*;
	'''
}
The
code 
method takes a Statechart as an argument and returns a template expression. Please note: Everything that is not written between Ā«Ā andĀ Ā» is taken as a plain string. The For loop iterates over all States that are contained in the Statechart and generate an Enumeration Literal for each State. The same is done for all Events.
The first
configure 
method sets the initial state of the Statechart and adds all the States from the generated Enumeration above. The second
configure 
method uses a For-expression to iterate over all Transitions. Every Transition is connected to its source and target State and the triggering Event.
This is everything you need to generate Spring Statemachine code for simple state machines. The full source code is available at GitHub. Do not forget to open a pull request if youā€™d like to provide additional features! šŸ˜ƒ

Written by andreasmuelder | YAKINDU Tools developer
Published by HackerNoon on 2019/12/01