Extending EMOS¶
EMOS is designed to be extended. This guide covers how to create custom components, deploy them as system services, use built-in services for live reconfiguration, and write robot plugins for hardware portability.
Creating Custom Components¶
Tip
To see detailed examples of packages built with EMOS, check out Kompass (navigation) and EmbodiedAgents (intelligence).
Note
Before building your own package, review the core design concepts.
Step 1 – Create a ROS 2 Package¶
Start by creating a standard ROS 2 Python package:
ros2 pkg create --build-type ament_python --license Apache-2.0 my-awesome-pkg
Step 2 – Define Your Component¶
Create your first functional unit (component) in a new file:
cd my-awesome-pkg/my_awesome_pkg
touch awesome_component.py
Step 3 – Setup Component Configuration¶
Extend BaseComponentConfig based on the attrs package:
from attrs import field, define
from ros_sugar.config import BaseComponentConfig, base_validators
@define(kw_only=True)
class AwesomeConfig(BaseComponentConfig):
"""
Component configuration parameters
"""
extra_float: float = field(
default=10.0, validator=base_validators.in_range(min_value=1e-9, max_value=1e9)
)
extra_flag: bool = field(default=True)
Step 4 – Implement the Component¶
Initialize your component by inheriting from BaseComponent. Code the desired functionality in your component:
from ros_sugar.core import ComponentFallbacks, BaseComponent
from ros_sugar.io import Topic
class AwesomeComponent(BaseComponent):
def __init__(
self,
*,
component_name: str,
inputs: Optional[Sequence[Topic]] = None,
outputs: Optional[Sequence[Topic]] = None,
config_file: Optional[str] = None,
config: Optional[AwesomeConfig] = None,
**kwargs,
) -> None:
# Set default config if config is not provided
self.config: AwesomeConfig = config or AwesomeConfig()
super().__init__(
component_name=component_name,
inputs=inputs,
outputs=outputs,
config=self.config,
config_file=config_file,
**kwargs,
)
def _execution_step(self):
"""
The execution step is the main (timed) functional unit in the component.
Gets called automatically at every loop step (with a frequency of
'self.config.loop_rate').
"""
super()._execution_step()
# Add your main execution step here
Follow this pattern to create any number of functional units in your package.
Step 5 – Create an Entry Point (Multi-Process)¶
To use your components with the EMOS Launcher in multi-process execution, create an entry point:
#!/usr/bin/env python3
from ros_sugar import executable_main
from my_awesome_pkg.awesome_component import AwesomeComponent, AwesomeConfig
# Create lists of available components/config classes
_components_list = [AwesomeComponent]
_configs_list = [AwesomeConfig]
# Create entry point main
def main(args=None):
executable_main(list_of_components=_components_list, list_of_configs=_configs_list)
Add the entry point to the ROS 2 package setup.py:
from setuptools import find_packages, setup
package_name = "my_awesome_pkg"
console_scripts = [
"executable = my_awesome_pkg.executable:main",
]
setup(
name=package_name,
version="1",
packages=find_packages(),
install_requires=["setuptools"],
zip_safe=True,
entry_points={
"console_scripts": console_scripts,
},
)
Build your ROS 2 package with colcon, then use the Launcher to bring up your system.
Step 6 – Launch with EMOS¶
Use the EMOS Launcher to bring up your package:
1from my_awesome_pkg.awesome_component import AwesomeComponent, AwesomeConfig
2from ros_sugar.actions import LogInfo
3from ros_sugar.events import OnLess
4from ros_sugar import Launcher
5from ros_sugar.io import Topic
6
7# Define a set of topics
8map_topic = Topic(name="map", msg_type="OccupancyGrid")
9audio_topic = Topic(name="voice", msg_type="Audio")
10image_topic = Topic(name="camera/rgb", msg_type="Image")
11
12# Init your components
13my_component = AwesomeComponent(
14 component_name='awesome_component',
15 inputs=[map_topic, image_topic],
16 outputs=[audio_topic]
17)
18
19# Create your events
20low_battery = Event(battery_level_topic.msg.data < 15.0)
21
22# Events/Actions
23my_events_actions: Dict[event.Event, Action] = {
24 low_battery: LogInfo(msg="Battery is Low!")
25}
26
27# Create your launcher
28launcher = Launcher()
29
30# Add your package components
31launcher.add_pkg(
32 components=[my_component],
33 package_name='my_awesome_pkg',
34 executable_entry_point='executable',
35 events_actions=my_events_actions,
36 activate_all_components_on_start=True,
37 multiprocessing=True,
38)
39
40# If any component fails -> restart it with unlimited retries
41launcher.on_component_fail(action_name="restart")
42
43# Bring up the system
44launcher.bringup()
Deploying as systemd Services¶
EMOS recipes can be easily deployed as systemd services for production environments or embedded systems where automatic startup and restart behavior is critical.
Once you have a Python script for your EMOS-based package (e.g., my_awesome_system.py), install it as a systemd service:
ros2 run automatika_ros_sugar create_service <path-to-python-script> <service-name>
Arguments¶
<path-to-python-script>: The full path to your EMOS Python script (e.g.,/path/to/my_awesome_system.py).<service-name>: The name of the systemd service (do not include the.serviceextension).
Example¶
ros2 run automatika_ros_sugar create_service ~/ros2_ws/my_awesome_system.py my_awesome_service
This installs and optionally enables a systemd service named my_awesome_service.service.
Full Command Usage¶
usage: create_service [-h] [--service-description SERVICE_DESCRIPTION]
[--install-path INSTALL_PATH]
[--source-workspace-path SOURCE_WORKSPACE_PATH]
[--no-enable] [--restart-time RESTART_TIME]
service_file_path service_name
Positional Arguments:
service_file_path: Path to the Python script to install as a service.service_name: Name of the systemd service (without.serviceextension).
Optional Arguments:
-h, --help: Show the help message and exit.--service-description SERVICE_DESCRIPTION: Human-readable description of the service. Defaults to"EMOS Service".--install-path INSTALL_PATH: Directory to install the systemd service file. Defaults to/etc/systemd/system.--source-workspace-path SOURCE_WORKSPACE_PATH: Path to the ROS workspacesetupscript. If omitted, it auto-detects the active ROS distribution.--no-enable: Skip enabling the service after installation.--restart-time RESTART_TIME: Time to wait before restarting the service if it fails (e.g.,3s). Default is3s.
What This Does¶
This command:
Creates a
.servicefile forsystemd.Installs it in the specified or default location.
Sources the appropriate ROS environment.
Optionally enables and starts the service immediately.
Once installed, manage the service with standard systemd commands:
sudo systemctl start my_awesome_service
sudo systemctl status my_awesome_service
sudo systemctl stop my_awesome_service
sudo systemctl enable my_awesome_service
Built-in Services for Live Reconfiguration¶
In addition to the standard ROS 2 Lifecycle Node services, EMOS components provide a powerful set of built-in services for live reconfiguration. These services allow you to dynamically adjust inputs, outputs, and parameters on-the-fly, making it easier to respond to changing runtime conditions or trigger intelligent behavior in response to events. Like any ROS 2 services, they can be called from other Nodes or with the ROS 2 CLI, and can also be called programmatically as part of an action sequence or event-driven workflow in the launch script.
Replacing an Input or Output with a Different Topic¶
You can swap an existing topic connection (input or output) with a different topic online without restarting your script. The service will stop the running lifecycle node, replace the connection, and restart it.
Service Name:
/{component_name}/change_topicService Type:
automatika_ros_sugar/srv/ReplaceTopic
Example:
ros2 service call /awesome_component/change_topic automatika_ros_sugar/srv/ReplaceTopic \
"{direction: 1, old_name: '/voice', new_name: '/audio_device_0', new_msg_type: 'Audio'}"
Updating a Configuration Parameter Value¶
The ChangeParameter service allows updating a single configuration parameter at runtime. You can choose whether the component remains active during the change, or temporarily deactivates for a safe update.
Service Name:
/{component_name}/update_config_parameterService Type:
automatika_ros_sugar/srv/ChangeParameter
Example:
ros2 service call /awesome_component/update_config_parameter automatika_ros_sugar/srv/ChangeParameter \
"{name: 'loop_rate', value: '1', keep_alive: false}"
Updating Multiple Configuration Parameters¶
The ChangeParameters service allows updating multiple parameters at once, ideal for switching modes or reconfiguring components in batches.
Service Name:
/{component_name}/update_config_parametersService Type:
automatika_ros_sugar/srv/ChangeParameters
Example:
ros2 service call /awesome_component/update_config_parameters automatika_ros_sugar/srv/ChangeParameters \
"{names: ['loop_rate', 'fallback_rate'], values: ['1', '10'], keep_alive: false}"
Reconfiguring from a File¶
The ConfigureFromFile service lets you reconfigure an entire component from a YAML, JSON, or TOML configuration file while the node is online. This is useful for applying scenario-specific settings or restoring saved configurations in a single operation.
Service Name:
/{component_name}/configure_from_fileService Type:
automatika_ros_sugar/srv/ConfigureFromFile
Example YAML configuration file:
/**:
fallback_rate: 10.0
awesome_component:
loop_rate: 100.0
Executing a Component Method¶
The ExecuteMethod service enables runtime invocation of any class method in the component. This is useful for triggering specific behaviors, tools, or diagnostics during runtime without writing additional interfaces.
Service Name:
/{component_name}/execute_methodService Type:
automatika_ros_sugar/srv/ExecuteMethod
See also
To make your recipes portable across different robot hardware, see Robot Plugins.