Simulations

This expects that your variables are simple values or JSON-objects/ -arrays.

For now this only works for Camunda 7.

Simulations let you run BPMNs and DMNs automatically on an installed Camunda 7 Platform. The diagrams must be deployed.

For the deployment I created a script that also starts the Simulation.

Why

I like Simulations because:

Of course most of these points are also true for Unit- and/or Scenario tests.

I also experimented with Unit- and Scenario Tests, and it would also be possible. But for now I concentrate my time on Simulations. I also think you should only do one of them, due to the work involved.

Get Started

Simulations use the BPMNs you created - in this context I refer to the Bpmn DSL

Let's start with a basic example:

// put your simulations in the simulation package of your project (it)
package camundala.examples.invoice.simulation
// import the projects bpmns (Processes, UserTasks etc.)
import camundala.examples.invoice.bpmn.*
// import Camundala simulation DSL - for now this is the one and only
import camundala.simulation.custom.CustomSimulation
// define a class that extends from a simulation DSL   
class InvoiceSimulation extends CustomSimulation:

  simulate (
    // add scenarios (comma separated)
    scenario(`Review Invoice`)(
      AssignReviewerUT,
      ReviewInvoiceUT
    ),
    scenario(InvoiceAssignApproverDMN),
    incidentScenario(
      `Invoice Receipt that fails`,
      "Could not archive invoice..."
    )(
      ApproveInvoiceUT,
      PrepareBankTransferUT
    ),
    // more scenarios  ..
  )
end InvoiceSimulation

simulate

This is the entry point for your Simulation. There is one Simulation per Simulation class (file). A Simulation contains one or more Scenarios.

scenario

A scenario consists of a BPMN process or a DMN decision. Then in optional second brackets you can add steps that interact with the process. For DMNs there won't be any.

Run the Simulation

In your sbt-console:

This creates the following output: simulation_log1.png ... simulation_log2.png

Log Levels Colors

Depending on the log level, the most important delimiters are in color:

Simulation succeed / failure

As soon as there is a log entry with the level ERROR, the Simulations fail and the failing Simulations are listed.

Reference to Camunda Cockpit

Each Process Scenario will print a link to the according Process-Instance:

