Skip to main content
Version: 8.5

Extending human task management in Camunda 7

Camunda 7 only

This best practice targets Camunda 7.x only and is an appendum to understanding human task management.

The Camunda 7 task lifecyle

Do not show the lifecycle of user tasks in the process model, they are generic and common to all processes and so can be controlled by using the Camunda BPM task lifecycle features.

Task lifecycle

  • Create: New tasks are normally created as part of process execution, but can be created by a user action, too (as standalone tasks). taskService.newTask()
  • Set Candidate: Typically candidates are initially set to groups of people as part of process execution, but can be requested by API, too. taskService.addCandidateGroup(taskId, groupId)
  • Claim: Individual members of a candidate group assign themselves to tasks when working on them.taskService.claim(taskId, userId)
  • Unclaim: Individual assignees unassign themselves and move a task back to the candidates.taskService.claim(taskId, null)
  • Assign: Directly assign a specific individual either as part of process execution, or because explicitly requested by API. taskService.setAssignee(taskId, userId)
  • Reassign: Individual assignees may want to hand over a task to somebody else. taskService.setAssignee(taskId, userId)
  • Delegate: Individual assignees may want to delegate (part of) the work: ask somebody else to resolve (part of) the work in order to pass the task back subsequently. taskService.delegateTask(String taskId, String userId)
  • Resolve: After having resolved the requested work individual assignees will want to pass a delegated task back to the owner: the original assignee. taskService.resolveTask(String taskId)
  • Complete: This is how you would close the work on a task and asking the process execution to move on taskService.complete(String taskId, String userId)

Typical use cases

Handing over tasks directly to other people

You can always hand over a task assigned to you simply by changing the assignee. This means that the new assignee is now responsible and supposed to carry out the task all by themselves.

taskService.setAssignee(taskId, "kermit");

This can also be achieved via the Camunda tasklist:

Task assignment

Delegating tasks to other people

Delegate a task assigned to you by using Camunda "delegateTask". This means that somebody else is supposed to resolve (some of) the work and then pass the task back to you by resolving it. The original assignee is remembered as the "owner" of the task. A typical example is decision support: Some other employees collect information in order to prepare a decision, but the original assignee has to take that decision.

Even if the engine does not enforce that a delegated task can be directly completed, we recommend that you not allow this if you use delegation. The task should always be resolved and then later completed by the owner. That's why there is no transition from "DELEGATED" to "COMPLETED" in the lifecycle shown.

taskService.delegateTask(taskId, "gonzo");
// and later
taskService.resolveTask(taskId);

Notifying people about their tasks

You might want to notify people about new tasks (e.g. via email). Do this by implementing a Camunda TaskListener, like shown in this example.

When you want to have this functionality for every user task you can use a ParseListener which adds it everywhere, so you don't have to adjust the BPMN model. Refer to BPMN Parse Listener to observe how this can be done.

Following up on tasks after some time

Follow up on tasks after some definable time by using Camunda's Follow Up Date field and use it in connection with filtering tasks.

You can set a calculated follow-up date by using a JUEL expression in your BPMN file

<bpmn:userTask id="Check payment" camunda:followUpDate="${paymentService.getFollowUpDate()}"/>

You can set a follow-up date, that may be requested by the user, using the Java API

task.setFollowUpDate(myDate);

Now you can use a task filter with criteria checking the follow-up date and if it is due. This can be leveraged via API or in the Camunda Tasklist.

Follow up filter

Enforcing deadlines for tasks

There are different ways of enforcing deadlines for Human Tasks. Typical actions for overdue tasks are:

  • Sending reminder mails
  • Changing the assignee/group
  • Creating a standalone task for a manager
Explicit modeling in BPMNFiltering due tasksQuerying due tasks and take actionTimeout task event
Showing an escalation process path in your BPMN model (observe the example below)Setting the Due Date field to easily filter for overdue tasksSetting the Due Date field, querying it on a regular basis and take arbitrary actionsImplement a timeout event listener and configure it in the process model
ExplicitImplicitImplicitImplicit
Bulk actions possible (e.g. one mail with a list of all due tasks)yes
No custom component requiredyesyesQuerying has to be done by external trigger or BPMN processyes
Use whenThe escalation is business relevant and has to be visible in the process modelOverdue tasks can be easily monitored via tasklist application, actions are taken manuallySophisticated, automated actions should take placeA timely escalation mechanism is desired
Don’t use when…​Each and every User Task has a due date and explicit modeling would clutter your process modelYou need an action to be executed automaticallyYou do not want to run your own scheduling infrastructureThe escalation should be visible in the process model

