Workflow in depth
  • 03 May 2023
  • 6 Minutes to read
  • Contributors
  • Dark
    Light

Workflow in depth

  • Dark
    Light

Article Summary

This article should give you a detailed introduction into the Workflow system. It will cover basic steps like the creation of a workflow and guide you from the editing till the final execution of a workflow.

Creation

(A) Workflows can be created and managed per company.
(B) To create an empty workflow, simply click on the (+) icon in the right upper corner.
(C) Select a Name and Display name. The Name must be unique and is limited in which characters you may use, it is used for calling it via the push API. The display name has no such restriction, use a good name to identify your workflows later on.

create-workflow.png

select-workflow-name-small.png

Editor

(A) On the left side you can see all your workflows and its current state. If your workflow contains no syntax error, a green checkbox is shown.
(B) Here it is possible to execute, configure and delete your workflow.
(C) You can write your workflow javascript code. The integrated workflow editor supports auto-completion and helps you to implement a ready-to-use workflow.
A workflow must always export a function run() and return a Promise. This is a minimal and working Hello World example. For more examples see templates.

export function run() {
  console.log("Hello World");
  return Promise.resolve(0);
}

(D) After executing a workflow a corresponding run is created with all produced results.
(E) When clicking on this button, the log for this Workflow run will be displayed, for more info see the next section.

manage-workflow.png

Log

As already mentioned, each workflow run contains a log. This log can be used to see what happens during the execution of a workflow. Some outputs will be provided by Combeenation, but the {{glossary.Platform user}} can also write logs with the provided Javascript functions:

  • console.debug()
  • console.info()
  • console.log()
  • console.warn()
  • console.error()
  • console.group()
  • console.endGroup()

A log output always contains a UTC time stamp and a corresponding message. An example log output can be seen here:

workflow-log.png

Configuration

To configure a workflow simply click on Edit config where it is possible to configure its display name, an optional scheduled execution and all required parameters.

workflow-config.png

Scheduled execution

Workflows can be executed manually within the combeenation platform or can be planned on a reoccuring interval. For enabling scheduled workflows, simply click on Add scheduling and define a suitable interval.
If the configuration is applied successfully, the next scheduled execution will be planned instantly and is executed in the future.

schedule-config.png

Keep in mind...

The minimal allowed timespan between each workflow runs is 1 hours.
All entered values are in UTC time.

Parameters

You can use a maximum number of 20 parameters to pass information into your workflow. Each parameter must have its own unique name and must contain a valid default value.
All different types of parameters can be added with the Add parameter button and can be imported into the workflow code as shown below.

import { isEnabled, count, articleName, bundle, file } from '@workflow/parameters'

As a result, the defined parameters are automatically loaded into the workflow run.

a) Bool

  • Name ... unique name of the parameter
  • Default value ... default value of the parameter
    bool-parameter.png

b) Number

  • Name ... unique name of the parameter
  • Default value ... default value of the parameter
    number-parameter.png

c) String

  • Name ... unique name of the parameter
  • Default value ... default value of the parameter
    string-parameter.png

d) Asset Bundle

You can use this parameter to make changes to an asset bundle, publish it and also publish configurators that use it. Choose an asset bundle that is assigned to a specific configurator.

Info

The workflow will always use the asset bundle version which is used by the configurator.
Updating asset bundles via workflows is only supported for published configurators.

  • Name ... unique name of the parameter
  • Configurator ... select the configurator which should be used
  • Bundle ... select the asset bundle from Configurator
    asset-bundle-parameter.png

e) File

  • Name ... unique name of the parameter
  • Url ... public URL where the file (i.e. data) is downloaded
  • Authorization scheme ... (optional) authorization scheme
  • Authorization parameter ... (optional) authorization parameter
  • Fallback content type ... (optional) fallback content type
Authorization Example

Some URLs are not available publicly, they can only be accessed if certain authorization credentials are provided.
The Authorization scheme and Authorization parameter settings map directly to the corresponding HTTP headers.
 
The Basic authentication scheme is frequently used by APIs that utilize API tokens or user/password credentials.
To set it up, enter Basic in the Authorization scheme textbox.
The value for Authorization parameter must be a Base64-encoded string of the form user:password (sometimes an API key is used instead of user information – consult your API's documentation for details).

file-parameter.png

HTTP

With the http keyword it is possible to perform various HTTP requests.
You can perform get, post, put, patch, head, options and delete requests.

Request config

You can configure your requests with the following optional request configuration.

const requestConfig = {
  // (optional) `baseURL` will be prepended to `url` 
  // It can be convenient to set `baseUrl` to pass relative URLs in http methods
  baseUrl: 'https://some-domain.com/api',

  // `headers` are custom headers to be sent
  headers: {'X-Requested-With': 'XMLHttpRequest'},

  // `auth` indicates that HTTP basic auth should be used, and supplies credentials.
  // This will set an `Authorization` header, overwriting any existing
  // `Authorization` custom headers you have set using `headers`.
  // Please note that only HTTP basic auth is configurable through this parameter.
  // For Bearer tokens and such, use `Authorization` custom headers instead.
  basicAuth: {
    username: 'janedoe',
    password: 's00pers3cret'
  }
}

Response

Every request returns the following generic response and gives you insights about the success of your request.

{
  // `data` is the response that was provided by the server
  // can be undefined in the error object
  data: {},

  // `status` is the HTTP status code from the server response.
  status: 200,

  // `headers` the HTTP headers that the server responded with.
  // All header names are lower cased and can be accessed using the bracket notation.
  // Example: `response.headers['content-type']`
  headers: {}
}

With the following code, you can print all values of a response:

function printResponse(response) {
  console.log("Status-Code: " + response.status);

  console.group("Start printing headers...");
  for (const key in response.headers) {
    console.log(`${key}: ${response.headers[key][0]}`);
  }
  console.groupEnd("Printing headers finished.");

  if (response.data !== undefined) {
    // `url` returns the URL of the retrieved data 
    console.log("Data URL: " + response.data.url);
    // `raw` string is only defined, if data is smaller than 1MB
    console.log("Data Raw: " + response.data.raw);
  }
}

Errors

If any error occured, a specialized error can be caught and processed in the returned promise. The error object has the following format:

{
  // can be undefined if no response was received, e.g. timeout
  response : {},
  
  // URL of the request
  url: "",
  
  // error message which describes the error
  message : ""
}

With the following code, you can print all values of an error object:

function printError(error) {
  console.error("Error occured: " + error);
  console.debug("Url: " + error.url);
  console.debug("Message: " + error.message);
  console.group("Start printing error response");
  printResponse(error.response);
  console.groupEnd();
}

Examples

All subsequent examples use the previously documented optional requestConfig and the printResponse and printError methods.

get

export function run() {
  return http.get(url, requestConfig).then((response) => {
      printResponse(response);
    })
    .catch((error) => {
      printError(error);
    });
}

post, put and patch

The following template can be used with post, put or patch requests mentioned requests.

Keep in mind

The content of requests must be provided as string.

export function run() {
  const content = {
    text: "HTTP request content of a workflow",
  };

  return http.post(url, JSON.stringify(content))
    .then(response => {
      printResponse(response);
    })
    .catch(error => {
      printError(error);
    });
}

head, options and delete

The following template can be used with the head, options and delete requests.

export function run() {
  return http.head(url, requestConfig)
    .then(response => {
      printResponse(response);
    })
    .catch(error => {
      printError(error);
    });
}

Was this article helpful?