15:15:32.926 INFO: Process 'example-invoice-c7-review' started (check http://localhost:8034/camunda/app/cockpit/default/#/process-instance/42f84722-82cc-11ed-b5c6-9e5abd655523)

This is not available for a DMN Scenario.

Simulation

Naming

The DSL is using the names of your BPMN objects like Processes and UserTasks. As these objects can be reused in different Scenarios and Steps, we take the name of the variable.

  lazy val `Invoice Receipt with Review` =
    `Invoice Receipt`
      .withOut(InvoiceReceiptCheck(clarified = Some(true)))
  lazy val NotApproveInvoiceUT =
    ApproveInvoiceUT
            .withOut(ApproveInvoice(false))  
    ...
    scenario(`Invoice Receipt with Review`)(
      NotApproveInvoiceUT,
      subProcess(`Review Invoice`)(
        AssignReviewerUT,
        ReviewInvoiceUT // do clarify
      ),
      ApproveInvoiceUT, // now approve
      PrepareBankTransferUT
    )
    ...

In this example we have a ProcessScenario with the name Invoice Receipt with Review. The first Step has the name NotApproveInvoiceUT.

Use descriptive variable names. If you use special characters, you need to use backticks, like:

lazy val `Invoice Receipt with Review` = ...

These names are then used in the output Log:

simulation_outputNaming

Configuration

The following is the default configuration:

case class SimulationConfig[B](
       // define tenant if you have one
       tenantId: Option[String] = None,
       // the Camunda Port
       // there are Requests that wait until the process is ready - like getTask.
       // the Simulation waits 1 second between the Requests.
       // so with a timeout of 10 sec it will try 10 times (retryDuration = 1.second)
       maxCount: Int = 10,
       // REST endpoint of Camunda
       endpoint: String = "http://localhost:8080/engine-rest",
       // you can add authentication with this - default there is none.
       // see BasicSimulationDsl / OAuthSimulationDsl for examples
       authHeader: B => B = (b: B) => b,
       // the maximum LogLevel you want to print the LogEntries.
       logLevel: LogLevel = LogLevel.INFO
   )

You can easily override it in your Simulation:

  override implicit def config =
    super.config
      .withPort(8034)
      .withLogLevel(LogLevel.DEBUG)

Scenarios

The following chapters explain the different scenario types:

Process Scenarios

scenario

An end to end simulation of one process path.

...
scenario(PROCESS)
scenario(PROCESS)(
  INTERACTIONS
)
...

Example:

...
scenario(`Invoice Receipt with Review`)(
  NotApproveInvoiceUT,
  subProcess(`Review Invoice`)(
    AssignReviewerUT,
    ReviewInvoiceUT // do clarify
  ),
  ApproveInvoiceUT, // now approve
  PrepareBankTransferUT
)
...

incidentScenario

To simulate a process that stops due an incident needs a special treatment as it never finishes.

...
incidentScenario(
  PROCESS,
  INCIDENT_MESSAGE
)
incidentScenario(
  PROCESS,
  INCIDENT_MESSAGE
)(
  INTERACTIONS
)
...

Additional to the scenario we need to define:

Example:

...
incidentScenario(
  `Invoice Receipt that fails`,
  "Could not archive invoice..."
)(
  ApproveInvoiceUT,
  PrepareBankTransferUT
)
...

badScenario

Yet another case is if the process never gets started. For example you validate the input variables and they fail. In this case Camunda throws an Error. To handle this we need to do the following:

...
badScenario(
  PROCESS,
  HTTP_STATUS,
  ERROR_MESSAGE
)
...

Example:

...
badScenario(
  BadValidationP,
  500,
  "Validation Error: Input is not valid: DecodingFailure(Missing required field, List(DownField(creditor)))"
)
...

DMN Scenario

Camundala uses the Evaluate Decision REST API from Camunda.

simulate (
    scenario(InvoiceAssignApproverDMN)
)
// OR
simulate (
  InvoiceAssignApproverDMN // scenario is created automatically
)

As this is a single request, all you need is to add your DMN description you did with the BPMN DSL.

See Business Rule Tasks (Decision DMNs)

The simulation does the following steps:

The Example:

We have the following DMN definition (bpmn):

lazy val InvoiceAssignApproverDMN = collectEntries(
  decisionDefinitionKey = "example-invoice-c7-assignApprover",
  in = SelectApproverGroup(),
  out = Seq(ApproverGroup.management),
  descr = "Decision Table on who must approve the Invoice.",
)

This uses the following Inputs and outputs (domain):

case class SelectApproverGroup(
                                      amount: Double = 30.0,
                                      invoiceCategory: InvoiceCategory = 
                                        InvoiceCategory.`Software License Costs`
                              )

@description("These Groups can approve the invoice.")
enum ApproverGroup :
  case accounting, sales, management

At time of writing, there is no replacement in Camunda 8 for this.

Start Scenario with message

It is also possible to send a message to a process with a Start Message Event.

...
scenario(PROCESS.startWithMsg)
scenario(PROCESS.startWithMsg)(
  INTERACTIONS
)
...

All that is needed is to postfix the process with .startWithMsg.

Ignore a Scenario

You can ignore a scenario by just prefix your Scenario with ignore.

Examples:

simulate (
    ignore.scenario(`Review Invoice`)(
      AssignReviewerUT,
      ReviewInvoiceUT
    ),
    ignore.incidentScenario(
      `Invoice Receipt that fails`,
      "Could not archive invoice..."
    )(
      ApproveInvoiceUT,
      PrepareBankTransferUT
    ),
    ignore.scenario(InvoiceAssignApproverDMN),
    ignore.badScenario(
      BadValidationP,
      500,
        "Validation Error: Input is not valid: DecodingFailure(Missing required field, List(DownField(creditor)))"
    ),
)

An ignored Scenario will create a Warning in the output Log, like this:

simulation_outputIgnore

Ignore all Scenarios

If you want to ignore all the Scenarios you can 'ignore' the Simulation like:

  ignore.simulate(
    scenario(...),
    scenario(...),
  )

Only a Scenario

You can run only a scenario at the time by just prefix your Scenario with only.

Examples:

simulate (
    scenario(`Review Invoice`)(
      AssignReviewerUT,
      ReviewInvoiceUT
    ),
    only.incidentScenario(
      `Invoice Receipt that fails`,
      "Could not archive invoice..."
    )(
      ApproveInvoiceUT,
      PrepareBankTransferUT
    ),
    scenario(InvoiceAssignApproverDMN)
)

An only Scenario will create a Warning for all other Scenarios as they are ignored.

Steps

This is a List with Process Interactions like User Task, Receive Message Event or Receive Signal Event. Each Interaction is simply the Activity you define with the BPMN DSL.

...
scenario(PROCESS)(
  STEP1,
  STEP2,
  ...
)
...

See example in Process Scenarios.

Sub Process (Call Activity)

A special case are sub processes. If your process contains sub processes, there are the following possibilities:

This only works for one hierarchy of sub processes. When you have more complex sub processes, you must mock them.

Validation

The simulation uses your BPMN DSL objects not just to run the process and its interactions. It also uses the the input- and output domain objects to validate variables of the process.

// domain classes
case class InvoiceReceipt(
  creditor: String = "Great Pizza for Everyone Inc.",
  amount: Double = 300.0,
  ...
)
case class ApproveInvoice(
   approved: Boolean = true
)
...
// bpmn object
process(
  id = "example-invoice-c7-review",
  descr = "This starts the Review Invoice Process.",
  in = InvoiceReceipt(),
  out = InvoiceReviewed()
)

Each attribute of the in/out-objects represents a variable on the process.

The exact usage of the BPMN DSL objects differ slightly:

Process

User Task

Receive Message Event

Receive Signal Event

Test Overrides

There may be lots of variables to test or you first just want to develop the process. In this case you can override the validation with the domain objects.

...
scenario(WithOverrideScenario)(
  `ApproveInvoiceUT with Override`,
  PrepareBankTransferUT
)
...
private lazy val WithOverrideScenario =
  `Invoice Receipt with Override`
        .exists("approved")
        .notExists("clarified")
        .isEquals("approved", true)

private lazy val `ApproveInvoiceUT with Override` =
  ApproveInvoiceUT
          .exists("amount")
          .notExists("amounts")
          .isEquals("amount", 300.0)

As you see in this example, you can simply add checks. Now only these checks are run by the validation.

The following overrides are provided (for now):

exists

  .exists(VARIABLE_NAME)

A variable with this VARIABLE_NAME must exists.

notExists

  .notExists(VARIABLE_NAME)

A variable with this VARIABLE_NAME must not exists.

isEquals

  .isEquals(VARIABLE_NAME, VARIABLE_VALUE)

A variable with this VARIABLE_NAME must have the value VARIABLE_VALUE.

hasSize

For collections:

  .hasSize(VARIABLE_NAME, VARIABLE_VALUE_SIZE)

A variable with this VARIABLE_NAME must be a collection with the size VARIABLE_VALUE_SIZE.

For DMN ResultList and CollectEntries:

  .hasSize(VARIABLE_VALUE_SIZE)

A DMNs result must be a collection with the size VARIABLE_VALUE_SIZE.

contains

For collections:

  .contains(VARIABLE_NAME, VARIABLE_VALUE)

A variable with this VARIABLE_NAME must be a collection and one of its values must have the VARIABLE_VALUE.

For DMN ResultList and CollectEntries:

  .contains(VARIABLE_VALUE)

A DMNs result must be a collection and one of its values must have the VARIABLE_VALUE.

Read the Results

During execution and checking the results some of the results are printed on the console. The most important stuff is then gathered during the Simulation and printed grouped by the Simulation and Scenario.

The reason that there are some logs during execution, is that we used Gatling earlier. So the core still is not migrated to the new Simulation, that gathers all the logs and prints it nicely at the end.

Simulations Overview

If you run more than one Simulation (sbt It/test), each Simulation is printed with the Scenario overview. At the end all Simulation that failed are listed.

Scenarios Overview

Result is different

The expected value does not match the value of the process.

Example:

!!! The expected value 'CString(hello,String)' of someOut does not match the result variable 'CString(other,String)'.
 List(CamundaProperty(.., CamundaProperty(simpleEnum,CString(One,String)), CamundaProperty(someValue,CString(hello,String)), ...))

It always lists all Variables of the Process below the message.

Result is missing

This is for optional variables, where you expect a value, but in the process there is no such variable.

Example:

!!! The expected value 'CString(hello,String)' of someOut does not match the result variable 'CNull'.
 List(CamundaProperty(.., CamundaProperty(simpleEnum,CString(One,String)), CamundaProperty(someValue,CString(hello,String)), ...))

Result is not expected

This is for optional variables you have set to None, but in the process such a variable exists.

Example:

!!! The expected value 'CNull' of someOut does not match the result variable 'CString(hello,String)'.
 List(CamundaProperty(.., CamundaProperty(simpleEnum,CString(One,String)), CamundaProperty(someValue,CString(hello,String)), ...))

Timing

The interactions with a process are time relevant. For example you only can interact with a User Task if the process is actually at that User Task.

For this we check every second if the process is ready. The time on how long it should check can be configured. See maxCount in Configuration. Whenever this timeout is reached, it throws an exception and the scenario has failed.

Here an example output:

simulation_timeout

Depending on the interaction, we have the following strategies:

Process

To check the variables of a process, the process must be finished. It checks if the state of the process is COMPLETED.

User Task

It simple tries until there is a User Task in the process available. If there are more than one, it just takes the first one.

Receive Message Event

We try to correlate the message until it is successful. This works as Camunda tries to correlate a message to exactly one Receive Message Event (we use the processInstanceId).

Receive Signal Event

The way of Correlate Messages does not work for Signals, as they are fire and forget. So you need to add an attribute with a certain value, we can check.

scenario(signalExampleProcess) (
  signalExample
  .waitFor("signalReady", true),
)

Just add the postfix .waitFor(WAITFOR_VARIABLE_NAME, WAITFOR_VARIABLE_VALUE) to the BPMN Signal definition. In your process you must now set this variable with the according value, when the process is at this event.

This is also possible for Receive Message Event. If you do not define it for Receive Signal Event it takes the default value waitForSignal and checks if it is true.

Timer Event

You can execute an intermediate timer event immediately.

scenario(timerExampleProcess) (
  timerExample
    .waitFor("timerReady", true),
)

Concrete wait time

If you have a use case that is easier to just wait a bit (not recommended;), you can just add this step

scenario(signalExampleProcess) (
  waitFor(2),
  nextUserTask,
)

This will wait for 2 seconds.

Mocking

Mocking is handled directly in the processes itself.

So depending on the pattern you provide, you need to provide this logic in your process.

In the future we will provide helpers that supports these patterns.

We defined the following two Patterns.

Just return the mocked Output

As you specify each Output of a Process, you just can use them for Mocking.

In our Invoice example, the process Invoice Receipt uses the Review Invoice process.


### Mock the wrapped Service Response.

## Load Testing
@:callout(info)
At the moment this is not supported.
@:@