Learn how to use Real-Time Tasks (RTTasks).
PREMIUM FEATURE BETA
- Recommended
- This guide will help you integrate RTTasks into your application. If you're new to RTTasks or want to better understand how they work, refer to the following resources:
- Read the Real-Time Tasks concept page for an overview
- Explore the RTTasks examples in the C++ Sample Apps, beginning with HelloRTTasks
- Review the RTTaskFunctions folder included with the C++ examples
🔹 Understand the architecture
Before writing code, make sure you understand how the pieces fit together:
- RTTaskManager (Firmware) – Distributed with RMP, the manager runs inside the real-time operating system, loads the RTTaskFunctions library, and schedules the functions according to their configured periods and priorities.
- RTTask (Execution Unit) — Represents an individual real-time function instance managed by the RTTaskManager. Each task runs at a defined priority and period.
- RTTaskFunctions library (Real-Time Logic) – This C++ project produces a shared library of deterministic task functions and the accompanying GlobalData definition. It cannot run on its own. The RTTaskManager loads and executes the functions from this library at runtime as RTTask's.
- GlobalData (Shared Memory Bridge) — A structured data block defined in the RTTaskFunctions project that both environments can safely access. RTTasks read or write GlobalData members inside the real-time loop, while the user application reads or updates those values from the host side using the RealTimeTasks API.
- User application – Runs in the non-real-time environment using RapidCode (C++, C#, or Python) or RapidCodeRemote (any gRPC-capable language). It communicates with the RTTaskManager to submit, monitor, and control tasks. It can also read and write to GlobalData through methods in the RealTimeTasks API. All high-level logic remains here, outside the real-time environment.
Keeping these boundaries clear prevents common mistakes and confusion. The RTTaskFunctions example project used in this guide defines the RTTaskFunctions library and the GlobalData. It will not be runnable on its own. You will need to start the RTTaskManager separately and submit the tasks to it. You can start the RTTaskManager through the RealTimeTasks API, rsiconfig, or the command line. For more information on using the RealTimeTasks API refer to the Real-Time Tasks concept page.
🔹 Prerequisites
Before generating or building Real-Time Tasks, make sure your development environment meets these requirements:
- Windows hosts:
- Visual Studio 2022 with the “Desktop development with C++” workload and CMake integration component (“C++ CMake tools for Windows”).
- Install either the INtime Runtime (CDEV) or the INtime SDK if you plan to deploy or run RTTasks on an INtime node. Without either you can still build and test RTTasks on Windows, but it will not have real-time performance.
- Linux hosts:
- A recent GCC or Clang toolchain.
- The distribution’s standard build tools (for example, install build-essential on Debian/Ubuntu).
- CMake 3.15 or newer
For environment setup and Visual Studio generator scripts, see the C++ Sample Apps guide. For conceptual background and runtime behavior, refer to the Real-Time Tasks concept page.
🔹 Quickstart
To get up and running quickly, follow these steps:
- Copy the RTTaskFunctions (found in the examples folder) into your project
- Add any required global variables to src/rttaskglobals.h
- Define your task functions in src/rttaskfunctions.cpp, using Increment as a template
- Build the shared library using CMake
- In your application, create a RTTaskManager and use TaskSubmit to launch your tasks from the shared library
For a more detailed walkthrough, continue below.
🔹 Set up your project
The examples folder in your RMP installation includes a CMake project called RTTaskFunctions. This serves as a starting point for building a shared library containing RTTask functions. Copy this folder into your project directory and rename it appropriately.
Here is an overview of the key files:
Directory Structure
RTTaskFunctions/
├── CMakeLists.txt # CMake setup for building the shared library
└── src/
├── rttaskglobals.h # Defines Global variables
└── rttaskfunctions.cpp # Task function implementations
How it works
The template project takes all the source files (.h, .cpp) in the src/ directory and compiles them into a shared library for the target platform (Windows/INtime or Linux). It automatically includes the RMP headers, links the RMP libraries, and applies necessary configuration for use with RTTasks. The output is a .dll/rsl/.so file that will be loaded by the RTTaskManager. There is no standalone executable produced by this project, so you must launch a manager instance separately.
By default, the resulting library is named RTTaskFunctions and is output to the default RMP install directory (e.g., /rsi or C:/RSI/X.X.X). If these paths or names are modified, you must specify them explicitly when submitting a task from your application. Otherwise, they will be discovered automatically.
If you want to change any of the default behavior or are interested in learning more about how it works, then look at the CMakeLists.txt located in the root of the project folder.
🔹 Create an RTTask functions library
In this guide, you’ll build a simple application that moves an axis based on the value of an analog input. It will use one global variable and two RTTasks. The first task, CalculateTarget, reads the analog input and calculates a target position, storing it in the global variable targetPosition. The second task, FollowTarget, moves the axis to the specified target.
Create a global variable
Open src/rttaskglobals.h. This file is where the global variables are defined and registered before being exposed to the host through RealTimeTasks API.
To add a new global of type double called targetPosition:
- Add RSI_GLOBAL(double, targetPosition) to the GlobalData struct
- Add REGISTER_GLOBAL(targetPosition) to the GlobalMetaDataMap
The result should be:
struct GlobalData
{
GlobalData() { std::memset(this, 0, sizeof(*this)); }
GlobalData(GlobalData&& other) { std::memcpy(this, &other, sizeof(*this)); }
RSI_GLOBAL(int64_t, counter);
RSI_GLOBAL(double, average);
RSI_GLOBAL(double, targetPosition);
};
inline constexpr GlobalMetadataMap<RSI::RapidCode::RealTimeTasks::GlobalMaxSize> GlobalMetadata(
{
REGISTER_GLOBAL(counter),
REGISTER_GLOBAL(average),
REGISTER_GLOBAL(targetPosition),
});
Create a task function
Open src/rttaskfunctions.cpp. This is the file where the task functions are defined. A task function must follow this template:
LIBRARY_EXPORT void FunctionName(GlobalData* data)
{
...
}
We will add a new task function called CalculateTarget that will read the analog input, scale it to a value between 0 and 1, and store it in the global created in the previous step.
LIBRARY_EXPORT void CalculateTarget(GlobalData* data)
{
constexpr int NODE_INDEX = 0;
constexpr int ANALOG_INDEX = 0;
constexpr int ANALOG_MAX = 65536;
constexpr int ANALOG_ORIGIN = 42800;
if (networkNodes[NODE_INDEX] != nullptr)
{
int32_t analogInVal = networkNodes[NODE_INDEX]->AnalogInGet(ANALOG_INDEX);
int32_t shiftedVal = analogInVal - ANALOG_ORIGIN;
int32_t modVal = (shiftedVal + ANALOG_MAX) % ANALOG_MAX;
data->targetPosition = double(modVal) / ANALOG_MAX;
}
}
Then we will add another task function called FollowTarget that will move the axis towards the target position.
LIBRARY_EXPORT void FollowTarget(GlobalData* data)
{
constexpr int AXIS_INDEX = 1;
constexpr double TOLERANCE = 0.02;
if (axes[AXIS_INDEX] != nullptr)
{
if (abs(axes[AXIS_INDEX]->ActualPositionGet() - data->targetPosition) > TOLERANCE)
{
axes[AXIS_INDEX]->MoveSCurve(data->targetPosition);
}
}
}
Once the task functions have been added, build the project to produce a new shared library. Deploy the library to the target machine alongside the RMP runtime so that the RTTaskManager can discover it.
🔹 Launch your tasks
In your user application, written in C++, C#, or Python with RapidCode, or in any gRPC-capable language using RapidCodeRemote, create an RTTaskManager instance after configuring your RapidCode objects. Submit your tasks to the manager, which will load the shared library built in the previous steps. You can also start the manager from utilities like rsiconfig if you prefer to manage tasks outside of application code.
RTTaskManagerCreationParameters parameters;
std::snprintf(parameters.RTTaskDirectory,
RTTaskManagerCreationParameters::DirectoryLengthMaximum,
RMP_INSTALL_PATH);
parameters.Platform = PlatformType::INtime
std::snprintf(parameters.NodeName,
RTTaskManagerCreationParameters::NameLengthMaximum,
"NodeA");
parameters.CpuCore = 3;
std::shared_ptr<RTTaskManager> manager(RTTaskManager::Create(parameters));
Next, run the Initialize task one time, to get access to RapidCode objects and initialize your global variables.
RTTaskCreationParameters initParams("Initialize");
params.Repeats = RTTaskCreationParameters::RepeatNone;
std::shared_ptr<RTTask> initTask(manager->TaskSubmit(initParams));
constexpr int timeoutMs = 5000;
initTask->ExecutionCountAbsoluteWait(1, timeoutMs);
Then submit the tasks created in the previous section.
RTTaskCreationParameters calcParams("CalculateTarget");
calcParams.Repeats = RTTaskCreationParameters::RepeatForever;
calcParams.Period = 10;
std::shared_ptr<RTTask> calcTask(manager->TaskSubmit(calcParams));
calcTask->ExecutionCountAbsoluteWait(1);
RTTaskCreationParameters followParams("FollowTarget");
followParams.Repeats = RTTaskCreationParameters::RepeatForever;
followParams.Period = 10;
std::shared_ptr<RTTask> followTask(manager->TaskSubmit(followParams));
While your tasks are running, you can use RTTask::StatusGet and RTTaskManager::GlobalValueGet to monitor your tasks.
FirmwareValue value = manager->GlobalValueGet("targetPosition");
std::cout << "Target position: " << value.Double << std::endl;
At the end of your program, stop the tasks and manager.
followTask->Stop();
calcTask->Stop();
manager->Shutdown();