Modeling an escalation

The following example shows how to explicitly model an escalation:

1

The model shows an explicit escalation process path: if the tweet does not get reviewed within an hour, the boss needs to be reminded about the laws of the internet age.

Filtering by due date

This example shows how you can calculate and set the Due Date field:

<bpmn:userTask id="Review tweet" camunda:dueDate="${dateTime().plusHours(1).toDate()}"/>

You can easily query for overdue tasks via API, e.g. all overdue tasks:

processEngine.getTaskService().createTaskQuery().dueBefore(new Date()).list();

Model timeout task event

This example shows how to model a timeout event on a user task:

<bpmn:userTask id="Task_1qdlz4w" name="Do something">
<bpmn:extensionElements>
<camunda:taskListener delegateExpression="${sendEmailReminderListener}" event="timeout" id="reminder-listener">
<bpmn:timerEventDefinition id="TimerEventDefinition_1an454y">
<bpmn:timeCycle xsi:type="bpmn:tFormalExpression">R/PT1H</bpmn:timeCycle>
</bpmn:timerEventDefinition>
</camunda:taskListener>
</bpmn:extensionElements>
</bpmn:userTask>

Every hour, the process engine will invoke the sendEmailReminderListener bean to send out an email. The bean can access all task and process attributes.

Enhancing task lists with business data

Allow users to filter their tasks by relevant business data. Display this data right inside the task list and not just when selecting a task form. To achieve this with acceptable performance, select the implementation approach appropriate for your needs.

Selecting an implementation approach

To enhance your tasklist with business data, select the implementation approach appropriate for your needs.

Camunda Process VariablesCamunda Native Query APICustom MyBatis MappingCustom Process or Task "InfoEntity"
Use simple process or task variables to store business data with tasks, often as an additional copy.Use a built-in query to enhance query performance when retrieving tasks filtered by business data.Use a custom database mapping to speed up retrieval of task data combined with business data.Use a custom database entity to store business data optimized for search and display.
Filter with Business Data as Simple Process Variablesyesyesyesyes
Filter with Business Data in Domain Databaseyesyesyes
Display Business Data from Domain Database(only via "copy as process variable")(only via "copy as process variable")yesyes
Development Effortout-of-the-boxlowhighhigh
No Dependency on Camunda Internalsyes(take care not to use hard coded table names)(take care not to use hard coded table names)yes
Required Know-HowSQLSQL, Apache MyBatis, Advanced CamundaDepends (e.g. JPA or JDBC)
Scaling / PerformanceLimited (~ 5-10 criteria)Medium (dep. on use case)Medium (dep. on use case)High (customized)
Out-of-the-box usage with Camunda Tasklistyes

Using Camunda process/task variables

Using plain and simple process or task variables to store business data has the big advantage that you can use the out-of-the-box mechanisms. Plain and simple means to only use primary data types (e.g. String, Long, ...). Especially when using Camunda Tasklist you can easily use process/task variables to

  • Show custom business data right inside the list, or
  • Use such variables for defining re-usable filters which narrow down your Tasklist items to the ones matching:

Process variables

Including derived or calculated values

In case you need dynamically calculated values or specific fields derived from complex datatypes/objects, you can achieve this by

  • using task variables as a kind of caching mechanism,
  • being filled by "calculating" the values using expression language
  • e.g. by means of an I/O Mapping of a User Task:
<task id="..." name="Create new payment">
<extensionElements>
<camunda:inputOutput>
<camunda:inputParameter name="paymentSum">${invoice.calculateSum()}</camunda:inputParameter> <!--1-->
<camunda:inputParameter name="creditorId">${invoice.creditorId}</camunda:inputParameter> <!--2-->
</camunda:inputOutput>
</extensionElements>
</task>
1

The total sum of the payment is calculated by calling a method on an invoice object and cached for search and display purposes.

3

