Intermediate tutorial
In this tutorial, we'll step through examples to highlight the capabilities of the Camunda 8 API, such as deploying resources, creating and starting a process instance, and viewing a process instance by its key.
This tutorial is intended for intermediate users of the Camunda 8 API, using more sophisticated API calls and multipart requests. If you are new to the Camunda 8 API, we recommend starting with the beginner tutorial.
Prerequisites
Requirement | Description |
---|---|
Create a cluster | If you haven't done so already, create a cluster. |
Create your first client | Upon cluster creation, create your first client. Ensure you check the Zeebe client scope box. Make sure you keep the generated client credentials in a safe place. The Client secret will not be shown again. For your convenience, you can also download the client information to your computer. |
Clone the GitHub repository | In this tutorial, we use a JavaScript-written GitHub repository to write and run requests. Clone this repo before getting started. |
Prepare resources | The first request we will run is a request to deploy one or more resources (such as processes, decision models, or forms). For the purposes of this tutorial, we have preconfigured a BPMN diagram and converted this into XML. This diagram, calculate-sales-tax.bpmn , can be found in the GitHub repository above within the resources folder. The BPMN diagram itself represents a process to calculate the total sales tax for a given purchase. You can take a closer look at this diagram by opening it in Modeler. |
Node.js | Ensure you have Node.js installed as this will be used for methods that can be called by the CLI (outlined later in this guide). Run npm install to ensure you have updated dependencies. |
Authenticate | You need authentication to access the API endpoints. Find more information in Camunda 8 authentication, and the section below. |
Set up authentication
If you're interested in how we use a library to handle auth for our code, or to get started, examine the auth.js
file in the GitHub repository. This file contains a function named getAccessToken
which executes an OAuth 2.0 protocol to retrieve authentication credentials based on your client ID and client secret. Then, we return the actual token that can be passed as an authorization header in each request.
To set up your credentials, create an .env
file which will be protected by the .gitignore
file. Add the following environment variables:
CAMUNDA_CLIENT_ID
CAMUNDA_CLIENT_SECRET
CAMUNDA_REST_ADDRESS
(after creating a client and downloading the .env variables, this is reflected in the Console UI asZEEBE_REST_ADDRESS
)CAMUNDA_TOKEN_AUDIENCE
(represented asZEEBE_TOKEN_AUDIENCE
in the Console UI), which iszeebe.camunda.io
in a Camunda 8 SaaS environment. For example, your audience may be defined asCAMUNDA_TOKEN_AUDIENCE=zeebe.camunda.io
.
These keys will be consumed by the auth.js
file to execute the OAuth protocol, and should be saved when you generate your client credentials in prerequisites.
See the existing .env.example
file for an example of how your .env
file should look upon completion. Do not place your credentials in the .env.example
file, as this example file is not protected by the .gitignore
.
In this tutorial, we will execute arguments to deploy a resource, create and start a process instance, and view a process instance by its key. You can examine the framework for processing these arguments in the cli.js
file before getting started.
Deploy resources (POST)
First, let's script an API call to deploy a resource.
To do this, take the following steps:
- In the file named
camunda-process-instances.js
, outline the authentication and authorization configuration in the first few lines. This will pull in your.env
variables to obtain an access token before making any API calls:
const authorizationConfiguration = {
clientId: process.env.CAMUNDA_CLIENT_ID,
clientSecret: process.env.CAMUNDA_CLIENT_SECRET,
// These settings come from your .env file. Note that CAMUNDA_TOKEN_AUDIENCE is represented by ZEEBE_TOKEN_AUDIENCE in the Console UI.
audience: process.env.CAMUNDA_TOKEN_AUDIENCE,
};
- Examine the function
async function deployResources()
below this configuration. This is where you will script out your API call. - Within the function, you must first generate an access token for this request, so your function should now look like the following:
async function deployResources() {
const accessToken = await getAccessToken(authorizationConfiguration);
}
- Using your generated client credentials from prerequisites, capture your Camunda 8 REST API URL beneath your call for an access token by defining
camundaApiUrl
:
const camundaApiUrl = process.env.CAMUNDA_REST_ADDRESS;
- On the next line, script the API endpoint to list the existing roles:
const url = `${camundaApiUrl}/deployments`;
- We will now configure the variables representing the BPMN file and its form data. This may look different depending on which resources you choose to deploy, but reflects the block-scoped local variables and append method to insert a set of objects for the BPMN resource of this tutorial:
const formData = new FormData();
// Read the BPMN file and add it to the form data
const bpmnFilePath = path.resolve("resources/calculate-sales-tax.bpmn");
const fileContent = fs.readFileSync(bpmnFilePath);
formData.append("resources", fileContent, {
filename: "calculate-sales-tax.bpmn",
contentType: "application/xml",
});
The resources
name must be exact according to the API requirements, the path to the file (const bpmnFilePath = path.resolve("resources/calculate-sales-tax.bpmn");
) must be correct, and contentType
must be application/xml
to ensure the upload will not fail.
- Configure your POST request to the appropriate endpoint, including an authorization header based on the previously acquired
accessToken
:
const options = {
method: "POST",
url,
headers: {
Accept: "application/json",
Authorization: `Bearer ${accessToken}`,
...formData.getHeaders(),
},
data: formData,
};
- Call the endpoint, process the results from the API call, and emit an error message from the server if necessary:
try {
const response = await axios(options);
const deployedResources = response.data.deployments;
// Emit deployed resources
deployedResources.forEach((x) =>
console.log(
`Process Definition Key: ${x.processDefinition.processDefinitionKey}; Process Definition Id: ${x.processDefinition.processDefinitionId}`
)
);
} catch (error) {
// Emit an error from the server.
console.error(error.message);
}
- In your terminal, run
node cli.js processInstances deploy
.
This deploy
command is connected to the deployResources
function at the bottom of the camunda-process-instances.js
file, and executed by the cli.js
file. While we will work with roles in this tutorial, you may add additional arguments depending on the API requests you want to make.
The existing process definition key and ID will now output. If you have an invalid API name or action name, or no arguments provided, or improper/insufficient credentials configured, an error message will output as outlined in the cli.js
file.
Create and start a process instance (POST)
To create and start a process instance based on the process instance key obtained in the request above, take the following steps:
- Outline your function, similar to the steps above:
async function createInstance([processDefinitionKey]) {
const accessToken = await getAccessToken(authorizationConfiguration);
const camundaApiUrl = process.env.CAMUNDA_REST_ADDRESS;
const url = `${camundaApiUrl}/process-instances`;
}
- Configure the API call:
const options = {
method: "POST",
url,
headers: {
Accept: "application/json",
Authorization: `Bearer ${accessToken}`,
},
data: {
processDefinitionKey: processDefinitionKey,
variables: {
total: 90.0,
},
},
};
The request will succeed if the variable names are different, but the process instance itself will not function as expected.
- Process the results from the API call. For example:
try {
const response = await axios(options);
const processInstance = response.data;
console.log(`Process Instance Key: ${processInstance.processInstanceKey}`);
} catch (error) {
console.error(error.message);
}
- In your terminal, run
node cli.js processInstances create <key>
, where<key>
is the process definition key. TheprocessInstanceKey
will now display in the output. Capture this key for a future method.
Retrieve a process instance (GET)
To retrieve a process instance by the process instance key, take the following steps:
- Outline your function, similar to the steps above:
async function viewInstance([processInstanceKey]) {
const accessToken = await getAccessToken(authorizationConfiguration);
const camundaApiUrl = process.env.CAMUNDA_REST_ADDRESS;
const url = `${camundaApiUrl}/process-instances/${processInstanceKey}`;
}
- Configure the API call:
const options = {
method: "GET",
url,
headers: {
Accept: "application/json",
Authorization: `Bearer ${accessToken}`,
},
};
- Process the results from the API call. For example:
try {
const response = await axios(options);
const results = response.data;
console.log(
`Process instance name: ${results.processDefinitionName}; State: ${results.state};`
);
} catch (error) {
console.error(error.message);
}
- In your terminal, run
node cli.js processInstances view <key>
, where<key>
is the process instance key. TheprocessDefinitionName
andstate
will then display in the output.
Troubleshooting
Having trouble configuring your API calls or want to examine an example of the completed tutorial? Navigate to the completed
folder in the GitHub repository, where you can view an example camunda-process-instances.js
file.
Next steps
You can script several additional API calls as outlined in the Camunda 8 API reference material.