The creditorId is copied into an own variable, so it can be used in filters or shown in the tasklist.

The disadvantage of using process or task variables is that this mechanism does not scale very well, as the process variables are stored in the generic Camunda database schema. This requires one row in the variable table for each variable, and all of them must be joined with the process instance table. The real limit is determined by the amount of data and the database used - but typically you cannot use more than 10 variables.

Using a special search variable

If you need variables only to search for tasks (but not to display attributes in the tasklist) you can use a simple workaround: Introduce one single process variable optimized for tasklist queries. Extract the attributes you need to filter your tasklist with and combine them to a single search string prepared to work with a SQL 'LIKE' query:

VariableTypeValue
customerId(Long)4711
customerName(String)camunda
customerPlace(String)Berlin
searchString(String)customerId=4711#customerName=camunda#customerPlace=Berlin

When defining your Camunda tasklist filter, use the searchString variable and search in it by means of a 'LIKE' query.

Using the Camunda native query API

When you need to filter your tasks by business data stored in your own tables, leverage the possibility to create native queries via the Camunda Java API. Native Queries are

  • expressed in SQL which is not limited to the Camunda Tables. However
  • the result is still mapped to the Camunda Task entity, so you do not have to dive into Apache MyBatis (the persistence framework used within Camunda).

This means you cannot load data from your domain objects by native queries, you simply can express arbitrary WHERE clauses. Example:

List<Task> tasks = taskService.createNativeTaskQuery()
.sql("SELECT * FROM #{taskTable} T"
+ "LEFT OUTER JOIN (select * from #{variablesTable} where NAME_= 'customerId') VAR_CUSTOMER"
+ " ON VAR_CUSTOMER.EXECUTION_ID_ = T.EXECUTION_ID_"
+ "LEFT OUTER JOIN CUSTOMER " // <1>
+ " ON CUSTOMER.ID_ = VAR_CUSTOMER.LONG_"
+ "WHERE CUSTOMER.COMPANY = #{companyName}")
.parameter("companyName", "camunda")
.parameter("taskTable", managementService.getTableName(Task.class)) // <2>
.parameter("variablesTable", managementService.getTableName(VariableInstance.class))
.list();
1

Using native queries allows you to directly join Camunda tables with custom Business Data Tables (held in the same database) while still retrieving Task.class typed result sets.

2

Make sure that you do not use hard coded table names to be less dependent on Camunda Internals. However, please note that the example still uses internal details, e.g. by using column names. Your queries or table/column name mappings would need to be adapted in case these internal details change.

Implementing a custom mybatis mapping

In case you want to not just filter tasklists for business data, but also load custom data from domain objects in one query you can implement your own MyBatis mapping and call it via custom code.

Even if this is a very powerful mechanism, we normally do not recommend it, as you need to understand quite a bit about MyBatis. It will be hard to completely avoid dependencies on the Camunda database schema. The database schema is considered internal, hence this also might impose additional maintenance effort in your project for new Camunda versions.

Implementing a custom process/task info entity

For maximal flexibility (and best performance possibilities), create a custom ProcessInstanceEntity and/or TaskEntity designed to filter tasklists and display business data.

Prefer a ProcessInstanceEntity over a TaskEntity as long as the business data you need is quite similar in between the different user tasks of a process definition. This way you avoid unnecessary database operations. If this is not the case you need to go for the TaskEntity as shown in the following example.

Process Instance Info

In this entity, combine the Camunda task.id with all your business attributes as separate columns. This allows to query for and display tasks without or with a minimum of SQL JOINs. Consider to use your entity now as a single source for displaying tasklists to your users - hence circumventing the Camunda TaskService Query API for that purpose completely.

Using this approach requires to synchronize your entity with the Camunda state.

If you target a TaskInfoEntity:

  • Create it via a TaskListener
  • Delete it via a Tasklistener

If you target a ProcessInstanceInfoEntity:

  • Create a new instance by an ExecutionListener on the process instance start event. The process instance id might not yet be known at this time. So either you create your own id and set it as a process variable (to SQL "join" on this later), or you can add a safe point before the listener triggers to make sure the process instance was committed to the database.

  • Decide when you have to update information in the entity, this depends on various factors (like amount of data, frequency of changes, way of changing data, ...).