From a944ab9b7796662efef2b866db56db89e667d603 Mon Sep 17 00:00:00 2001 From: Jan Gutsche Date: Tue, 23 Jan 2024 17:33:34 +0100 Subject: [PATCH 01/63] Deploy: Reorder args --- .vscode/settings.json | 1 + scripts/deploy/deploy_robots.py | 4 ++-- 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/.vscode/settings.json b/.vscode/settings.json index d36231a82..3143debc5 100644 --- a/.vscode/settings.json +++ b/.vscode/settings.json @@ -72,6 +72,7 @@ "Rhoban", "robocup", "RoboCup", + "rory", "rosbag", "rosbags", "rosdep", diff --git a/scripts/deploy/deploy_robots.py b/scripts/deploy/deploy_robots.py index 467e20287..e74ac0e01 100644 --- a/scripts/deploy/deploy_robots.py +++ b/scripts/deploy/deploy_robots.py @@ -91,8 +91,6 @@ def _parse_arguments(self) -> argparse.Namespace: # Optional arguments parser.add_argument("-p", "--package", default="", help="Synchronize and build only the given ROS package") - parser.add_argument("-u", "--user", default="bitbots", help="The user to connect to the target machines with") - parser.add_argument("-w", "--workspace", default="~/colcon_ws", help="The workspace to deploy to") parser.add_argument( "--clean", action="store_true", @@ -110,6 +108,8 @@ def _parse_arguments(self) -> argparse.Namespace: ) parser.add_argument("-v", "--verbose", action="count", default=0, help="More output") parser.add_argument("-q", "--quiet", action="count", default=0, help="Less output") + parser.add_argument("-u", "--user", default="bitbots", help="The user to connect to the target machines with") + parser.add_argument("-w", "--workspace", default="~/colcon_ws", help="The workspace to deploy to") args = parser.parse_args() From ea93ed506aa6e7098a67ba70b5051cdec9c4ff8f Mon Sep 17 00:00:00 2001 From: Jan Gutsche Date: Thu, 25 Jan 2024 18:40:08 +0100 Subject: [PATCH 02/63] Main: Deploy WIP --- scripts/deploy/deploy_robots.py | 2 +- scripts/deploy/known_targets.yaml | 24 +++---- scripts/deploy/misc.py | 108 +++++++++++------------------- 3 files changed, 52 insertions(+), 82 deletions(-) diff --git a/scripts/deploy/deploy_robots.py b/scripts/deploy/deploy_robots.py index eaa28c203..8461dcded 100644 --- a/scripts/deploy/deploy_robots.py +++ b/scripts/deploy/deploy_robots.py @@ -13,7 +13,7 @@ print_known_targets, print_success, ) -from deploy.tasks import AbstractTask, AbstractTaskWhichRequiresSudo, Build, Configure, Install, Launch, Sync +from deploy.tasks import AbstractTask, AbstractTaskWhichRequiresSudo, Build, Configure, Install, Launch, Sync # type: ignore from rich.prompt import Prompt # TODO: Install this script as a command line tool diff --git a/scripts/deploy/known_targets.yaml b/scripts/deploy/known_targets.yaml index dc602711f..7b042d711 100644 --- a/scripts/deploy/known_targets.yaml +++ b/scripts/deploy/known_targets.yaml @@ -1,18 +1,18 @@ -nuc1: - ip: "172.20.1.11" +"172.20.1.11": + hostname: "nuc1" robot_name: "amy" -nuc2: - ip: "172.20.1.12" +"172.20.1.12": + hostname: "nuc2" robot_name: "rory" -nuc3: - ip: "172.20.1.13" +"172.20.1.13": + hostname: "nuc3" robot_name: "jack" -nuc4: - ip: "172.20.1.14" +"172.20.1.14": + hostname: "nuc4" robot_name: "donna" -nuc5: - ip: "172.20.1.15" +"172.20.1.15": + hostname: "nuc5" robot_name: "melody" -nuc6: - ip: "172.20.1.16" +"172.20.1.16": + hostname: "nuc6" robot_name: "rose" diff --git a/scripts/deploy/misc.py b/scripts/deploy/misc.py index 392bad58d..bbdf16149 100644 --- a/scripts/deploy/misc.py +++ b/scripts/deploy/misc.py @@ -103,9 +103,9 @@ def print_known_targets() -> None: known_targets = get_known_targets() table.add_row("ALL", "", "") - for hostname, values in known_targets.items(): - table.add_row(hostname, values.get("robot_name", ""), values.get("ip", "")) - print_info("You can enter the following values as targets:") + for ip, values in known_targets.items(): + table.add_row(values.get("hostname", ""), values.get("robot_name", ""), ip) + print_info(f"You can enter the following values as targets:") CONSOLE.print(table) exit(0) @@ -120,99 +120,69 @@ def get_known_targets() -> dict[str, dict[str, str]]: class Target: - hostname: str - ip: Optional[ipaddress.IPv4Address | ipaddress.IPv6Address] - def __init__(self, identifier: str) -> None: """ Target represents a robot to deploy to. It can be initialized with a hostname, IP address or a robot name. """ - self.hostname, self.ip = self._identify_target(identifier) + self.ip: Optional[ipaddress.IPv4Address | ipaddress.IPv6Address] = self._identify_ip(identifier) + self.hostname: Optional[str] = None # TODO: Get the hostname after we have a connection - def _identify_target(self, identifier: str) -> tuple[str, Optional[ipaddress.IPv4Address | ipaddress.IPv6Address]]: + def _identify_ip(self, identifier: str) -> Optional[ipaddress.IPv4Address | ipaddress.IPv6Address]: """ - Identifies a target from an identifier. + Identifies an IP address from an identifier. The identifier can be a hostname, IP address or a robot name. :param identifier: The identifier to identify the target from. - :return: A tuple containing the hostname and the IP address of the target. + :return: IP address of the identified target. """ - print_debug(f"Identifying target from identifier: {identifier}") - - identified_target: Optional[str] = None # The hostname of the identified target + print_debug(f"Identifying IP address from identifier: '{identifier}'.") - # Iterate over the known targets - for hostname, values in KNOWN_TARGETS.items(): - print_debug(f"Checking if {identifier} is {hostname}") + # Is the identifier an IP address? + try: + print_debug(f"Checking if {identifier} is a IP address") + ip = ipaddress.ip_address(identifier) + print_debug(f"Found {ip} as IP address") + return ip + except ValueError: + print_debug(f"Entered target is not a IP-address.") + # It was not an IP address, so we try to find a known target + for ip, values in KNOWN_TARGETS.items(): # Is the identifier a known hostname? - print_debug(f"Comparing {identifier} with {hostname}") - if hostname == identifier: - identified_target = hostname - break - + known_hostname = values.get("hostname", None) + if known_hostname: + print_debug(f"Comparing {identifier} with {known_hostname}") + if known_hostname.strip() == identifier.strip(): + print_debug(f"Found hostname '{known_hostname}' for identifier '{identifier}'. Using its IP {ip}.") + return ipaddress.ip_address(ip) + else: + print_debug(f"Hostname '{known_hostname}' does not match identifier '{identifier}'.") + # Is the identifier a known robot name? - print_debug(f"Comparing {identifier} with {values['robot_name']}") if "robot_name" in values else None - if values.get("robot_name") == identifier: - identified_target = hostname - break - - # Is the identifier a known IP address? - identifier_ip = None - try: - print_debug(f"Checking if {identifier} is a IP address") - identifier_ip = ipaddress.ip_address(identifier) - except ValueError: - print_debug("Entered target is not a IP-address") - # We accept every IP address, but if we later find an associated hostname, we use that - identified_target = str(identifier_ip) - - if "ip" in values: - try: - known_target_ip = ipaddress.ip_address(values["ip"]) - except ValueError: - print_warn(f"Invalid IP address ('{values['ip']}') defined for known target: {hostname}") - exit(1) - - if identifier_ip is not None and identifier_ip == known_target_ip: - identified_target = hostname - break - - # If no target was identified, exit - if identified_target is None: - print_err( - f"Could not find a known target for the given identifier: {identifier}\nChoose from the known targets" - ) - print_known_targets() - exit(1) - - print_debug(f"Found {identified_target} as known target") - - identified_ip = None - if "ip" in KNOWN_TARGETS[identified_target]: - try: - identified_ip = ipaddress.ip_address(KNOWN_TARGETS[identified_target]["ip"]) - except ValueError: - print_err(f"Invalid IP address defined for known target: {identified_target}") - exit(1) - - return (identified_target, identified_ip) + known_robot_name = values.get("robot_name", None) + if known_robot_name: + print_debug(f"Comparing '{identifier}' with '{known_robot_name}'.") + if known_robot_name.strip() == identifier.strip(): + print_debug(f"Found robot name '{known_robot_name}' for identifier '{identifier}'. Using its IP {ip}.") + return ipaddress.ip_address(ip) + else: + print_debug(f"Robot name '{known_robot_name}' does not match identifier '{identifier}'.") def __str__(self) -> str: """Returns the target's hostname if available or IP address.""" return self.hostname if self.hostname is not None else str(self.ip) def get_connection_identifier(self) -> str: - """Returns the target's IP address if available or the hostname.""" - return str(self.ip) if self.ip is not None else self.hostname + """Returns the target's IP address.""" + return str(self.ip) def _parse_targets(input_targets: str) -> list[Target]: """ Parse target input into usable Targets. - :param input_targets: The input string of targets as a comma separated string of either hostnames, robot names or IPs. 'ALL' is a valid argument and will be expanded to all known targets. + :param input_targets: The input string of targets as a comma separated string of either hostnames, robot names or IPs. :return: List of Targets """ targets: list[Target] = [] From 4368185ca07c4bd5dcea171ddddb3bb9032b3966 Mon Sep 17 00:00:00 2001 From: Jan Gutsche Date: Thu, 25 Jan 2024 20:20:37 +0100 Subject: [PATCH 03/63] Deploy: Improve error logs for connection issues --- requirements/dev.txt | 1 + scripts/deploy/deploy_robots.py | 12 ++++++-- scripts/deploy/misc.py | 49 +++++++++++++++++++++++++-------- 3 files changed, 49 insertions(+), 13 deletions(-) diff --git a/requirements/dev.txt b/requirements/dev.txt index 921427219..e7caa998d 100644 --- a/requirements/dev.txt +++ b/requirements/dev.txt @@ -3,6 +3,7 @@ black # Auto-formatting for python exhale # Necessary for rst rendering fabric # Manages SSH sessions for the deploy tool +paramiko # Necessary for fabric pre-commit # Installs and runs pre-commit hooks for git rich # Rich terminal output ruff # Python linting diff --git a/scripts/deploy/deploy_robots.py b/scripts/deploy/deploy_robots.py index 8461dcded..1d6b567f0 100644 --- a/scripts/deploy/deploy_robots.py +++ b/scripts/deploy/deploy_robots.py @@ -13,7 +13,15 @@ print_known_targets, print_success, ) -from deploy.tasks import AbstractTask, AbstractTaskWhichRequiresSudo, Build, Configure, Install, Launch, Sync # type: ignore +from deploy.tasks import ( + AbstractTask, + AbstractTaskWhichRequiresSudo, + Build, + Configure, + Install, + Launch, + Sync, +) from rich.prompt import Prompt # TODO: Install this script as a command line tool @@ -47,7 +55,7 @@ def _parse_arguments(self) -> argparse.Namespace: parser = ArgumentParserShowTargets( description="Deploy the Bit-Bots software on a robot. " "This script provides 5 tasks: sync, install, configure, build, launch. " - "By default, it runs all tasks. You can select a subset of tasks by using the corresponding flags." + "By default, it runs all tasks. You can select a subset of tasks by using the corresponding flags. " "For example, to only run the sync and build task, use the -sb." ) diff --git a/scripts/deploy/misc.py b/scripts/deploy/misc.py index bbdf16149..1993c5b2e 100644 --- a/scripts/deploy/misc.py +++ b/scripts/deploy/misc.py @@ -6,6 +6,7 @@ import yaml from fabric import Connection, GroupResult, ThreadingGroup +from paramiko import AuthenticationException from rich import box from rich.console import Console from rich.panel import Panel @@ -105,7 +106,7 @@ def print_known_targets() -> None: table.add_row("ALL", "", "") for ip, values in known_targets.items(): table.add_row(values.get("hostname", ""), values.get("robot_name", ""), ip) - print_info(f"You can enter the following values as targets:") + print_info("You can enter the following values as targets:") CONSOLE.print(table) exit(0) @@ -145,7 +146,7 @@ def _identify_ip(self, identifier: str) -> Optional[ipaddress.IPv4Address | ipad print_debug(f"Found {ip} as IP address") return ip except ValueError: - print_debug(f"Entered target is not a IP-address.") + print_debug("Entered target is not a IP-address.") # It was not an IP address, so we try to find a known target for ip, values in KNOWN_TARGETS.items(): @@ -158,13 +159,15 @@ def _identify_ip(self, identifier: str) -> Optional[ipaddress.IPv4Address | ipad return ipaddress.ip_address(ip) else: print_debug(f"Hostname '{known_hostname}' does not match identifier '{identifier}'.") - + # Is the identifier a known robot name? known_robot_name = values.get("robot_name", None) if known_robot_name: print_debug(f"Comparing '{identifier}' with '{known_robot_name}'.") if known_robot_name.strip() == identifier.strip(): - print_debug(f"Found robot name '{known_robot_name}' for identifier '{identifier}'. Using its IP {ip}.") + print_debug( + f"Found robot name '{known_robot_name}' for identifier '{identifier}'. Using its IP {ip}." + ) return ipaddress.ip_address(ip) else: print_debug(f"Robot name '{known_robot_name}' does not match identifier '{identifier}'.") @@ -200,23 +203,47 @@ def _get_connections_from_targets( targets: list[Target], user: str, connection_timeout: Optional[int] = 10 ) -> ThreadingGroup: """ - Get connections to the given Targets using the 'bitbots' username. + Get connections to the given Targets using the given username. :param targets: The Targets to connect to :param user: The username to connect with :param connection_timeout: Timeout for establishing the connection :return: The connections """ + + def _concat_exception_args(e: Exception) -> str: + """Concatenate all arguments of an exception into a string.""" + reason = "" + for arg in e.args: + if arg: + reason += f"{arg} " + return reason + hosts: list[str] = [target.get_connection_identifier() for target in targets] - try: - connections = ThreadingGroup(*hosts, user=user, connect_timeout=connection_timeout) - for connection in connections: + connections = ThreadingGroup(*hosts, user=user, connect_timeout=connection_timeout) + failures: list[tuple[Connection, str]] = [] # List of tuples of failed connections and their error message + for connection in connections: + try: print_debug(f"Connecting to {connection.host}...") connection.open() print_debug(f"Connected to {connection.host}...") - except Exception as e: - print_err(f"Could not establish all required connections: {hosts}") - print_debug(e) + except AuthenticationException as e: + failures.append( + ( + connection, + _concat_exception_args(e) + + f"Did you add your SSH key to the target? Run '[bold blue]ssh-copy-id {user}@{connection.host}[/bold blue]' manually to do so.", + ) + ) + except Exception as e: + failures.append((connection, _concat_exception_args(e))) + if failures: + print_err("Could not connect to the following hosts:") + failure_table = Table(style="bold red", box=box.HEAVY) + failure_table.add_column("Host") + failure_table.add_column("Reason") + [failure_table.add_row(connection.host, reason) for connection, reason in failures] + CONSOLE.print(failure_table) exit(1) return connections From 6992b5a80399d814d517f68eb6c5e33a5930874c Mon Sep 17 00:00:00 2001 From: Jan Gutsche Date: Thu, 25 Jan 2024 20:42:57 +0100 Subject: [PATCH 04/63] Deploy: replacing Target with IP,set original_host --- scripts/deploy/misc.py | 147 ++++++++++++-------------- scripts/deploy/tasks/abstract_task.py | 2 +- 2 files changed, 69 insertions(+), 80 deletions(-) diff --git a/scripts/deploy/misc.py b/scripts/deploy/misc.py index 1993c5b2e..156d5ba62 100644 --- a/scripts/deploy/misc.py +++ b/scripts/deploy/misc.py @@ -120,92 +120,76 @@ def get_known_targets() -> dict[str, dict[str, str]]: return KNOWN_TARGETS -class Target: - def __init__(self, identifier: str) -> None: - """ - Target represents a robot to deploy to. - It can be initialized with a hostname, IP address or a robot name. - """ - self.ip: Optional[ipaddress.IPv4Address | ipaddress.IPv6Address] = self._identify_ip(identifier) - self.hostname: Optional[str] = None # TODO: Get the hostname after we have a connection - - def _identify_ip(self, identifier: str) -> Optional[ipaddress.IPv4Address | ipaddress.IPv6Address]: - """ - Identifies an IP address from an identifier. - The identifier can be a hostname, IP address or a robot name. - - :param identifier: The identifier to identify the target from. - :return: IP address of the identified target. - """ - print_debug(f"Identifying IP address from identifier: '{identifier}'.") - - # Is the identifier an IP address? - try: - print_debug(f"Checking if {identifier} is a IP address") - ip = ipaddress.ip_address(identifier) - print_debug(f"Found {ip} as IP address") - return ip - except ValueError: - print_debug("Entered target is not a IP-address.") - - # It was not an IP address, so we try to find a known target - for ip, values in KNOWN_TARGETS.items(): - # Is the identifier a known hostname? - known_hostname = values.get("hostname", None) - if known_hostname: - print_debug(f"Comparing {identifier} with {known_hostname}") - if known_hostname.strip() == identifier.strip(): - print_debug(f"Found hostname '{known_hostname}' for identifier '{identifier}'. Using its IP {ip}.") - return ipaddress.ip_address(ip) - else: - print_debug(f"Hostname '{known_hostname}' does not match identifier '{identifier}'.") - - # Is the identifier a known robot name? - known_robot_name = values.get("robot_name", None) - if known_robot_name: - print_debug(f"Comparing '{identifier}' with '{known_robot_name}'.") - if known_robot_name.strip() == identifier.strip(): - print_debug( - f"Found robot name '{known_robot_name}' for identifier '{identifier}'. Using its IP {ip}." - ) - return ipaddress.ip_address(ip) - else: - print_debug(f"Robot name '{known_robot_name}' does not match identifier '{identifier}'.") - - def __str__(self) -> str: - """Returns the target's hostname if available or IP address.""" - return self.hostname if self.hostname is not None else str(self.ip) - - def get_connection_identifier(self) -> str: - """Returns the target's IP address.""" - return str(self.ip) - - -def _parse_targets(input_targets: str) -> list[Target]: +def _identify_ip(identifier: str) -> str | None: + """ + Identifies an IP address from an identifier. + The identifier can be a hostname, IP address or a robot name. + + :param identifier: The identifier to identify the target from. + :return: IP address of the identified target. + """ + print_debug(f"Identifying IP address from identifier: '{identifier}'.") + + # Is the identifier an IP address? + try: + print_debug(f"Checking if {identifier} is an IP address") + ip = ipaddress.ip_address(identifier) + print_debug(f"Identified {ip} as an IP address") + return str(ip) + except ValueError: + print_debug("Entered target is not an IP-address.") + + # It was not an IP address, so we try to find a known target + for ip, values in KNOWN_TARGETS.items(): + # Is the identifier a known hostname? + known_hostname = values.get("hostname", None) + if known_hostname: + print_debug(f"Comparing {identifier} with {known_hostname}") + if known_hostname.strip() == identifier.strip(): + print_debug(f"Identified hostname '{known_hostname}' for '{identifier}'. Using its IP {ip}.") + return str(ipaddress.ip_address(ip)) + else: + print_debug(f"Hostname '{known_hostname}' does not match identifier '{identifier}'.") + + # Is the identifier a known robot name? + known_robot_name = values.get("robot_name", None) + if known_robot_name: + print_debug(f"Comparing '{identifier}' with '{known_robot_name}'.") + if known_robot_name.strip() == identifier.strip(): + print_debug(f"Identified robot name '{known_robot_name}' for '{identifier}'. Using its IP {ip}.") + return str(ipaddress.ip_address(ip)) + else: + print_debug(f"Robot name '{known_robot_name}' does not match '{identifier}'.") + + +def _parse_targets(input_targets: str) -> list[str]: """ - Parse target input into usable Targets. + Parse target input into usable target IP addresses. :param input_targets: The input string of targets as a comma separated string of either hostnames, robot names or IPs. - :return: List of Targets + :return: List of target IP addresses. """ - targets: list[Target] = [] + target_ips: list[str] = [] for input_target in input_targets.split(","): try: - target = Target(input_target) + target_ip = _identify_ip(input_target) except ValueError: - print_err(f"Could not determine hostname or IP from input: '{input_target}'") + print_err(f"Could not determine IP address from input: '{input_target}'") + exit(1) + if target_ip is None: + print_err(f"Could not determine IP address from input:' {input_target}'") exit(1) - targets.append(target) - return targets + target_ips.append(target_ip) + return target_ips def _get_connections_from_targets( - targets: list[Target], user: str, connection_timeout: Optional[int] = 10 + target_ips: list[str], user: str, connection_timeout: Optional[int] = 10 ) -> ThreadingGroup: """ - Get connections to the given Targets using the given username. + Get connections to the given target IP addresses using the given username. - :param targets: The Targets to connect to + :param target_ips: The target IP addresses to connect to :param user: The username to connect with :param connection_timeout: Timeout for establishing the connection :return: The connections @@ -219,14 +203,17 @@ def _concat_exception_args(e: Exception) -> str: reason += f"{arg} " return reason - hosts: list[str] = [target.get_connection_identifier() for target in targets] - connections = ThreadingGroup(*hosts, user=user, connect_timeout=connection_timeout) + connections = ThreadingGroup(*target_ips, user=user, connect_timeout=connection_timeout) failures: list[tuple[Connection, str]] = [] # List of tuples of failed connections and their error message for connection in connections: try: print_debug(f"Connecting to {connection.host}...") connection.open() print_debug(f"Connected to {connection.host}...") + print_debug(f"Getting hostname of {connection.host}...") + hostname: str = connection.run("hostname", hide=hide_output()).stdout.strip() + print_debug(f"Got hostname of {connection.host}: {hostname}. Setting is as original hostname.") + connection.original_host = hostname except AuthenticationException as e: failures.append( ( @@ -257,11 +244,13 @@ def _get_connections_from_all_known_targets(user: str, connection_timeout: Optio :param connection_timeout: Timeout for establishing the connection :return: The connections """ - # Get hosts from all known targets - hosts: list[str] = [Target(hostname).get_connection_identifier() for hostname in KNOWN_TARGETS.keys()] + # Get all known target IP addresses + target_ips: list[str] = list(KNOWN_TARGETS.keys()) # Create connections - connections: list[Connection] = [Connection(host, user=user, connect_timeout=connection_timeout) for host in hosts] + connections: list[Connection] = [ + Connection(host, user=user, connect_timeout=connection_timeout) for host in target_ips + ] # Connect to all hosts open_connections: list[Connection] = [] @@ -293,11 +282,11 @@ def get_connections_from_targets( :return: The connections to the targets """ if input_targets == "ALL": - print_info(f"Connecting to all known Targets: {KNOWN_TARGETS.keys()}") + print_info(f"Connecting to all known targets: {KNOWN_TARGETS.keys()}") return _get_connections_from_all_known_targets(user=user, connection_timeout=connection_timeout) return _get_connections_from_targets( - targets=_parse_targets(input_targets), user=user, connection_timeout=connection_timeout + target_ips=_parse_targets(input_targets), user=user, connection_timeout=connection_timeout ) diff --git a/scripts/deploy/tasks/abstract_task.py b/scripts/deploy/tasks/abstract_task.py index 5aefcd3bd..8e584c1ec 100644 --- a/scripts/deploy/tasks/abstract_task.py +++ b/scripts/deploy/tasks/abstract_task.py @@ -43,7 +43,7 @@ def _results_hosts(self, results) -> list[str]: :param results: The results of the task. :return: The list of hosts that have results. """ - return [connection.host for connection in results.keys()] + return [connection.original_host for connection in results.keys()] def _succeeded_hosts(self, results: GroupResult) -> list[str]: """ From 72c143df7032c8e224be90e11886bfbf4017e26e Mon Sep 17 00:00:00 2001 From: Jan Gutsche Date: Thu, 25 Jan 2024 21:37:25 +0100 Subject: [PATCH 05/63] Deploy: install apt upgrades --- scripts/deploy/tasks/install.py | 42 +++++++++++++++++++++++++++++---- sync_includes_wolfgang_nuc.yaml | 1 + 2 files changed, 38 insertions(+), 5 deletions(-) diff --git a/scripts/deploy/tasks/install.py b/scripts/deploy/tasks/install.py index 24ded836c..6d847fc25 100644 --- a/scripts/deploy/tasks/install.py +++ b/scripts/deploy/tasks/install.py @@ -20,7 +20,7 @@ def __init__(self, remote_workspace: str) -> None: self._remote_workspace = remote_workspace # TODO: also install pip upgrades - # TODO: sudo apt update && sudo apt upgrade -y + # TODO: run yes | scripts/make_basler.sh def _run(self, connections: Group) -> GroupResult: """ @@ -34,8 +34,9 @@ def _run(self, connections: Group) -> GroupResult: if not internet_available_results.succeeded: return internet_available_results - # Some hosts have an internet connection, install rosdeps - install_results = self._install_rosdeps(get_connections_from_succeeded(internet_available_results)) + # Some hosts have an internet connection, make updates and installs + apt_upgrade_results = self._apt_upgrade(get_connections_from_succeeded(internet_available_results)) + install_results = self._install_rosdeps(get_connections_from_succeeded(apt_upgrade_results)) return install_results def _internet_available_on_target(self, connections: Group) -> GroupResult: @@ -60,6 +61,37 @@ def _internet_available_on_target(self, connections: Group) -> GroupResult: results = e.result return results + def _apt_upgrade(self, connections: Group) -> GroupResult: + """ + Upgrade all apt packages on the target. + Runs apt update and apt upgrade -y. + + :param connections: The connections to remote servers. + :return: Results, with success if the upgrade succeeded on the target + """ + print_debug("Updating apt") + + cmd = "apt update" + print_debug(f"Calling {cmd}") + try: + update_results = connections.sudo(cmd, hide=hide_output(), password=self._sudo_password) + print_debug(f"Updated apt on the following hosts: {self._succeeded_hosts(update_results)}") + except GroupException as e: + print_err(f"Failed to update apt on the following hosts: {self._failed_hosts(e.result)}") + update_results = e.result + + print_debug("Upgrading apt packages") + + cmd = "apt upgrade -y" + print_debug(f"Calling {cmd}") + try: + upgrade_results = connections.sudo(cmd, hide=hide_output(), password=self._sudo_password) + print_debug(f"Upgraded apt packages on the following hosts: {self._succeeded_hosts(upgrade_results)}") + except GroupException as e: + print_err(f"Failed to upgrade apt packages on the following hosts: {self._failed_hosts(e.result)}") + upgrade_results = e.result + return update_results + def _install_rosdeps(self, connections: Group) -> GroupResult: """ Install ROS dependencies. @@ -71,12 +103,12 @@ def _install_rosdeps(self, connections: Group) -> GroupResult: The "sudo" functionality provided by fabric is not able to autofill in this case. :param connections: The connections to remote servers. - :return: Results, with success if the Target has an internet connection + :return: Results, with success if the install commands succeeded on the target """ remote_src_path = os.path.join(self._remote_workspace, "src") print_debug(f"Gathering rosdep install commands in {remote_src_path}") - cmd = f"rosdep install --simulate --default-yes --ignore-src --from-paths {remote_src_path}" + cmd = f"rosdep update && rosdep install --simulate --default-yes --ignore-src --from-paths {remote_src_path}" print_debug(f"Calling {cmd}") try: gather_results = connections.run(cmd, hide=hide_output()) diff --git a/sync_includes_wolfgang_nuc.yaml b/sync_includes_wolfgang_nuc.yaml index 1b25d2834..ea67cbefd 100644 --- a/sync_includes_wolfgang_nuc.yaml +++ b/sync_includes_wolfgang_nuc.yaml @@ -63,6 +63,7 @@ include: - ros2_python_extension - soccer_ipm - udp_bridge + - requirements - scripts exclude: - "*.bag" From 703e0b70b9295fa8d6bcc09c843bd86c798c3571 Mon Sep 17 00:00:00 2001 From: Jan Gutsche Date: Thu, 25 Jan 2024 21:44:50 +0100 Subject: [PATCH 06/63] Deploy: install pip upgrades --- scripts/deploy/tasks/install.py | 27 +++++++++++++++++++++++---- 1 file changed, 23 insertions(+), 4 deletions(-) diff --git a/scripts/deploy/tasks/install.py b/scripts/deploy/tasks/install.py index 6d847fc25..4e4646e01 100644 --- a/scripts/deploy/tasks/install.py +++ b/scripts/deploy/tasks/install.py @@ -13,13 +13,12 @@ def __init__(self, remote_workspace: str) -> None: """ Task to install and update all dependencies. - :param remote_workspace: Path to the remote workspace to run rosdep in + :param remote_workspace: Path to the remote workspace """ super().__init__() self._remote_workspace = remote_workspace - # TODO: also install pip upgrades # TODO: run yes | scripts/make_basler.sh def _run(self, connections: Group) -> GroupResult: @@ -36,8 +35,9 @@ def _run(self, connections: Group) -> GroupResult: # Some hosts have an internet connection, make updates and installs apt_upgrade_results = self._apt_upgrade(get_connections_from_succeeded(internet_available_results)) - install_results = self._install_rosdeps(get_connections_from_succeeded(apt_upgrade_results)) - return install_results + rosdep_results = self._install_rosdeps(get_connections_from_succeeded(apt_upgrade_results)) + pip_upgrade_results = self._pip_upgrade(get_connections_from_succeeded(rosdep_results)) + return pip_upgrade_results def _internet_available_on_target(self, connections: Group) -> GroupResult: """ @@ -197,3 +197,22 @@ def _install_commands_on_single_host(connection: Connection, result: Result) -> installs_results.succeeded[key] = value return installs_results + + def _pip_upgrade(self, connections: Group) -> GroupResult: + """ + Install and upgrade all pip robot requirements on the target. + + :param connections: The connections to remote servers. + :return: Results, with success if the upgrade succeeded on the target + """ + print_debug("Upgrading pip packages") + + cmd = f"pip3 install --upgrade -r {self._remote_workspace}/src/requirements/robot.txt" + print_debug(f"Calling {cmd}") + try: + upgrade_results = connections.run(cmd, hide=hide_output()) + print_debug(f"Upgraded pip packages on the following hosts: {self._succeeded_hosts(upgrade_results)}") + except GroupException as e: + print_err(f"Failed to upgrade pip packages on the following hosts: {self._failed_hosts(e.result)}") + upgrade_results = e.result + return upgrade_results From 5fe7a4cc90335a0c87df9db897c2bfe035fef874 Mon Sep 17 00:00:00 2001 From: Jan Gutsche Date: Thu, 25 Jan 2024 21:56:13 +0100 Subject: [PATCH 07/63] Deploy: Install basler drivers --- scripts/deploy/tasks/install.py | 24 +++++++++++++++++++++--- scripts/make_basler.sh | 4 ++-- 2 files changed, 23 insertions(+), 5 deletions(-) diff --git a/scripts/deploy/tasks/install.py b/scripts/deploy/tasks/install.py index 4e4646e01..1e2a64bbb 100644 --- a/scripts/deploy/tasks/install.py +++ b/scripts/deploy/tasks/install.py @@ -19,8 +19,6 @@ def __init__(self, remote_workspace: str) -> None: self._remote_workspace = remote_workspace - # TODO: run yes | scripts/make_basler.sh - def _run(self, connections: Group) -> GroupResult: """ Install and update all dependencies, if internet is available. @@ -35,7 +33,8 @@ def _run(self, connections: Group) -> GroupResult: # Some hosts have an internet connection, make updates and installs apt_upgrade_results = self._apt_upgrade(get_connections_from_succeeded(internet_available_results)) - rosdep_results = self._install_rosdeps(get_connections_from_succeeded(apt_upgrade_results)) + basler_install_results = self._install_basler(get_connections_from_succeeded(apt_upgrade_results)) + rosdep_results = self._install_rosdeps(get_connections_from_succeeded(basler_install_results)) pip_upgrade_results = self._pip_upgrade(get_connections_from_succeeded(rosdep_results)) return pip_upgrade_results @@ -92,6 +91,25 @@ def _apt_upgrade(self, connections: Group) -> GroupResult: upgrade_results = e.result return update_results + def _install_basler(self, connections: Group) -> GroupResult: + """ + Installs the basler camera drivers on the targets. + + :param connections: The connections to remote servers. + :return: Results, with success if the install succeeded on the target + """ + print_debug("Installing basler drivers") + + cmd = f"{self._remote_workspace}/src/scripts/make_basler.sh -ci" + print_debug(f"Calling {cmd}") + try: + install_results = connections.sudo(cmd, hide=hide_output(), password=self._sudo_password) + print_debug(f"Installed basler drivers on the following hosts: {self._succeeded_hosts(install_results)}") + except GroupException as e: + print_err(f"Failed to install basler drivers on the following hosts: {self._failed_hosts(e.result)}") + install_results = e.result + return install_results + def _install_rosdeps(self, connections: Group) -> GroupResult: """ Install ROS dependencies. diff --git a/scripts/make_basler.sh b/scripts/make_basler.sh index e4d7dcaad..ea8e46c32 100755 --- a/scripts/make_basler.sh +++ b/scripts/make_basler.sh @@ -1,6 +1,6 @@ -#!/bin/bash +#!/bin/bash -# You need to fill out a form to download the pylon driver. +# You need to fill out a form to download the pylon driver. # The pylon driver can be found in the download section of the following link: # https://www.baslerweb.com/en/downloads/software-downloads/ # Go to the download button and copy the link address. From f4933279286aeb36be19cb6a0d21d8f69dc0bc11 Mon Sep 17 00:00:00 2001 From: Jan Gutsche Date: Thu, 25 Jan 2024 21:56:48 +0100 Subject: [PATCH 08/63] Readme: Improve formatting --- README.md | 10 ++++------ scripts/README.md | 10 +++++----- 2 files changed, 9 insertions(+), 11 deletions(-) diff --git a/README.md b/README.md index 5aced6870..2cf830496 100644 --- a/README.md +++ b/README.md @@ -1,5 +1,3 @@ - - # Bit-Bots Software Stack [![Test if all packages build](https://github.com/bit-bots/bitbots_main/actions/workflows/build.yml/badge.svg)](https://github.com/bit-bots/bitbots_main/actions/workflows/build.yml) @@ -20,15 +18,15 @@ Full step-by-step instructions for installing the Bit-Bots software stack and RO If you want to update this repo, all third party source files as well as the supplementing files, run -``` bash +``` shell make pull-all ``` If you encounter any problems consider cleaning the third party source files (the `lib` folder) first: -**THIS DELETES ALL CHANGES YOU MADE TO THE THIRD PARTY SOURCE FILES** +**THIS DELETES ALL CHANGES YOU MADE TO THE THIRD PARTY SOURCE FILES!** -``` bash +``` shell make fresh-libs ``` @@ -36,7 +34,7 @@ make fresh-libs To format all code in the repository, run -``` bash +``` shell make format ``` diff --git a/scripts/README.md b/scripts/README.md index 7ee054b60..11f3eca30 100644 --- a/scripts/README.md +++ b/scripts/README.md @@ -18,31 +18,31 @@ Five different tasks can be performed: - Get help and list all arguments: - ```bash + ```shell ./deploy_robots.py --help ``` - Default usage: Run all tasks on the `nuc1` host: - ```bash + ```shell ./deploy_robots.py nuc1 ``` - Make all robots ready for games. This also launch the teamplayer software on all robots: - ```bash + ```shell ./deploy_robots.py ALL ``` - Only run the sync and build tasks on the `nuc1` and `nuc2` hosts: - ```bash + ```shell ./deploy_robots.py --sync --build nuc1 nuc2 ``` - Only build the `bitbots_utils` ROS package on the `nuc1` host: - ```bash + ```shell ./deploy_robots.py --package bitbots_utils nuc1 ``` From 1c567e157911a461cb4dfa2cff2b9252fd3284c4 Mon Sep 17 00:00:00 2001 From: Jan Gutsche Date: Fri, 26 Jan 2024 19:02:25 +0100 Subject: [PATCH 09/63] Make_basler: make progress optional and fix flag --- .github/workflows/build.yml | 2 +- scripts/deploy/tasks/install.py | 12 ++++++++++-- scripts/make_basler.sh | 10 ++++++---- 3 files changed, 17 insertions(+), 7 deletions(-) diff --git a/.github/workflows/build.yml b/.github/workflows/build.yml index 298a97411..9abf5f019 100644 --- a/.github/workflows/build.yml +++ b/.github/workflows/build.yml @@ -21,7 +21,7 @@ jobs: run: git config --global --add safe.directory /__w/bitbots_main/bitbots_main - name: Pull source code for libraries and install dependencies - run: make install HTTPS=true ARGS="-ci" + run: make install HTTPS=true ARGS="--ci" - name: Set up colcon workspace run: | diff --git a/scripts/deploy/tasks/install.py b/scripts/deploy/tasks/install.py index 1e2a64bbb..7e026b6d6 100644 --- a/scripts/deploy/tasks/install.py +++ b/scripts/deploy/tasks/install.py @@ -27,14 +27,22 @@ def _run(self, connections: Group) -> GroupResult: :return: The results of the task. """ internet_available_results = self._internet_available_on_target(connections) - if not internet_available_results.succeeded: return internet_available_results # Some hosts have an internet connection, make updates and installs apt_upgrade_results = self._apt_upgrade(get_connections_from_succeeded(internet_available_results)) + if not apt_upgrade_results.succeeded: + return apt_upgrade_results + basler_install_results = self._install_basler(get_connections_from_succeeded(apt_upgrade_results)) + if not basler_install_results.succeeded: + return basler_install_results + rosdep_results = self._install_rosdeps(get_connections_from_succeeded(basler_install_results)) + if not rosdep_results.succeeded: + return rosdep_results + pip_upgrade_results = self._pip_upgrade(get_connections_from_succeeded(rosdep_results)) return pip_upgrade_results @@ -100,7 +108,7 @@ def _install_basler(self, connections: Group) -> GroupResult: """ print_debug("Installing basler drivers") - cmd = f"{self._remote_workspace}/src/scripts/make_basler.sh -ci" + cmd = f"{self._remote_workspace}/src/scripts/make_basler.sh --ci" print_debug(f"Calling {cmd}") try: install_results = connections.sudo(cmd, hide=hide_output(), password=self._sudo_password) diff --git a/scripts/make_basler.sh b/scripts/make_basler.sh index ea8e46c32..c595a225d 100755 --- a/scripts/make_basler.sh +++ b/scripts/make_basler.sh @@ -14,9 +14,10 @@ BLAZE_VERSION="1.5.0" # Check let the user confirm that they read the license agreement on the basler website and agree with it. echo "You need to confirm that you read the license agreements for pylon $PYLON_VERSION and the blaze supplementary package $BLAZE_VERSION on the basler download page (https://www.baslerweb.com/en/downloads/software-downloads/) and agree with it." -# Check -ci flag for automatic confirmation in the ci -if [[ $1 == "-ci" ]]; then +# Check --ci flag for automatic confirmation in the ci +if [[ $1 == "--ci" ]]; then echo "Running in a CI environment, continuing..." + SHOW_PROGRESS="" else # Ask the user if they want to continue and break if they don't read -p "Do you want to continue? [y/N] " -n 1 -r @@ -25,6 +26,7 @@ else echo "Aborting..." exit 1 fi + SHOW_PROGRESS="--show-progress" fi # Create function to check if we have an internet connection @@ -49,7 +51,7 @@ else exit 1 fi # Download the pylon driver to temp folder - wget --no-verbose --show-progress $PYLON_DOWNLOAD_URL -O /tmp/pylon_${PYLON_VERSION}.tar.gz + wget --no-verbose $SHOW_PROGRESS $PYLON_DOWNLOAD_URL -O /tmp/pylon_${PYLON_VERSION}.tar.gz # Extract the pylon driver tar -xzf /tmp/pylon_${PYLON_VERSION}.tar.gz -C /tmp # Install the pylon driver @@ -69,7 +71,7 @@ else exit 1 fi # Download the blaze supplementary package to temp folder - wget --no-verbose --show-progress $BLAZE_DOWNLOAD_URL -O /tmp/pylon-blaze-supplementary-package_${BLAZE_VERSION}.deb + wget --no-verbose $SHOW_PROGRESS $BLAZE_DOWNLOAD_URL -O /tmp/pylon-blaze-supplementary-package_${BLAZE_VERSION}.deb # Install the blaze supplementary package sudo apt install /tmp/pylon-blaze-supplementary-package_${BLAZE_VERSION}*.deb -y fi From eb033c4bccb88aee2480fff9e705a051d3e72b57 Mon Sep 17 00:00:00 2001 From: Jan Gutsche Date: Fri, 26 Jan 2024 19:10:44 +0100 Subject: [PATCH 10/63] Fix make_basler --ci flag --- scripts/deploy/tasks/install.py | 2 -- scripts/make_basler.sh | 2 +- 2 files changed, 1 insertion(+), 3 deletions(-) diff --git a/scripts/deploy/tasks/install.py b/scripts/deploy/tasks/install.py index 7e026b6d6..b5226801d 100644 --- a/scripts/deploy/tasks/install.py +++ b/scripts/deploy/tasks/install.py @@ -175,8 +175,6 @@ def _install_commands_on_single_host(connection: Connection, result: Result) -> # Define command prefixes to search for apt_command_prefix = "sudo -H apt-get install -y " apt_packages: list[str] = [] - # pip_command_prefix = "" # TODO what is it? - # pip_packages: list[str] = [] install_result: Optional[ Result diff --git a/scripts/make_basler.sh b/scripts/make_basler.sh index c595a225d..7fa301a36 100755 --- a/scripts/make_basler.sh +++ b/scripts/make_basler.sh @@ -32,7 +32,7 @@ fi # Create function to check if we have an internet connection function check_internet_connection () { # Check if we have an internet connection, except in the ci as azure does not support ping by design - if [[ $1 != "-ci" ]] && ! ping -q -c 1 -W 1 google.com >/dev/null; then + if [[ $1 != "--ci" ]] && ! ping -q -c 1 -W 1 google.com >/dev/null; then echo "No internet connection. Please check your internet connection to install the basler drivers." exit 1 fi From 17fd700cedda00c01921af821a294ad1bb7b3e50 Mon Sep 17 00:00:00 2001 From: Jan Gutsche Date: Fri, 26 Jan 2024 19:17:40 +0100 Subject: [PATCH 11/63] Deploy: unify argparse descriptions --- scripts/deploy/deploy_robots.py | 35 ++++++++++++++++++++------------- 1 file changed, 21 insertions(+), 14 deletions(-) diff --git a/scripts/deploy/deploy_robots.py b/scripts/deploy/deploy_robots.py index 1d6b567f0..faa3dcb6f 100644 --- a/scripts/deploy/deploy_robots.py +++ b/scripts/deploy/deploy_robots.py @@ -74,50 +74,57 @@ def _parse_arguments(self) -> argparse.Namespace: "--sync", dest="only_sync", action="store_true", - help="Only synchronize (copy) files from you to the target machine", + help="Only synchronize (copy) files from you to the target machine.", ) parser.add_argument( "-i", "--install", dest="only_install", action="store_true", - help="Only install ROS dependencies on the target", + help="Only install ROS dependencies on the targets.", ) parser.add_argument( - "-c", "--configure", dest="only_configure", action="store_true", help="Only configure the target machine" + "-c", "--configure", dest="only_configure", action="store_true", help="Only configure the target machines." ) parser.add_argument( - "-b", "--build", dest="only_build", action="store_true", help="Only build on the target machine" + "-b", "--build", dest="only_build", action="store_true", help="Only build/compile on the target machines." ) parser.add_argument( "-l", "--launch", dest="only_launch", action="store_true", - help="Only launch teamplayer software on the target", + help="Only launch teamplayer software on the targets.", ) # Optional arguments - parser.add_argument("-p", "--package", default="", help="Synchronize and build only the given ROS package") + parser.add_argument("-p", "--package", default="", help="Synchronize and build only the given ROS package.") parser.add_argument( "--clean", action="store_true", - help="Clean complete workspace (source and install, ...) before syncing and building", + help="Clean complete workspace (source and install, ...) before syncing and building.", ) - parser.add_argument("--clean-src", action="store_true", help="Clean source directory before syncing") + parser.add_argument("--clean-src", action="store_true", help="Clean source directory before syncing.") parser.add_argument( "--clean-build", action="store_true", - help="Clean workspace before building. If --package is given, clean only that package", + help="Clean workspace before building. If --package is given, clean only that package.", ) parser.add_argument("--connection-timeout", default=10, help="Timeout to establish SSH connections in seconds.") parser.add_argument( - "--print-bit-bot", action="store_true", default=False, help="Print our logo at script start" + "--print-bit-bot", action="store_true", default=False, help="Print our logo at script start." + ) + parser.add_argument("-v", "--verbose", action="count", default=0, help="More output.") + parser.add_argument("-q", "--quiet", action="count", default=0, help="Less output.") + parser.add_argument( + "-u", "--user", default="bitbots", help="The SSH user to connect to the target machines with" + ) + parser.add_argument( + "-w", + "--workspace", + default="~/colcon_ws", + help="Path to the workspace directory to deploy to. Defaults to '~/colcon_ws'", ) - parser.add_argument("-v", "--verbose", action="count", default=0, help="More output") - parser.add_argument("-q", "--quiet", action="count", default=0, help="Less output") - parser.add_argument("-u", "--user", default="bitbots", help="The user to connect to the target machines with") - parser.add_argument("-w", "--workspace", default="~/colcon_ws", help="The workspace to deploy to") args = parser.parse_args() From 89fd8cd95d47b8a0932069ea6291d9f2519c6fef Mon Sep 17 00:00:00 2001 From: Florian Vahl <7vahl@informatik.uni-hamburg.de> Date: Wed, 31 Jan 2024 10:39:30 +0100 Subject: [PATCH 12/63] Rename CI --- .github/workflows/{build.yml => ci.yml} | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) rename .github/workflows/{build.yml => ci.yml} (97%) diff --git a/.github/workflows/build.yml b/.github/workflows/ci.yml similarity index 97% rename from .github/workflows/build.yml rename to .github/workflows/ci.yml index 298a97411..8ef67bf24 100644 --- a/.github/workflows/build.yml +++ b/.github/workflows/ci.yml @@ -1,4 +1,4 @@ -name: Test if all packages build +name: Build & Test on: schedule: - cron: '0 0 * * *' From 9c1f9fb6b5cd5b89f161a6222c147d2c63e43780 Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Wed, 31 Jan 2024 19:16:35 +0100 Subject: [PATCH 13/63] Fix CI badge in README.md --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index 5c155159a..741d6ce36 100644 --- a/README.md +++ b/README.md @@ -2,7 +2,7 @@ # Bit-Bots Software Stack -[![Test if all packages build](https://github.com/bit-bots/bitbots_main/actions/workflows/build.yml/badge.svg)](https://github.com/bit-bots/bitbots_main/actions/workflows/build.yml) +[![Build & Test](https://github.com/bit-bots/bitbots_main/actions/workflows/ci.yml/badge.svg)](https://github.com/bit-bots/bitbots_main/actions/workflows/ci.yml) [![ROS Version Iron](https://img.shields.io/badge/ROS%20Version-Iron-ab8c71)](https://docs.ros.org/en/iron/index.html) This git repository contains all RoboCup-related code and documentation from the Hamburg Bit-Bots team. From 225ff7a17f38e1b4c4703b07d4675c94be127516 Mon Sep 17 00:00:00 2001 From: Florian Vahl <7vahl@informatik.uni-hamburg.de> Date: Wed, 31 Jan 2024 10:49:50 +0100 Subject: [PATCH 14/63] Rename humanoid_league_speaker to bitbots_tts --- .../bitbots_tts}/README.md | 0 .../bitbots_tts/bitbots_tts}/__init__.py | 0 .../bitbots_tts/bitbots_tts/tts.py | 0 .../bitbots_tts}/config/speaker_config.yaml | 0 .../bitbots_tts}/docs/_static/logo.png | Bin .../bitbots_tts}/docs/conf.py | 0 .../bitbots_tts}/docs/index.rst | 0 .../bitbots_tts/launch/tts.launch | 0 .../bitbots_tts}/package.xml | 0 .../bitbots_tts/resource/bitbots_tts | 0 .../bitbots_tts}/scripts/send_text.py | 0 .../bitbots_tts}/setup.cfg | 0 .../bitbots_tts}/setup.py | 0 13 files changed, 0 insertions(+), 0 deletions(-) rename {humanoid_league_misc/humanoid_league_speaker => bitbots_misc/bitbots_tts}/README.md (100%) rename {humanoid_league_misc/humanoid_league_speaker/humanoid_league_speaker => bitbots_misc/bitbots_tts/bitbots_tts}/__init__.py (100%) rename humanoid_league_misc/humanoid_league_speaker/humanoid_league_speaker/speaker.py => bitbots_misc/bitbots_tts/bitbots_tts/tts.py (100%) rename {humanoid_league_misc/humanoid_league_speaker => bitbots_misc/bitbots_tts}/config/speaker_config.yaml (100%) rename {humanoid_league_misc/humanoid_league_speaker => bitbots_misc/bitbots_tts}/docs/_static/logo.png (100%) rename {humanoid_league_misc/humanoid_league_speaker => bitbots_misc/bitbots_tts}/docs/conf.py (100%) rename {humanoid_league_misc/humanoid_league_speaker => bitbots_misc/bitbots_tts}/docs/index.rst (100%) rename humanoid_league_misc/humanoid_league_speaker/launch/speaker.launch => bitbots_misc/bitbots_tts/launch/tts.launch (100%) rename {humanoid_league_misc/humanoid_league_speaker => bitbots_misc/bitbots_tts}/package.xml (100%) rename humanoid_league_misc/humanoid_league_speaker/resource/humanoid_league_speaker => bitbots_misc/bitbots_tts/resource/bitbots_tts (100%) rename {humanoid_league_misc/humanoid_league_speaker => bitbots_misc/bitbots_tts}/scripts/send_text.py (100%) rename {humanoid_league_misc/humanoid_league_speaker => bitbots_misc/bitbots_tts}/setup.cfg (100%) rename {humanoid_league_misc/humanoid_league_speaker => bitbots_misc/bitbots_tts}/setup.py (100%) diff --git a/humanoid_league_misc/humanoid_league_speaker/README.md b/bitbots_misc/bitbots_tts/README.md similarity index 100% rename from humanoid_league_misc/humanoid_league_speaker/README.md rename to bitbots_misc/bitbots_tts/README.md diff --git a/humanoid_league_misc/humanoid_league_speaker/humanoid_league_speaker/__init__.py b/bitbots_misc/bitbots_tts/bitbots_tts/__init__.py similarity index 100% rename from humanoid_league_misc/humanoid_league_speaker/humanoid_league_speaker/__init__.py rename to bitbots_misc/bitbots_tts/bitbots_tts/__init__.py diff --git a/humanoid_league_misc/humanoid_league_speaker/humanoid_league_speaker/speaker.py b/bitbots_misc/bitbots_tts/bitbots_tts/tts.py similarity index 100% rename from humanoid_league_misc/humanoid_league_speaker/humanoid_league_speaker/speaker.py rename to bitbots_misc/bitbots_tts/bitbots_tts/tts.py diff --git a/humanoid_league_misc/humanoid_league_speaker/config/speaker_config.yaml b/bitbots_misc/bitbots_tts/config/speaker_config.yaml similarity index 100% rename from humanoid_league_misc/humanoid_league_speaker/config/speaker_config.yaml rename to bitbots_misc/bitbots_tts/config/speaker_config.yaml diff --git a/humanoid_league_misc/humanoid_league_speaker/docs/_static/logo.png b/bitbots_misc/bitbots_tts/docs/_static/logo.png similarity index 100% rename from humanoid_league_misc/humanoid_league_speaker/docs/_static/logo.png rename to bitbots_misc/bitbots_tts/docs/_static/logo.png diff --git a/humanoid_league_misc/humanoid_league_speaker/docs/conf.py b/bitbots_misc/bitbots_tts/docs/conf.py similarity index 100% rename from humanoid_league_misc/humanoid_league_speaker/docs/conf.py rename to bitbots_misc/bitbots_tts/docs/conf.py diff --git a/humanoid_league_misc/humanoid_league_speaker/docs/index.rst b/bitbots_misc/bitbots_tts/docs/index.rst similarity index 100% rename from humanoid_league_misc/humanoid_league_speaker/docs/index.rst rename to bitbots_misc/bitbots_tts/docs/index.rst diff --git a/humanoid_league_misc/humanoid_league_speaker/launch/speaker.launch b/bitbots_misc/bitbots_tts/launch/tts.launch similarity index 100% rename from humanoid_league_misc/humanoid_league_speaker/launch/speaker.launch rename to bitbots_misc/bitbots_tts/launch/tts.launch diff --git a/humanoid_league_misc/humanoid_league_speaker/package.xml b/bitbots_misc/bitbots_tts/package.xml similarity index 100% rename from humanoid_league_misc/humanoid_league_speaker/package.xml rename to bitbots_misc/bitbots_tts/package.xml diff --git a/humanoid_league_misc/humanoid_league_speaker/resource/humanoid_league_speaker b/bitbots_misc/bitbots_tts/resource/bitbots_tts similarity index 100% rename from humanoid_league_misc/humanoid_league_speaker/resource/humanoid_league_speaker rename to bitbots_misc/bitbots_tts/resource/bitbots_tts diff --git a/humanoid_league_misc/humanoid_league_speaker/scripts/send_text.py b/bitbots_misc/bitbots_tts/scripts/send_text.py similarity index 100% rename from humanoid_league_misc/humanoid_league_speaker/scripts/send_text.py rename to bitbots_misc/bitbots_tts/scripts/send_text.py diff --git a/humanoid_league_misc/humanoid_league_speaker/setup.cfg b/bitbots_misc/bitbots_tts/setup.cfg similarity index 100% rename from humanoid_league_misc/humanoid_league_speaker/setup.cfg rename to bitbots_misc/bitbots_tts/setup.cfg diff --git a/humanoid_league_misc/humanoid_league_speaker/setup.py b/bitbots_misc/bitbots_tts/setup.py similarity index 100% rename from humanoid_league_misc/humanoid_league_speaker/setup.py rename to bitbots_misc/bitbots_tts/setup.py From 82821f647bcb577cee4db2fb6a04365de5081a0a Mon Sep 17 00:00:00 2001 From: Florian Vahl <7vahl@informatik.uni-hamburg.de> Date: Wed, 31 Jan 2024 11:26:03 +0100 Subject: [PATCH 15/63] Fix naming and add caching --- .../bitbots_ros_control/launch/ros_control.launch | 2 +- bitbots_lowlevel/bitbots_ros_control/package.xml | 2 +- bitbots_misc/bitbots_tts/README.md | 7 ------- .../config/{speaker_config.yaml => tts_config.yaml} | 0 bitbots_misc/bitbots_tts/launch/tts.launch | 8 ++++---- bitbots_misc/bitbots_tts/package.xml | 4 ++-- bitbots_misc/bitbots_tts/setup.cfg | 4 ++-- bitbots_misc/bitbots_tts/setup.py | 4 ++-- .../bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/pickup.py | 2 +- .../bitbots_hcm/bitbots_hcm/humanoid_control_module.py | 2 +- bitbots_motion/bitbots_hcm/package.xml | 2 +- bitbots_motion/bitbots_hcm/scripts/pause.py | 2 +- sync_includes_wolfgang_nuc.yaml | 2 +- 13 files changed, 17 insertions(+), 24 deletions(-) delete mode 100644 bitbots_misc/bitbots_tts/README.md rename bitbots_misc/bitbots_tts/config/{speaker_config.yaml => tts_config.yaml} (100%) diff --git a/bitbots_lowlevel/bitbots_ros_control/launch/ros_control.launch b/bitbots_lowlevel/bitbots_ros_control/launch/ros_control.launch index 0391567a2..072944150 100644 --- a/bitbots_lowlevel/bitbots_ros_control/launch/ros_control.launch +++ b/bitbots_lowlevel/bitbots_ros_control/launch/ros_control.launch @@ -27,7 +27,7 @@ - + diff --git a/bitbots_lowlevel/bitbots_ros_control/package.xml b/bitbots_lowlevel/bitbots_ros_control/package.xml index d1eaee3fe..e7362bfed 100644 --- a/bitbots_lowlevel/bitbots_ros_control/package.xml +++ b/bitbots_lowlevel/bitbots_ros_control/package.xml @@ -27,7 +27,7 @@ controller_manager dynamixel_workbench_toolbox hardware_interface - humanoid_league_speaker + bitbots_tts pluginlib rclcpp realtime_tools diff --git a/bitbots_misc/bitbots_tts/README.md b/bitbots_misc/bitbots_tts/README.md deleted file mode 100644 index 757a78a97..000000000 --- a/bitbots_misc/bitbots_tts/README.md +++ /dev/null @@ -1,7 +0,0 @@ -If you get an import error from the following line: - from humanoid_league_speaker.cfg import speaker_paramsConfig -Do from catkin directory: - cp src/humanoid_league_misc/humanoid_league_speaker/cfg/speaker_paramsConfig.cfg devel/lib/python2.7/dist-packages/humanoid_league_speaker/cfg -And rebuild. - -I don't know why this problem exists. diff --git a/bitbots_misc/bitbots_tts/config/speaker_config.yaml b/bitbots_misc/bitbots_tts/config/tts_config.yaml similarity index 100% rename from bitbots_misc/bitbots_tts/config/speaker_config.yaml rename to bitbots_misc/bitbots_tts/config/tts_config.yaml diff --git a/bitbots_misc/bitbots_tts/launch/tts.launch b/bitbots_misc/bitbots_tts/launch/tts.launch index e5c792088..5f3f78bb5 100644 --- a/bitbots_misc/bitbots_tts/launch/tts.launch +++ b/bitbots_misc/bitbots_tts/launch/tts.launch @@ -1,6 +1,6 @@ - - - + + + - \ No newline at end of file + diff --git a/bitbots_misc/bitbots_tts/package.xml b/bitbots_misc/bitbots_tts/package.xml index be4db8c03..1b91e5396 100644 --- a/bitbots_misc/bitbots_tts/package.xml +++ b/bitbots_misc/bitbots_tts/package.xml @@ -1,9 +1,9 @@ - humanoid_league_speaker + bitbots_tts 2.0.0 - The humanoid_league_speaker package provides an easy way to do audio speech output via espeak. + The bitbots_tts package provides an easy way to do audio speech output via a text to speach engine. Messages send to the /speak topic are queued and spoken in another thread depending on their priority. This can be used for debug but also for inter robot communication with natural language. diff --git a/bitbots_misc/bitbots_tts/setup.cfg b/bitbots_misc/bitbots_tts/setup.cfg index 5ff8ed032..902ac0ff9 100644 --- a/bitbots_misc/bitbots_tts/setup.cfg +++ b/bitbots_misc/bitbots_tts/setup.cfg @@ -1,4 +1,4 @@ [develop] -script_dir=$base/lib/humanoid_league_speaker +script_dir=$base/lib/bitbots_tts [install] -install_scripts=$base/lib/humanoid_league_speaker +install_scripts=$base/lib/bitbots_tts diff --git a/bitbots_misc/bitbots_tts/setup.py b/bitbots_misc/bitbots_tts/setup.py index 7d6cecef5..301de3cc5 100644 --- a/bitbots_misc/bitbots_tts/setup.py +++ b/bitbots_misc/bitbots_tts/setup.py @@ -2,7 +2,7 @@ from setuptools import find_packages, setup -package_name = "humanoid_league_speaker" +package_name = "bitbots_tts" setup( name=package_name, @@ -19,7 +19,7 @@ scripts=["scripts/send_text.py"], entry_points={ "console_scripts": [ - "speaker = humanoid_league_speaker.speaker:main", + "tts = bitbots_tts.tts:main", ], }, ) diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/pickup.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/pickup.py index f6569d999..0e33bb10e 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/pickup.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/pickup.py @@ -1,4 +1,4 @@ -from humanoid_league_speaker.speaker import speak +from bitbots_tts.tts import speak from bitbots_hcm.hcm_dsd.decisions import AbstractHCMDecisionElement diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/humanoid_control_module.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/humanoid_control_module.py index dcfba872e..c3cda8855 100755 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/humanoid_control_module.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/humanoid_control_module.py @@ -5,11 +5,11 @@ import rclpy from ament_index_python import get_package_share_directory +from bitbots_tts.tts import speak from bitbots_utils.utils import get_parameters_from_ros_yaml from builtin_interfaces.msg import Time as TimeMsg from diagnostic_msgs.msg import DiagnosticArray, DiagnosticStatus from dynamic_stack_decider.dsd import DSD -from humanoid_league_speaker.speaker import speak from rcl_interfaces.msg import Parameter as ParameterMsg from rclpy.duration import Duration from rclpy.executors import MultiThreadedExecutor diff --git a/bitbots_motion/bitbots_hcm/package.xml b/bitbots_motion/bitbots_hcm/package.xml index 40e25f4d0..f447d5b28 100644 --- a/bitbots_motion/bitbots_hcm/package.xml +++ b/bitbots_motion/bitbots_hcm/package.xml @@ -24,7 +24,7 @@ bitbots_utils dynamic_stack_decider geometry_msgs - humanoid_league_speaker + bitbots_tts pybind11-dev python3-numpy python3-transforms3d diff --git a/bitbots_motion/bitbots_hcm/scripts/pause.py b/bitbots_motion/bitbots_hcm/scripts/pause.py index 74302bb85..1651060fb 100755 --- a/bitbots_motion/bitbots_hcm/scripts/pause.py +++ b/bitbots_motion/bitbots_hcm/scripts/pause.py @@ -1,6 +1,6 @@ #!/usr/bin/env python3 import rclpy -from humanoid_league_speaker.speaker import speak +from bitbots_tts.tts import speak from rclpy.node import Node from std_msgs.msg import Bool diff --git a/sync_includes_wolfgang_nuc.yaml b/sync_includes_wolfgang_nuc.yaml index 82b1fcc85..dbf330cbc 100644 --- a/sync_includes_wolfgang_nuc.yaml +++ b/sync_includes_wolfgang_nuc.yaml @@ -14,6 +14,7 @@ include: - bitbots_robot_description - bitbots_teleop - bitbots_tf_listener + - bitbots_tts - bitbots_utils - system_monitor - bitbots_motion: @@ -40,7 +41,6 @@ include: - bitbots_ball_filter - bitbots_robot_filter - humanoid_league_misc: - - humanoid_league_speaker - humanoid_league_team_communication - lib: - audio_common From 008d5f1d89ac9c27f424028cae1154ce93a5f51d Mon Sep 17 00:00:00 2001 From: Florian Vahl <7vahl@informatik.uni-hamburg.de> Date: Wed, 31 Jan 2024 11:48:54 +0100 Subject: [PATCH 16/63] Rename team comm --- .gitignore | 4 +- .../bitbots_bringup/launch/highlevel.launch | 2 +- .../launch/visualization.launch | 5 +- .../bitbots_containers/hlvs/Dockerfile | 2 +- .../docs/manual/testing/testing.rst | 46 +----------------- .../CMakeLists.txt | 11 ++--- .../bitbots_team_communication}/__init__.py | 0 .../communication.py | 0 .../converter/__init__.py | 0 .../message_to_team_data_converter.py | 4 +- .../converter/robocup_protocol_converter.py | 6 +-- .../converter/state_to_message_converter.py | 2 +- .../humanoid_league_team_communication.py | 10 ++-- .../config/team_comm_marker.rviz | 0 .../config/team_communication_config.yaml | 0 .../docs/_static/logo.png | Bin .../docs/conf.py | 0 .../docs/index.rst | 0 .../launch/team_comm.launch | 4 +- .../launch/team_comm_standalone.launch | 4 +- .../launch/team_comm_test_marker.launch | 11 +++++ .../package.xml | 4 +- .../scripts/show_team_comm.py | 0 .../scripts/team_comm.py | 7 +++ .../scripts/team_comm_test_marker.py | 0 .../scripts/test_team_comm.py | 0 .../scripts/tmux_testing_setup.zsh | 8 +-- bitbots_team_communication/setup.cfg | 4 ++ .../setup.py | 2 +- .../test/__init__.py | 0 .../test_message_to_team_data_converter.ambr | 0 .../test_robocup_protocol_converter.ambr | 0 .../test_state_to_message_converter.ambr | 0 .../test_message_to_team_data_converter.py | 4 +- .../test_robocup_protocol_converter.py | 13 ++--- .../test_state_to_message_converter.py | 6 +-- .../wolfgang_robocup_api/scripts/start.sh | 4 +- .../.gitignore | 1 - .../launch/team_comm_test_marker.launch | 11 ----- .../scripts/team_comm.py | 7 --- .../setup.cfg | 4 -- sync_includes_wolfgang_nuc.yaml | 3 +- workspace.repos | 2 +- 43 files changed, 70 insertions(+), 121 deletions(-) rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/CMakeLists.txt (84%) rename {humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication => bitbots_team_communication/bitbots_team_communication}/__init__.py (100%) rename {humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication => bitbots_team_communication/bitbots_team_communication}/communication.py (100%) rename {humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication => bitbots_team_communication/bitbots_team_communication}/converter/__init__.py (100%) rename {humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication => bitbots_team_communication/bitbots_team_communication}/converter/message_to_team_data_converter.py (95%) rename {humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication => bitbots_team_communication/bitbots_team_communication}/converter/robocup_protocol_converter.py (91%) rename {humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication => bitbots_team_communication/bitbots_team_communication}/converter/state_to_message_converter.py (99%) rename {humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication => bitbots_team_communication/bitbots_team_communication}/humanoid_league_team_communication.py (95%) rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/config/team_comm_marker.rviz (100%) rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/config/team_communication_config.yaml (100%) rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/docs/_static/logo.png (100%) rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/docs/conf.py (100%) rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/docs/index.rst (100%) rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/launch/team_comm.launch (54%) rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/launch/team_comm_standalone.launch (64%) create mode 100644 bitbots_team_communication/launch/team_comm_test_marker.launch rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/package.xml (89%) rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/scripts/show_team_comm.py (100%) create mode 100755 bitbots_team_communication/scripts/team_comm.py rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/scripts/team_comm_test_marker.py (100%) rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/scripts/test_team_comm.py (100%) rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/scripts/tmux_testing_setup.zsh (67%) create mode 100644 bitbots_team_communication/setup.cfg rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/setup.py (82%) rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/test/__init__.py (100%) rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/test/converter/__snapshots__/test_message_to_team_data_converter.ambr (100%) rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/test/converter/__snapshots__/test_robocup_protocol_converter.ambr (100%) rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/test/converter/__snapshots__/test_state_to_message_converter.ambr (100%) rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/test/converter/test_message_to_team_data_converter.py (94%) rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/test/converter/test_robocup_protocol_converter.py (79%) rename {humanoid_league_misc/humanoid_league_team_communication => bitbots_team_communication}/test/converter/test_state_to_message_converter.py (97%) delete mode 100644 humanoid_league_misc/humanoid_league_team_communication/.gitignore delete mode 100644 humanoid_league_misc/humanoid_league_team_communication/launch/team_comm_test_marker.launch delete mode 100755 humanoid_league_misc/humanoid_league_team_communication/scripts/team_comm.py delete mode 100644 humanoid_league_misc/humanoid_league_team_communication/setup.cfg diff --git a/.gitignore b/.gitignore index 314ea06dc..be8ecd54c 100644 --- a/.gitignore +++ b/.gitignore @@ -221,5 +221,7 @@ doku/* /lib/ # Path to the protocol buffer definitions, which are a diffrerent repository and managed by vcstool -/humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/RobocupProtocol +/bitbots_team_communication/bitbots_team_communication/RobocupProtocol +# Protobuf generated file +/bitbots_team_communication/bitbots_team_communication/robocup_extension_pb2.py diff --git a/bitbots_misc/bitbots_bringup/launch/highlevel.launch b/bitbots_misc/bitbots_bringup/launch/highlevel.launch index bf87c6d92..78b0b0624 100644 --- a/bitbots_misc/bitbots_bringup/launch/highlevel.launch +++ b/bitbots_misc/bitbots_bringup/launch/highlevel.launch @@ -40,7 +40,7 @@ - + diff --git a/bitbots_misc/bitbots_bringup/launch/visualization.launch b/bitbots_misc/bitbots_bringup/launch/visualization.launch index fc9f3bead..ef1afa501 100644 --- a/bitbots_misc/bitbots_bringup/launch/visualization.launch +++ b/bitbots_misc/bitbots_bringup/launch/visualization.launch @@ -34,10 +34,7 @@ - - - - + diff --git a/bitbots_misc/bitbots_containers/hlvs/Dockerfile b/bitbots_misc/bitbots_containers/hlvs/Dockerfile index 73015f7f7..2affe1c26 100644 --- a/bitbots_misc/bitbots_containers/hlvs/Dockerfile +++ b/bitbots_misc/bitbots_containers/hlvs/Dockerfile @@ -61,7 +61,7 @@ ADD https://www.timeapi.io/api/Time/current/zone?timeZone=UTC /tmp/build-time RUN cd src/bitbots_main && \ make pull-all && \ rm -rf lib/udp_bridge bitbots_misc/bitbots_containers \ - humanoid_league_visualization dynamic_stack_decider/dynamic_stack_decider_visualization bitbots_lowlevel \ + lib/dynamic_stack_decider/dynamic_stack_decider_visualization bitbots_lowlevel \ bitbots_wolfgang/wolfgang_pybullet_sim lib/DynamixelSDK lib/dynamixel-workbench \ bitbots_misc/bitbots_basler_camera lib/pylon-ros-camera && \ sed -i '/plotjuggler/d' bitbots_motion/bitbots_quintic_walk/package.xml && \ diff --git a/bitbots_misc/bitbots_docs/docs/manual/testing/testing.rst b/bitbots_misc/bitbots_docs/docs/manual/testing/testing.rst index 0353a6b01..e3990f5f3 100644 --- a/bitbots_misc/bitbots_docs/docs/manual/testing/testing.rst +++ b/bitbots_misc/bitbots_docs/docs/manual/testing/testing.rst @@ -59,47 +59,6 @@ Starting (starts) The next step is to check if the package actually starts without crashing instantly with an obvious error. A part of this is that a launch file exists. -Testing in Visualization (tested_viz) ----------------------------------------- - -The easiest real test if the software works is in visualization with fake data/commands and then to look at the output. -For this you can also use real data that was recorded in a rosbag. - -For this, it is important to be aware of your own testing bias. -Humans tend to test their own software for exactly the use cases they had in mind during programming. -However it is important to explicitly check all possibilities. -This means especially to test for edge cases and on robustness, e.g., testing with wrong data and against other parts of the software stack that crash. -A good method for this is to let someone else test your software, someone who was not involved in the programming of it. - -This method is essentially used to prevent errors from happening and less to see how well something works. -The tests in this stage can be done via multiple methods: - -Input -^^^^^^^^^^^ - -1. ros2 topic pub -2. RViz interactive marker - 1. Path planning: inbuilt Navigation goal in RViz - 2. behavior: humanoid_league_interactive_marker -3. special test scripts: - 1. walking: bitbots_teleop - 2. behavior: sim_gamestate (in gamecontroller package) -4. rosbags - -Output -^^^^^^^^^^^^ - -1. ros2 topic echo -2. RViz marker - 1. Object detection: humanoid_league_rviz_marker - 2. Walking: published its own markers -3. RViz robot model - 1. you might need to make the joint commands into joint_state (bitbots_bringup motor_goals_viz_helper.py) -4. special visualization tools for rqt - 1. DSD: dynamic_stack_decider_visualization - 2. Object Detection: humanoid_league_relative_rqt - 3. Vision: bitbots_vision_tools - Testing in Simulation ------------------------------------------------ @@ -139,8 +98,7 @@ Conclusion 1. Each package has to be tested on its own 1. compiles 2. starts - 3. using visualization - 4. using simulation - 5. on the real robot + 3. using simulation + 4. on the real robot 2. test packages pairwise 3. test the complete stack (integration) diff --git a/humanoid_league_misc/humanoid_league_team_communication/CMakeLists.txt b/bitbots_team_communication/CMakeLists.txt similarity index 84% rename from humanoid_league_misc/humanoid_league_team_communication/CMakeLists.txt rename to bitbots_team_communication/CMakeLists.txt index d4b7de9e7..d6965a5bd 100644 --- a/humanoid_league_misc/humanoid_league_team_communication/CMakeLists.txt +++ b/bitbots_team_communication/CMakeLists.txt @@ -1,5 +1,5 @@ cmake_minimum_required(VERSION 3.5) -project(humanoid_league_team_communication) +project(bitbots_team_communication) find_package(ament_cmake REQUIRED) find_package(ament_cmake_python REQUIRED) @@ -16,18 +16,17 @@ find_package(bitbots_docs REQUIRED) find_package(Protobuf REQUIRED) protobuf_generate_python( - PROTO_PY - humanoid_league_team_communication/RobocupProtocol/robocup_extension.proto) + PROTO_PY bitbots_team_communication/RobocupProtocol/robocup_extension.proto) add_custom_target( - humanoid_league_team_communication ALL + bitbots_team_communication ALL DEPENDS ${PROTO_PY} COMMENT "Generating protobuf") add_custom_command( - TARGET humanoid_league_team_communication + TARGET bitbots_team_communication POST_BUILD COMMAND ${CMAKE_COMMAND} -E copy ${PROTO_PY} - ${CMAKE_SOURCE_DIR}/humanoid_league_team_communication + ${CMAKE_SOURCE_DIR}/bitbots_team_communication COMMENT "Copying protobuf to source dir") enable_bitbots_docs() diff --git a/humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/__init__.py b/bitbots_team_communication/bitbots_team_communication/__init__.py similarity index 100% rename from humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/__init__.py rename to bitbots_team_communication/bitbots_team_communication/__init__.py diff --git a/humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/communication.py b/bitbots_team_communication/bitbots_team_communication/communication.py similarity index 100% rename from humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/communication.py rename to bitbots_team_communication/bitbots_team_communication/communication.py diff --git a/humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/converter/__init__.py b/bitbots_team_communication/bitbots_team_communication/converter/__init__.py similarity index 100% rename from humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/converter/__init__.py rename to bitbots_team_communication/bitbots_team_communication/converter/__init__.py diff --git a/humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/converter/message_to_team_data_converter.py b/bitbots_team_communication/bitbots_team_communication/converter/message_to_team_data_converter.py similarity index 95% rename from humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/converter/message_to_team_data_converter.py rename to bitbots_team_communication/bitbots_team_communication/converter/message_to_team_data_converter.py index 8da775b91..1dd4b0fe2 100644 --- a/humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/converter/message_to_team_data_converter.py +++ b/bitbots_team_communication/bitbots_team_communication/converter/message_to_team_data_converter.py @@ -4,7 +4,7 @@ from geometry_msgs.msg import PoseWithCovariance from numpy import double -import humanoid_league_team_communication.robocup_extension_pb2 as Proto # noqa: N812 +import bitbots_team_communication.robocup_extension_pb2 as Proto # noqa: N812 from bitbots_msgs.msg import RobotRelative, RobotRelativeArray, TeamData @@ -22,8 +22,6 @@ def convert(self, message: Proto.Message, team_data: TeamData) -> TeamData: team_data.robot_position = self.convert_robot_pose(message.current_pose) team_data.ball_absolute = self.convert_ball_pose(message.ball) - # @TODO: change TeamData field/type to robots - # see: https://github.com/bit-bots/humanoid_league_misc/issues/125 team_data.robots = self.convert_robots(message.others, message.other_robot_confidence) team_data.robots.header = team_data.header diff --git a/humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/converter/robocup_protocol_converter.py b/bitbots_team_communication/bitbots_team_communication/converter/robocup_protocol_converter.py similarity index 91% rename from humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/converter/robocup_protocol_converter.py rename to bitbots_team_communication/bitbots_team_communication/converter/robocup_protocol_converter.py index 52b6e8c16..68cb2eb3d 100644 --- a/humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/converter/robocup_protocol_converter.py +++ b/bitbots_team_communication/bitbots_team_communication/converter/robocup_protocol_converter.py @@ -2,10 +2,10 @@ from soccer_vision_attribute_msgs.msg import Robot as RobotAttributes -import humanoid_league_team_communication.robocup_extension_pb2 as Proto # noqa: N812 +import bitbots_team_communication.robocup_extension_pb2 as Proto # noqa: N812 from bitbots_msgs.msg import RobotRelative, Strategy -from humanoid_league_team_communication.converter.message_to_team_data_converter import MessageToTeamDataConverter -from humanoid_league_team_communication.converter.state_to_message_converter import StateToMessageConverter +from bitbots_team_communication.converter.message_to_team_data_converter import MessageToTeamDataConverter +from bitbots_team_communication.converter.state_to_message_converter import StateToMessageConverter class TeamColor(IntEnum): diff --git a/humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/converter/state_to_message_converter.py b/bitbots_team_communication/bitbots_team_communication/converter/state_to_message_converter.py similarity index 99% rename from humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/converter/state_to_message_converter.py rename to bitbots_team_communication/bitbots_team_communication/converter/state_to_message_converter.py index 5c6e2f75b..056c73dd7 100644 --- a/humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/converter/state_to_message_converter.py +++ b/bitbots_team_communication/bitbots_team_communication/converter/state_to_message_converter.py @@ -8,7 +8,7 @@ from rclpy.time import Time from soccer_vision_3d_msgs.msg import Robot, RobotArray -import humanoid_league_team_communication.robocup_extension_pb2 as Proto # noqa: N812 +import bitbots_team_communication.robocup_extension_pb2 as Proto # noqa: N812 from bitbots_msgs.msg import Strategy diff --git a/humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/humanoid_league_team_communication.py b/bitbots_team_communication/bitbots_team_communication/humanoid_league_team_communication.py similarity index 95% rename from humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/humanoid_league_team_communication.py rename to bitbots_team_communication/bitbots_team_communication/humanoid_league_team_communication.py index 16b776f74..d11bc16ab 100755 --- a/humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/humanoid_league_team_communication.py +++ b/bitbots_team_communication/bitbots_team_communication/humanoid_league_team_communication.py @@ -21,19 +21,19 @@ from tf2_geometry_msgs import PointStamped, PoseStamped from tf2_ros import Buffer, TransformException -import humanoid_league_team_communication.robocup_extension_pb2 as Proto # noqa: N812 +import bitbots_team_communication.robocup_extension_pb2 as Proto # noqa: N812 from bitbots_msgs.msg import Strategy, TeamData -from humanoid_league_team_communication.communication import SocketCommunication -from humanoid_league_team_communication.converter.robocup_protocol_converter import RobocupProtocolConverter, TeamColor +from bitbots_team_communication.communication import SocketCommunication +from bitbots_team_communication.converter.robocup_protocol_converter import RobocupProtocolConverter, TeamColor class HumanoidLeagueTeamCommunication: def __init__(self): - self._package_path = get_package_share_directory("humanoid_league_team_communication") + self._package_path = get_package_share_directory("bitbots_team_communication") self.node = Node("team_comm", automatically_declare_parameters_from_overrides=True) self.logger = self.node.get_logger() - self.logger.info("Initializing humanoid_league_team_communication...") + self.logger.info("Initializing bitbots_team_communication...") params_blackboard = get_parameters_from_other_node( self.node, "parameter_blackboard", ["bot_id", "team_id", "team_color"] ) diff --git a/humanoid_league_misc/humanoid_league_team_communication/config/team_comm_marker.rviz b/bitbots_team_communication/config/team_comm_marker.rviz similarity index 100% rename from humanoid_league_misc/humanoid_league_team_communication/config/team_comm_marker.rviz rename to bitbots_team_communication/config/team_comm_marker.rviz diff --git a/humanoid_league_misc/humanoid_league_team_communication/config/team_communication_config.yaml b/bitbots_team_communication/config/team_communication_config.yaml similarity index 100% rename from humanoid_league_misc/humanoid_league_team_communication/config/team_communication_config.yaml rename to bitbots_team_communication/config/team_communication_config.yaml diff --git a/humanoid_league_misc/humanoid_league_team_communication/docs/_static/logo.png b/bitbots_team_communication/docs/_static/logo.png similarity index 100% rename from humanoid_league_misc/humanoid_league_team_communication/docs/_static/logo.png rename to bitbots_team_communication/docs/_static/logo.png diff --git a/humanoid_league_misc/humanoid_league_team_communication/docs/conf.py b/bitbots_team_communication/docs/conf.py similarity index 100% rename from humanoid_league_misc/humanoid_league_team_communication/docs/conf.py rename to bitbots_team_communication/docs/conf.py diff --git a/humanoid_league_misc/humanoid_league_team_communication/docs/index.rst b/bitbots_team_communication/docs/index.rst similarity index 100% rename from humanoid_league_misc/humanoid_league_team_communication/docs/index.rst rename to bitbots_team_communication/docs/index.rst diff --git a/humanoid_league_misc/humanoid_league_team_communication/launch/team_comm.launch b/bitbots_team_communication/launch/team_comm.launch similarity index 54% rename from humanoid_league_misc/humanoid_league_team_communication/launch/team_comm.launch rename to bitbots_team_communication/launch/team_comm.launch index c6ff979c4..2bb22f9c4 100644 --- a/humanoid_league_misc/humanoid_league_team_communication/launch/team_comm.launch +++ b/bitbots_team_communication/launch/team_comm.launch @@ -3,8 +3,8 @@ - - + + diff --git a/humanoid_league_misc/humanoid_league_team_communication/launch/team_comm_standalone.launch b/bitbots_team_communication/launch/team_comm_standalone.launch similarity index 64% rename from humanoid_league_misc/humanoid_league_team_communication/launch/team_comm_standalone.launch rename to bitbots_team_communication/launch/team_comm_standalone.launch index 1f30efbf7..b3a092a71 100644 --- a/humanoid_league_misc/humanoid_league_team_communication/launch/team_comm_standalone.launch +++ b/bitbots_team_communication/launch/team_comm_standalone.launch @@ -6,8 +6,8 @@ - - + + diff --git a/bitbots_team_communication/launch/team_comm_test_marker.launch b/bitbots_team_communication/launch/team_comm_test_marker.launch new file mode 100644 index 000000000..d688e7034 --- /dev/null +++ b/bitbots_team_communication/launch/team_comm_test_marker.launch @@ -0,0 +1,11 @@ + + + + + + + + + + + diff --git a/humanoid_league_misc/humanoid_league_team_communication/package.xml b/bitbots_team_communication/package.xml similarity index 89% rename from humanoid_league_misc/humanoid_league_team_communication/package.xml rename to bitbots_team_communication/package.xml index 40388bf6d..038c2c1f0 100644 --- a/humanoid_league_misc/humanoid_league_team_communication/package.xml +++ b/bitbots_team_communication/package.xml @@ -1,9 +1,9 @@ - humanoid_league_team_communication + bitbots_team_communication 3.0.0 - The humanoid_league_team_communication package provides a ROS wrapper for the Protobuf RoboCup protocol. + The bitbots_team_communication package provides a ROS wrapper for the Protobuf RoboCup protocol. This is the standard communication protocol developed by the NUbots. Joern Griepenburg diff --git a/humanoid_league_misc/humanoid_league_team_communication/scripts/show_team_comm.py b/bitbots_team_communication/scripts/show_team_comm.py similarity index 100% rename from humanoid_league_misc/humanoid_league_team_communication/scripts/show_team_comm.py rename to bitbots_team_communication/scripts/show_team_comm.py diff --git a/bitbots_team_communication/scripts/team_comm.py b/bitbots_team_communication/scripts/team_comm.py new file mode 100755 index 000000000..f1376f6cd --- /dev/null +++ b/bitbots_team_communication/scripts/team_comm.py @@ -0,0 +1,7 @@ +#!/usr/bin/env python3 + +import sys + +from bitbots_team_communication.bitbots_team_communication import main + +sys.exit(main()) diff --git a/humanoid_league_misc/humanoid_league_team_communication/scripts/team_comm_test_marker.py b/bitbots_team_communication/scripts/team_comm_test_marker.py similarity index 100% rename from humanoid_league_misc/humanoid_league_team_communication/scripts/team_comm_test_marker.py rename to bitbots_team_communication/scripts/team_comm_test_marker.py diff --git a/humanoid_league_misc/humanoid_league_team_communication/scripts/test_team_comm.py b/bitbots_team_communication/scripts/test_team_comm.py similarity index 100% rename from humanoid_league_misc/humanoid_league_team_communication/scripts/test_team_comm.py rename to bitbots_team_communication/scripts/test_team_comm.py diff --git a/humanoid_league_misc/humanoid_league_team_communication/scripts/tmux_testing_setup.zsh b/bitbots_team_communication/scripts/tmux_testing_setup.zsh similarity index 67% rename from humanoid_league_misc/humanoid_league_team_communication/scripts/tmux_testing_setup.zsh rename to bitbots_team_communication/scripts/tmux_testing_setup.zsh index a1725c0dc..dd6cf059e 100755 --- a/humanoid_league_misc/humanoid_league_team_communication/scripts/tmux_testing_setup.zsh +++ b/bitbots_team_communication/scripts/tmux_testing_setup.zsh @@ -1,7 +1,7 @@ #!/usr/bin/env zsh session="TeamComm" -pkg="humanoid_league_team_communication" +pkg="bitbots_team_communication" run_tmux_session() { session_running="$(tmux list-sessions | grep $session)" @@ -17,11 +17,11 @@ run_tmux_session() { # run required launch files in order tmux send-keys -t "$session:Base" "rl bitbots_utils base.launch" Enter - tmux send-keys -t "$session:Launch" "rl humanoid_league_team_communication team_comm.launch" Enter + tmux send-keys -t "$session:Launch" "rl bitbots_team_communication team_comm.launch" Enter # start test publisher/subscriber - tmux send-keys -t "$session:Test.top" "rr humanoid_league_team_communication test_team_comm.py" Enter - tmux send-keys -t "$session:Test.bottom" "rr humanoid_league_team_communication show_team_comm.py" Enter + tmux send-keys -t "$session:Test.top" "rr bitbots_team_communication test_team_comm.py" Enter + tmux send-keys -t "$session:Test.bottom" "rr bitbots_team_communication show_team_comm.py" Enter fi tmux attach-session -t "$session:Test" diff --git a/bitbots_team_communication/setup.cfg b/bitbots_team_communication/setup.cfg new file mode 100644 index 000000000..bf74a5f51 --- /dev/null +++ b/bitbots_team_communication/setup.cfg @@ -0,0 +1,4 @@ +[develop] +script_dir=$base/lib/bitbots_team_communication +[install] +install_scripts=$base/lib/bitbots_team_communication diff --git a/humanoid_league_misc/humanoid_league_team_communication/setup.py b/bitbots_team_communication/setup.py similarity index 82% rename from humanoid_league_misc/humanoid_league_team_communication/setup.py rename to bitbots_team_communication/setup.py index c32cdd8ae..c7defe03d 100644 --- a/humanoid_league_misc/humanoid_league_team_communication/setup.py +++ b/bitbots_team_communication/setup.py @@ -1,6 +1,6 @@ from setuptools import find_packages, setup -package_name = "humanoid_league_team_communication" +package_name = "bitbots_team_communication" setup( name=package_name, diff --git a/humanoid_league_misc/humanoid_league_team_communication/test/__init__.py b/bitbots_team_communication/test/__init__.py similarity index 100% rename from humanoid_league_misc/humanoid_league_team_communication/test/__init__.py rename to bitbots_team_communication/test/__init__.py diff --git a/humanoid_league_misc/humanoid_league_team_communication/test/converter/__snapshots__/test_message_to_team_data_converter.ambr b/bitbots_team_communication/test/converter/__snapshots__/test_message_to_team_data_converter.ambr similarity index 100% rename from humanoid_league_misc/humanoid_league_team_communication/test/converter/__snapshots__/test_message_to_team_data_converter.ambr rename to bitbots_team_communication/test/converter/__snapshots__/test_message_to_team_data_converter.ambr diff --git a/humanoid_league_misc/humanoid_league_team_communication/test/converter/__snapshots__/test_robocup_protocol_converter.ambr b/bitbots_team_communication/test/converter/__snapshots__/test_robocup_protocol_converter.ambr similarity index 100% rename from humanoid_league_misc/humanoid_league_team_communication/test/converter/__snapshots__/test_robocup_protocol_converter.ambr rename to bitbots_team_communication/test/converter/__snapshots__/test_robocup_protocol_converter.ambr diff --git a/humanoid_league_misc/humanoid_league_team_communication/test/converter/__snapshots__/test_state_to_message_converter.ambr b/bitbots_team_communication/test/converter/__snapshots__/test_state_to_message_converter.ambr similarity index 100% rename from humanoid_league_misc/humanoid_league_team_communication/test/converter/__snapshots__/test_state_to_message_converter.ambr rename to bitbots_team_communication/test/converter/__snapshots__/test_state_to_message_converter.ambr diff --git a/humanoid_league_misc/humanoid_league_team_communication/test/converter/test_message_to_team_data_converter.py b/bitbots_team_communication/test/converter/test_message_to_team_data_converter.py similarity index 94% rename from humanoid_league_misc/humanoid_league_team_communication/test/converter/test_message_to_team_data_converter.py rename to bitbots_team_communication/test/converter/test_message_to_team_data_converter.py index 83ef9a82e..e98bedd7c 100644 --- a/humanoid_league_misc/humanoid_league_team_communication/test/converter/test_message_to_team_data_converter.py +++ b/bitbots_team_communication/test/converter/test_message_to_team_data_converter.py @@ -1,9 +1,9 @@ -import humanoid_league_team_communication.robocup_extension_pb2 as Proto # noqa: N812 import pytest -from humanoid_league_team_communication.converter.robocup_protocol_converter import RobocupProtocolConverter, TeamColor from std_msgs.msg import Header +import bitbots_team_communication.robocup_extension_pb2 as Proto # noqa: N812 from bitbots_msgs.msg import RobotRelative, Strategy, TeamData +from bitbots_team_communication.converter.robocup_protocol_converter import RobocupProtocolConverter, TeamColor own_team_id = 1 own_team_color = TeamColor(own_team_id) diff --git a/humanoid_league_misc/humanoid_league_team_communication/test/converter/test_robocup_protocol_converter.py b/bitbots_team_communication/test/converter/test_robocup_protocol_converter.py similarity index 79% rename from humanoid_league_misc/humanoid_league_team_communication/test/converter/test_robocup_protocol_converter.py rename to bitbots_team_communication/test/converter/test_robocup_protocol_converter.py index 0734ddec6..b71aa41d6 100644 --- a/humanoid_league_misc/humanoid_league_team_communication/test/converter/test_robocup_protocol_converter.py +++ b/bitbots_team_communication/test/converter/test_robocup_protocol_converter.py @@ -1,10 +1,11 @@ from unittest.mock import MagicMock -import humanoid_league_team_communication.robocup_extension_pb2 as Proto # noqa: N812 import pytest -from humanoid_league_team_communication.converter.robocup_protocol_converter import RobocupProtocolConverter, TeamColor from soccer_vision_attribute_msgs.msg import Robot as RobotAttributes +import bitbots_team_communication.robocup_extension_pb2 as Proto # noqa: N812 +from bitbots_team_communication.converter.robocup_protocol_converter import RobocupProtocolConverter, TeamColor + own_team_color = TeamColor.BLUE @@ -55,13 +56,9 @@ def protocol_converter() -> RobocupProtocolConverter: @pytest.fixture def to_message_mock(mocker) -> MagicMock: - return mocker.patch( - "humanoid_league_team_communication.converter.robocup_protocol_converter.StateToMessageConverter" - ) + return mocker.patch("bitbots_team_communication.converter.robocup_protocol_converter.StateToMessageConverter") @pytest.fixture def from_message_mock(mocker) -> MagicMock: - return mocker.patch( - "humanoid_league_team_communication.converter.robocup_protocol_converter.MessageToTeamDataConverter" - ) + return mocker.patch("bitbots_team_communication.converter.robocup_protocol_converter.MessageToTeamDataConverter") diff --git a/humanoid_league_misc/humanoid_league_team_communication/test/converter/test_state_to_message_converter.py b/bitbots_team_communication/test/converter/test_state_to_message_converter.py similarity index 97% rename from humanoid_league_misc/humanoid_league_team_communication/test/converter/test_state_to_message_converter.py rename to bitbots_team_communication/test/converter/test_state_to_message_converter.py index a768fa176..44d3b7ebd 100644 --- a/humanoid_league_misc/humanoid_league_team_communication/test/converter/test_state_to_message_converter.py +++ b/bitbots_team_communication/test/converter/test_state_to_message_converter.py @@ -1,6 +1,5 @@ from unittest.mock import Mock -import humanoid_league_team_communication.robocup_extension_pb2 as Proto # noqa: N812 import numpy import pytest from game_controller_hl_interfaces.msg import GameState @@ -15,15 +14,16 @@ Twist, Vector3, ) -from humanoid_league_team_communication.converter.robocup_protocol_converter import RobocupProtocolConverter, TeamColor -from humanoid_league_team_communication.humanoid_league_team_communication import HumanoidLeagueTeamCommunication from rclpy.time import Time from soccer_vision_3d_msgs.msg import Robot, RobotArray from soccer_vision_attribute_msgs.msg import Confidence from soccer_vision_attribute_msgs.msg import Robot as RobotAttributes from std_msgs.msg import Header +import bitbots_team_communication.robocup_extension_pb2 as Proto # noqa: N812 from bitbots_msgs.msg import Strategy +from bitbots_team_communication.bitbots_team_communication import HumanoidLeagueTeamCommunication +from bitbots_team_communication.converter.robocup_protocol_converter import RobocupProtocolConverter, TeamColor own_team_id = 1 own_team_color = TeamColor(own_team_id) diff --git a/bitbots_wolfgang/wolfgang_robocup_api/scripts/start.sh b/bitbots_wolfgang/wolfgang_robocup_api/scripts/start.sh index d98029caa..4a2d9ba05 100755 --- a/bitbots_wolfgang/wolfgang_robocup_api/scripts/start.sh +++ b/bitbots_wolfgang/wolfgang_robocup_api/scripts/start.sh @@ -59,10 +59,10 @@ if [[ ! -d "$UTILS_DIR" ]]; then exit 2 fi -TEAM_COMM_DIR=$COLCON_PREFIX_PATH/humanoid_league_team_communication/share/humanoid_league_team_communication +TEAM_COMM_DIR=$COLCON_PREFIX_PATH/bitbots_team_communication/share/bitbots_team_communication if [[ ! -d "$TEAM_COMM_DIR" ]]; then - echo "Could not find humanoid_league_team_communication!" + echo "Could not find bitbots_team_communication!" exit 2 fi diff --git a/humanoid_league_misc/humanoid_league_team_communication/.gitignore b/humanoid_league_misc/humanoid_league_team_communication/.gitignore deleted file mode 100644 index c1da6f902..000000000 --- a/humanoid_league_misc/humanoid_league_team_communication/.gitignore +++ /dev/null @@ -1 +0,0 @@ -humanoid_league_team_communication/robocup_extension_pb2.py diff --git a/humanoid_league_misc/humanoid_league_team_communication/launch/team_comm_test_marker.launch b/humanoid_league_misc/humanoid_league_team_communication/launch/team_comm_test_marker.launch deleted file mode 100644 index 34c76143b..000000000 --- a/humanoid_league_misc/humanoid_league_team_communication/launch/team_comm_test_marker.launch +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - diff --git a/humanoid_league_misc/humanoid_league_team_communication/scripts/team_comm.py b/humanoid_league_misc/humanoid_league_team_communication/scripts/team_comm.py deleted file mode 100755 index e926827a6..000000000 --- a/humanoid_league_misc/humanoid_league_team_communication/scripts/team_comm.py +++ /dev/null @@ -1,7 +0,0 @@ -#!/usr/bin/env python3 - -import sys - -from humanoid_league_team_communication.humanoid_league_team_communication import main - -sys.exit(main()) diff --git a/humanoid_league_misc/humanoid_league_team_communication/setup.cfg b/humanoid_league_misc/humanoid_league_team_communication/setup.cfg deleted file mode 100644 index aed8a1a75..000000000 --- a/humanoid_league_misc/humanoid_league_team_communication/setup.cfg +++ /dev/null @@ -1,4 +0,0 @@ -[develop] -script_dir=$base/lib/humanoid_league_team_communication -[install] -install_scripts=$base/lib/humanoid_league_team_communication diff --git a/sync_includes_wolfgang_nuc.yaml b/sync_includes_wolfgang_nuc.yaml index dbf330cbc..599fba0e4 100644 --- a/sync_includes_wolfgang_nuc.yaml +++ b/sync_includes_wolfgang_nuc.yaml @@ -32,6 +32,7 @@ include: - bitbots_localization - bitbots_localization_handler - bitbots_path_planning + - bitbots_team_communication - bitbots_vision - bitbots_wolfgang: - wolfgang_animations @@ -40,8 +41,6 @@ include: - bitbots_world_model: - bitbots_ball_filter - bitbots_robot_filter - - humanoid_league_misc: - - humanoid_league_team_communication - lib: - audio_common - bio_ik diff --git a/workspace.repos b/workspace.repos index 3eaa3fb13..4f1002572 100644 --- a/workspace.repos +++ b/workspace.repos @@ -1,5 +1,5 @@ repositories: - humanoid_league_misc/humanoid_league_team_communication/humanoid_league_team_communication/RobocupProtocol: + bitbots_team_communication/bitbots_team_communication/RobocupProtocol: type: git url: git@github.com:bit-bots/RobocupProtocol.git lib/dynamic_stack_decider: From 357d53c1b865e6c03a5fa4e3bc6b0c54b9c5f22c Mon Sep 17 00:00:00 2001 From: Florian Vahl <7vahl@informatik.uni-hamburg.de> Date: Wed, 31 Jan 2024 12:18:08 +0100 Subject: [PATCH 17/63] Rename main team comm file --- ...league_team_communication.py => bitbots_team_communication.py} | 0 1 file changed, 0 insertions(+), 0 deletions(-) rename bitbots_team_communication/bitbots_team_communication/{humanoid_league_team_communication.py => bitbots_team_communication.py} (100%) diff --git a/bitbots_team_communication/bitbots_team_communication/humanoid_league_team_communication.py b/bitbots_team_communication/bitbots_team_communication/bitbots_team_communication.py similarity index 100% rename from bitbots_team_communication/bitbots_team_communication/humanoid_league_team_communication.py rename to bitbots_team_communication/bitbots_team_communication/bitbots_team_communication.py From 1d18b878ee3b8693b913be8f2f81c13fc6173edf Mon Sep 17 00:00:00 2001 From: Florian Vahl <7vahl@informatik.uni-hamburg.de> Date: Wed, 31 Jan 2024 12:18:35 +0100 Subject: [PATCH 18/63] testing script fixes --- .../scripts/show_team_comm.py | 2 +- .../scripts/test_team_comm.py | 5 ++++- .../scripts/tmux_testing_setup.zsh | 13 ++++++------- 3 files changed, 11 insertions(+), 9 deletions(-) diff --git a/bitbots_team_communication/scripts/show_team_comm.py b/bitbots_team_communication/scripts/show_team_comm.py index 80c96c7d4..14e137f6b 100755 --- a/bitbots_team_communication/scripts/show_team_comm.py +++ b/bitbots_team_communication/scripts/show_team_comm.py @@ -105,7 +105,7 @@ def generate_string(self, data: TeamData): lines.append(f" y: {round(data.ball_absolute.pose.position.y, 3):<4}") lines.append(f" x_cov: {round(data.ball_absolute.covariance[0], 3):<4}") lines.append(f" y_cov: {round(data.ball_absolute.covariance[7], 3):<4}") - lines.append(f"Obstacles found: {len(data.obstacles.obstacles)}") + lines.append(f"Robots found: {len(data.robots.robots)}") lines.append("Strategy") lines.append(f" Role: {self.roles[data.strategy.role]:<9}") lines.append(f" Action: {self.actions[data.strategy.action]:<15}") diff --git a/bitbots_team_communication/scripts/test_team_comm.py b/bitbots_team_communication/scripts/test_team_comm.py index 53d37c014..d392b3309 100755 --- a/bitbots_team_communication/scripts/test_team_comm.py +++ b/bitbots_team_communication/scripts/test_team_comm.py @@ -7,6 +7,7 @@ import rclpy from game_controller_hl_interfaces.msg import GameState from geometry_msgs.msg import Point, Pose, PoseWithCovariance, PoseWithCovarianceStamped, Quaternion, TransformStamped +from rclpy.qos import QoSDurabilityPolicy, QoSProfile from soccer_vision_3d_msgs.msg import Robot, RobotArray from soccer_vision_attribute_msgs.msg import Robot as RobotAttributes from tf2_ros import StaticTransformBroadcaster @@ -51,7 +52,9 @@ def base_footprint_transform(): node = rclpy.create_node("test_team_comm") tf_static_broadcaster = StaticTransformBroadcaster(node) - gamestate_pub = node.create_publisher(GameState, "gamestate", 1) + gamestate_pub = node.create_publisher( + GameState, "gamestate", qos_profile=QoSProfile(depth=1, durability=QoSDurabilityPolicy.TRANSIENT_LOCAL) + ) strategy_pub = node.create_publisher(Strategy, "strategy", 1) ball_pub = node.create_publisher(PoseWithCovarianceStamped, "ball_position_relative_filtered", 1) position_pub = node.create_publisher(PoseWithCovarianceStamped, "pose_with_covariance", 1) diff --git a/bitbots_team_communication/scripts/tmux_testing_setup.zsh b/bitbots_team_communication/scripts/tmux_testing_setup.zsh index dd6cf059e..877e939c8 100755 --- a/bitbots_team_communication/scripts/tmux_testing_setup.zsh +++ b/bitbots_team_communication/scripts/tmux_testing_setup.zsh @@ -10,18 +10,16 @@ run_tmux_session() { tmux new-session -d -s "$session" # window/pane setup - tmux rename-window -t "$session:1" "Launch" - tmux new-window -t "$session:2" -n "Test" + tmux rename-window -t "$session:0" "Launch" + tmux new-window -t "$session:1" -n "Test" tmux split-window -h - tmux new-window -t "$session:3" -n "Base" # run required launch files in order - tmux send-keys -t "$session:Base" "rl bitbots_utils base.launch" Enter - tmux send-keys -t "$session:Launch" "rl bitbots_team_communication team_comm.launch" Enter + tmux send-keys -t "$session:Launch" "rl bitbots_team_communication team_comm_standalone.launch" Enter # start test publisher/subscriber - tmux send-keys -t "$session:Test.top" "rr bitbots_team_communication test_team_comm.py" Enter - tmux send-keys -t "$session:Test.bottom" "rr bitbots_team_communication show_team_comm.py" Enter + tmux send-keys -t "$session:Test.left" "rr bitbots_team_communication test_team_comm.py" Enter + tmux send-keys -t "$session:Test.right" "rr bitbots_team_communication show_team_comm.py" Enter fi tmux attach-session -t "$session:Test" @@ -35,4 +33,5 @@ trap kill_session INT cd "$COLCON_WS" colcon build --symlink-install --packages-up-to "$pkg" +source install/setup.zsh run_tmux_session From 2b4847084441292d9e40fdcfd88be924d40e4e57 Mon Sep 17 00:00:00 2001 From: Florian Vahl <7vahl@informatik.uni-hamburg.de> Date: Wed, 31 Jan 2024 12:20:03 +0100 Subject: [PATCH 19/63] Rename main class --- .../bitbots_team_communication/bitbots_team_communication.py | 4 ++-- .../test/converter/test_state_to_message_converter.py | 4 ++-- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/bitbots_team_communication/bitbots_team_communication/bitbots_team_communication.py b/bitbots_team_communication/bitbots_team_communication/bitbots_team_communication.py index d11bc16ab..8a185f89e 100755 --- a/bitbots_team_communication/bitbots_team_communication/bitbots_team_communication.py +++ b/bitbots_team_communication/bitbots_team_communication/bitbots_team_communication.py @@ -27,7 +27,7 @@ from bitbots_team_communication.converter.robocup_protocol_converter import RobocupProtocolConverter, TeamColor -class HumanoidLeagueTeamCommunication: +class TeamCommunication: def __init__(self): self._package_path = get_package_share_directory("bitbots_team_communication") self.node = Node("team_comm", automatically_declare_parameters_from_overrides=True) @@ -240,7 +240,7 @@ def get_current_time(self) -> Time: def main(): rclpy.init(args=None) - HumanoidLeagueTeamCommunication() + TeamCommunication() if __name__ == "__main__": diff --git a/bitbots_team_communication/test/converter/test_state_to_message_converter.py b/bitbots_team_communication/test/converter/test_state_to_message_converter.py index 44d3b7ebd..5fd888a4d 100644 --- a/bitbots_team_communication/test/converter/test_state_to_message_converter.py +++ b/bitbots_team_communication/test/converter/test_state_to_message_converter.py @@ -22,7 +22,7 @@ import bitbots_team_communication.robocup_extension_pb2 as Proto # noqa: N812 from bitbots_msgs.msg import Strategy -from bitbots_team_communication.bitbots_team_communication import HumanoidLeagueTeamCommunication +from bitbots_team_communication.bitbots_team_communication import TeamCommunication from bitbots_team_communication.converter.robocup_protocol_converter import RobocupProtocolConverter, TeamColor own_team_id = 1 @@ -305,7 +305,7 @@ def state_with_gamestate(state): @pytest.fixture def state(): - state = Mock(HumanoidLeagueTeamCommunication) + state = Mock(TeamCommunication) state.player_id = 2 state.team_id = own_team_id state.gamestate = None From 7d3f66dc28a78a155f6af15881a722c0182b0101 Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Wed, 7 Feb 2024 16:58:10 +0100 Subject: [PATCH 20/63] Add code style badge --- README.md | 1 + 1 file changed, 1 insertion(+) diff --git a/README.md b/README.md index 89a92a3ef..c04f8132d 100644 --- a/README.md +++ b/README.md @@ -1,6 +1,7 @@ # Bit-Bots Software Stack [![Build & Test](https://github.com/bit-bots/bitbots_main/actions/workflows/ci.yml/badge.svg)](https://github.com/bit-bots/bitbots_main/actions/workflows/ci.yml) +[![Code style checks](https://github.com/bit-bots/bitbots_main/actions/workflows/pre-commit.yml/badge.svg)](https://github.com/bit-bots/bitbots_main/actions/workflows/pre-commit.yml) [![ROS Version Iron](https://img.shields.io/badge/ROS%20Version-Iron-ab8c71)](https://docs.ros.org/en/iron/index.html) This git repository contains all RoboCup-related code and documentation from the Hamburg Bit-Bots team. From b1b8c5605355a8459254dd2983e43d3e747ccb85 Mon Sep 17 00:00:00 2001 From: ayin21 Date: Thu, 8 Feb 2024 11:03:09 +0000 Subject: [PATCH 21/63] Add rosdocked --- .../bitbots_containers/dev/Dockerfile | 127 ++++++++++++++++++ bitbots_misc/bitbots_containers/dev/README.md | 54 ++++++++ bitbots_misc/bitbots_containers/dev/build | 18 +++ bitbots_misc/bitbots_containers/dev/connect | 19 +++ bitbots_misc/bitbots_containers/dev/start | 37 +++++ bitbots_misc/bitbots_containers/dev/stop | 10 ++ 6 files changed, 265 insertions(+) create mode 100644 bitbots_misc/bitbots_containers/dev/Dockerfile create mode 100644 bitbots_misc/bitbots_containers/dev/README.md create mode 100755 bitbots_misc/bitbots_containers/dev/build create mode 100755 bitbots_misc/bitbots_containers/dev/connect create mode 100755 bitbots_misc/bitbots_containers/dev/start create mode 100755 bitbots_misc/bitbots_containers/dev/stop diff --git a/bitbots_misc/bitbots_containers/dev/Dockerfile b/bitbots_misc/bitbots_containers/dev/Dockerfile new file mode 100644 index 000000000..2ce26915f --- /dev/null +++ b/bitbots_misc/bitbots_containers/dev/Dockerfile @@ -0,0 +1,127 @@ +FROM ros:iron + +# Arguments +ARG user +ARG uid +ARG home +ARG workspace +ARG shell + +# Basic Utilities +ENV DEBIAN_FRONTEND=noninteractive +RUN apt-get update -y \ + && apt-get install -y apt-utils auto-apt-proxy \ + && apt-get install -y \ + build-essential \ + curl \ + gdb \ + gnupg2 \ + htop \ + iproute2 \ + iputils-ping \ + ipython3 \ + jq \ + less \ + libncurses5-dev \ + locales \ + ranger \ + screen \ + ssh \ + sudo \ + synaptic \ + tig \ + tmux \ + tree \ + uvcdynctrl \ + vim \ + vlc \ + wget \ + x11-apps \ + zsh + +# Setup locale +RUN echo 'en_US.UTF-8 UTF-8' > /etc/locale.gen \ + && locale-gen \ + && update-locale LANG=en_US.UTF-8 \ + && ln -s /usr/bin/python3 /usr/bin/python + +ENV LANG en_US.UTF-8 +ENV LANGUAGE en_US:en +ENV LC_ALL en_US.UTF-8 + +# Setup and prioritize packages.bit-bots.de repository +RUN apt update -y \ + && apt upgrade -y --allow-downgrades + +# Additional custom dependencies +RUN apt-get install -y \ + espeak \ + ffmpeg \ + libespeak-dev \ + libfmt-dev \ + librange-v3-dev \ + librostest-dev \ + libtf-conversions-dev \ + liburdfdom-dev \ + libyaml-cpp-dev \ + llvm \ + protobuf-compiler \ + python3-colcon-common-extensions \ + python3-colcon-ed \ + python3-construct \ + python3-pip \ + python3-protobuf \ + python3-pybind11 \ + python3-rosdep \ + radeontop \ + ros-iron-camera-calibration \ + ros-iron-camera-info-manager \ + ros-iron-controller-manager \ + ros-iron-desktop \ + ros-iron-diagnostic-aggregator \ + ros-iron-effort-controllers \ + ros-iron-gazebo-msgs \ + ros-iron-image-proc \ + ros-iron-joint-state-broadcaster \ + ros-iron-joint-state-publisher-gui \ + ros-iron-joint-trajectory-controller \ + ros-iron-joy-linux \ + ros-iron-moveit-planners-ompl \ + ros-iron-moveit-ros \ + ros-iron-moveit-simple-controller-manager \ + ros-iron-nav2-bringup \ + # ros-iron-plotjuggler-ros containing plotjuggler ros plugins + # build currently fails and is not available as a package so we + # have to manually install plotjuggler and plotjuggler-msgs + # https://github.com/PlotJuggler/plotjuggler-ros-plugins/issues/59 + ros-iron-plotjuggler \ + ros-iron-plotjuggler-msgs \ + ros-iron-position-controllers \ + ros-iron-rmw-cyclonedds-cpp \ + ros-iron-robot-localization \ + ros-iron-rot-conv \ + ros-iron-rqt-robot-monitor \ + ros-iron-soccer-vision-2d-msgs \ + ros-iron-soccer-vision-3d-rviz-markers \ + ros-iron-test-msgs \ + ros-iron-tf-transformations \ + ros-iron-transmission-interface \ + ros-iron-velocity-controllers \ + && pip3 install pip -U \ + && python3 -m pip install git+https://github.com/ruffsl/colcon-clean + +# Mount the user's home directory +VOLUME "${home}" + +# Clone user into docker image and set up X11 sharing +RUN echo "${user}:x:${uid}:${uid}:${user},,,:${home}:${shell}" >> /etc/passwd \ + && echo "${user}:*::0:99999:0:::" >> /etc/shadow \ + && echo "${user}:x:${uid}:" >> /etc/group \ + && echo "${user} ALL=(ALL) NOPASSWD: ALL" >> "/etc/sudoers" + +# Switch to user +USER "${user}" +# This is required for sharing Xauthority +ENV QT_X11_NO_MITSHM=1 +# Switch to the workspace +WORKDIR ${workspace} diff --git a/bitbots_misc/bitbots_containers/dev/README.md b/bitbots_misc/bitbots_containers/dev/README.md new file mode 100644 index 000000000..fe5ac485f --- /dev/null +++ b/bitbots_misc/bitbots_containers/dev/README.md @@ -0,0 +1,54 @@ +## rosdocked + +🐳 ❤️ 🤖 + +Run ROS 2 within Docker on any platform with a shared username, home directory, and X11. + +This enables you to build and run a persistent ROS workspace as long as +you can run Docker images. + +Note that any changes made outside of your home directory from within the Docker environment will not persist. If you want to add additional binary packages or remove some of the dependencies that are currently installed, change the Dockerfile accordingly and rebuild. + +For more info on Docker see here: https://docs.docker.com/engine/installation/linux/ubuntulinux/ + +### Install Docker + +Install Docker on your system, add your user to the `docker` group (`sudo usermod -aG docker $USER`), log out and in again and start and enable the docker service (`sudo systemctl start docker && sudo systemctl enable docker`). + +### Build + +This will create the image with your user/group ID and home directory. + +``` +./build +``` + +### Run + +This will start the docker image. + +``` +./start +``` + +This will connect a shell to the docker image + +``` +./connect +``` + +A video device is shared with the container. This video device can be set in the `run` script and will appear in the container as `/dev/video0`. + +The Docker image will use your own shell configuration. To provide different settings inside and outside of the container, you can make use of the `$DOCKER` environment variable that is set to `1` inside of the docker image. To make use of this put something like + +``` +if [[ -n "$DOCKER" ]]; then + # Settings for inside of the docker + export PROMPT="DOCKER $PROMPT" # Prefix the prompt with DOCKER + # source workspace, etc. +else + # Settings for outside of the docker +fi +``` + +in your `.bashrc` or `.zshrc`. diff --git a/bitbots_misc/bitbots_containers/dev/build b/bitbots_misc/bitbots_containers/dev/build new file mode 100755 index 000000000..817b57800 --- /dev/null +++ b/bitbots_misc/bitbots_containers/dev/build @@ -0,0 +1,18 @@ +#!/usr/bin/env bash +set -eEou pipefail + +IMAGE_NAME=bitbots-dev-iron +WORKSPACE=${ROS_WORKSPACE:-$HOME} + +# Build the docker image +docker build \ + --pull \ + --network=host \ + --build-arg user=$USER \ + --build-arg uid=$UID \ + --build-arg home=$HOME \ + --build-arg workspace=$WORKSPACE \ + --build-arg shell=$SHELL \ + -t $IMAGE_NAME \ + $@ \ + - < Dockerfile diff --git a/bitbots_misc/bitbots_containers/dev/connect b/bitbots_misc/bitbots_containers/dev/connect new file mode 100755 index 000000000..381e7093b --- /dev/null +++ b/bitbots_misc/bitbots_containers/dev/connect @@ -0,0 +1,19 @@ +#!/usr/bin/env bash +set -eEou pipefail + +IMAGE_NAME=ros-iron +CONTAINER_NAME=`docker ps --filter status=running --filter ancestor=$IMAGE_NAME --format "{{.Names}}"` + +if [[ -z $CONTAINER_NAME ]]; then + echo "Container not running, starting it" + DIR=`dirname $0` + bash -c "$DIR/start" +fi + +CONTAINER_NAME=`docker ps --filter status=running --filter ancestor=$IMAGE_NAME --format "{{.Names}}"` + +if [[ -z $@ ]]; then + docker exec -it $CONTAINER_NAME $SHELL +else + docker exec -it $CONTAINER_NAME "$@" +fi diff --git a/bitbots_misc/bitbots_containers/dev/start b/bitbots_misc/bitbots_containers/dev/start new file mode 100755 index 000000000..4cd16f7ba --- /dev/null +++ b/bitbots_misc/bitbots_containers/dev/start @@ -0,0 +1,37 @@ +#!/usr/bin/env bash +set -eEou pipefail + +IMAGE_NAME=ros-iron +VIDEO_DEVICE=/dev/video0 +# Get the group number of the video group, docker groups may differ +VIDEO_GROUP=`stat -c "%g" $VIDEO_DEVICE` + +# Test whether a running container exists +CONTAINER_NAME=`docker ps --filter status=running --filter ancestor=$IMAGE_NAME --format "{{.Names}}"` +if [[ -n $CONTAINER_NAME ]]; then + echo "Container already running, connect with ./connect or stop it with ./stop" + exit 1 +fi + +# Test whether a stopped container exists +CONTAINER_NAME=`docker ps --filter status=exited --filter ancestor=$IMAGE_NAME --format "{{.Names}}"` +if [[ -n $CONTAINER_NAME ]]; then + echo "Resuming stopped container" + docker start $CONTAINER_NAME > /dev/null +else + # Run the container with shared X11 + docker run -d \ + --net=host \ + --add-host=$HOSTNAME:127.0.1.1 \ + -e SHELL \ + -e DISPLAY \ + -e DOCKER=1 \ + -v "$HOME:$HOME:rw" \ + -v "/tmp/.X11-unix:/tmp/.X11-unix:rw" \ + --device=$VIDEO_DEVICE:/dev/video0 \ + --group-add=$VIDEO_GROUP \ + --cap-add=SYS_PTRACE \ + --security-opt seccomp=unconfined \ + --name "rosdocked_iron" \ + -it $IMAGE_NAME > /dev/null # Do not print container id +fi diff --git a/bitbots_misc/bitbots_containers/dev/stop b/bitbots_misc/bitbots_containers/dev/stop new file mode 100755 index 000000000..587a44555 --- /dev/null +++ b/bitbots_misc/bitbots_containers/dev/stop @@ -0,0 +1,10 @@ +#!/usr/bin/env bash + +IMAGE_NAME=ros-iron +CONTAINER_NAME=`docker ps --filter status=running --filter ancestor=$IMAGE_NAME --format "{{.Names}}"` + +if [[ -z $CONTAINER_NAME ]]; then + echo "The container is not running" +else + docker stop $CONTAINER_NAME > /dev/null # Do not print container name +fi From 73a1305b65eef3a4ec0f328d0a741bceb9d60ae7 Mon Sep 17 00:00:00 2001 From: Florian Vahl <7vahl@informatik.uni-hamburg.de> Date: Fri, 16 Feb 2024 20:15:33 +0100 Subject: [PATCH 22/63] Use ruff format instead of black --- .pre-commit-config.yaml | 5 +---- bitbots_team_communication/scripts/team_comm_test_marker.py | 4 +--- requirements/dev.txt | 1 - 3 files changed, 2 insertions(+), 8 deletions(-) diff --git a/.pre-commit-config.yaml b/.pre-commit-config.yaml index b6d200d59..f0c83494f 100644 --- a/.pre-commit-config.yaml +++ b/.pre-commit-config.yaml @@ -6,10 +6,7 @@ repos: args: - "--fix" - "--exit-non-zero-on-fix" - - repo: https://github.com/psf/black - rev: 23.10.0 # keep this version for Ubuntu support - hooks: - - id: black + - id: ruff-format - repo: https://github.com/pocc/pre-commit-hooks rev: v1.3.5 hooks: diff --git a/bitbots_team_communication/scripts/team_comm_test_marker.py b/bitbots_team_communication/scripts/team_comm_test_marker.py index 10c25392f..5461596f9 100755 --- a/bitbots_team_communication/scripts/team_comm_test_marker.py +++ b/bitbots_team_communication/scripts/team_comm_test_marker.py @@ -279,9 +279,7 @@ def publish(self): ] msg.ball_absolute = ball_absolute - cartesian_distance = math.sqrt( - ball_relative.pose.position.x**2 + ball_relative.pose.position.y**2 - ) + cartesian_distance = math.sqrt(ball_relative.pose.position.x**2 + ball_relative.pose.position.y**2) msg.time_to_position_at_ball = cartesian_distance / ROBOT_SPEED except tf2_ros.LookupException as ex: self.get_logger().warn(self.get_name() + ": " + str(ex), throttle_duration_sec=10.0) diff --git a/requirements/dev.txt b/requirements/dev.txt index e7caa998d..f261b1dcb 100644 --- a/requirements/dev.txt +++ b/requirements/dev.txt @@ -1,6 +1,5 @@ # This file is used by pip to install dependencies for the development environment -r robot.txt # Include robot.txt dependencies -black # Auto-formatting for python exhale # Necessary for rst rendering fabric # Manages SSH sessions for the deploy tool paramiko # Necessary for fabric From 0e42d40b2275545517f541f5d7749aeaaa450ed7 Mon Sep 17 00:00:00 2001 From: Jan Gutsche Date: Sun, 18 Feb 2024 17:51:36 +0100 Subject: [PATCH 23/63] Set autoDocstring vscode extension to not insert types --- .vscode/settings.json | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/.vscode/settings.json b/.vscode/settings.json index d53f24ee5..ed6d5a889 100644 --- a/.vscode/settings.json +++ b/.vscode/settings.json @@ -1,5 +1,6 @@ { - "autoDocstring.docstringFormat": "sphinx", + "autoDocstring.docstringFormat": "sphinx-notypes", + "autoDocstring.startOnNewLine": true, "cSpell.language": "en,de-de,lorem", "cSpell.words": [ "ansible", From 6a6677a6c26155381e20711e7908338e705f5338 Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Sun, 18 Feb 2024 18:07:31 +0100 Subject: [PATCH 24/63] Make parameters not optional --- .../actions/dribble_forward.py | 2 +- .../actions/get_walkready.py | 2 +- .../bitbots_body_behavior/actions/go_to.py | 8 +- .../actions/go_to_ball.py | 2 +- .../actions/go_to_block_position.py | 2 +- .../actions/go_to_corner_kick_position.py | 2 +- .../actions/go_to_defense_position.py | 2 +- .../actions/go_to_pass_position.py | 6 +- .../actions/go_to_role_position.py | 2 +- .../actions/head_modes.py | 2 +- .../actions/kick_ball.py | 4 +- .../actions/play_animation.py | 4 +- .../bitbots_body_behavior/actions/stand.py | 6 +- .../bitbots_body_behavior/actions/timer.py | 4 +- .../bitbots_body_behavior/actions/turn.py | 4 +- .../bitbots_body_behavior/actions/walk.py | 2 +- .../decisions/aligned_to_goal.py | 2 +- .../decisions/avoid_ball.py | 2 +- .../decisions/ball_close.py | 2 +- .../decisions/ball_dangerous.py | 2 +- .../decisions/ball_in_defensive_area.py | 4 +- .../decisions/ball_kick_area.py | 2 +- .../decisions/ball_seen.py | 2 +- .../decisions/closest_to_ball.py | 6 +- .../decisions/config_role.py | 2 +- .../decisions/current_score.py | 2 +- .../decisions/do_once.py | 2 +- .../decisions/dribble_or_kick.py | 2 +- .../decisions/game_state_decider.py | 2 +- .../decisions/goal_scored.py | 4 +- .../decisions/goalie_handling_ball.py | 2 +- .../decisions/is_penalized.py | 2 +- .../decisions/kick_off_time_up.py | 2 +- .../decisions/last_player.py | 2 +- .../decisions/pass_started.py | 2 +- .../decisions/reached_goal.py | 4 +- .../decisions/secondary_state_decider.py | 6 +- .../bitbots_body_behavior/decisions/timer.py | 4 +- .../bitbots_hcm/hcm_dsd/actions/__init__.py | 2 +- .../hcm_dsd/actions/cancel_goals.py | 2 +- .../hcm_dsd/actions/change_motor_power.py | 2 +- .../hcm_dsd/actions/play_animation.py | 4 +- .../hcm_dsd/actions/set_foot_zero.py | 2 +- .../bitbots_hcm/hcm_dsd/actions/wait.py | 2 +- .../bitbots_hcm/hcm_dsd/decisions/__init__.py | 2 +- .../hcm_dsd/decisions/check_hardware.py | 6 +- .../bitbots_hcm/hcm_dsd/decisions/fallen.py | 2 +- .../bitbots_hcm/hcm_dsd/decisions/falling.py | 2 +- .../bitbots_hcm/hcm_dsd/decisions/startup.py | 2 +- .../bitbots_quintic_walk_engine_params.cfg | 90 ------------------- .../localization_dsd/actions/__init__.py | 2 +- .../localization_dsd/actions/initialize.py | 4 +- .../localization_dsd/actions/stop.py | 6 +- .../localization_dsd/decisions/__init__.py | 2 +- .../localization_dsd/decisions/fall.py | 2 +- .../localization_dsd/decisions/game_state.py | 4 +- .../localization_dsd/decisions/walk.py | 2 +- 57 files changed, 82 insertions(+), 172 deletions(-) delete mode 100755 bitbots_motion/bitbots_quintic_walk/cfg/bitbots_quintic_walk_engine_params.cfg diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/dribble_forward.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/dribble_forward.py index 5ace4c208..818b4a4b0 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/dribble_forward.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/dribble_forward.py @@ -7,7 +7,7 @@ class DribbleForward(AbstractActionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.max_speed_x = self.blackboard.config["dribble_max_speed_x"] self.min_speed_x = -0.1 diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/get_walkready.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/get_walkready.py index 97b703d3a..9988367f0 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/get_walkready.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/get_walkready.py @@ -8,7 +8,7 @@ class GetWalkready(AbstractActionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.direction = "walkready" self.first_perform = True diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to.py index 6db3aa621..f9a3f32e6 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to.py @@ -52,7 +52,7 @@ def perform(self, reevaluate=False): class GoToAbsolutePosition(AbstractActionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): """Go to an absolute position on the field""" super().__init__(blackboard, dsd) self.point = parameters @@ -71,7 +71,7 @@ def perform(self, reevaluate=False): class GoToOwnGoal(GoToAbsolutePosition): - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): """Go to the own goal""" super().__init__(blackboard, dsd, parameters) self.point = ( @@ -82,7 +82,7 @@ def __init__(self, blackboard, dsd, parameters=None): class GoToEnemyGoal(GoToAbsolutePosition): - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): """Go to the enemy goal""" super().__init__(blackboard, dsd, parameters) self.point = ( @@ -93,7 +93,7 @@ def __init__(self, blackboard, dsd, parameters=None): class GoToCenterpoint(GoToAbsolutePosition): - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): """Go to the center of the field and look towards the enemy goal""" super().__init__(blackboard, dsd, parameters) self.point = 0, 0, 0 diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_ball.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_ball.py index c448bf8bd..758b06dbb 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_ball.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_ball.py @@ -10,7 +10,7 @@ class GoToBall(AbstractActionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) if "target" not in parameters.keys(): diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_block_position.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_block_position.py index fb1fcc19c..6e44ec5d7 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_block_position.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_block_position.py @@ -6,7 +6,7 @@ class GoToBlockPosition(AbstractActionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.block_position_goal_offset = self.blackboard.config["block_position_goal_offset"] self.block_position_gradient_factor = self.blackboard.config["block_position_gradient_factor"] diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_corner_kick_position.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_corner_kick_position.py index f9e3c7a33..582ac4115 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_corner_kick_position.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_corner_kick_position.py @@ -10,7 +10,7 @@ class GoToCornerKickPosition(AbstractActionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) # optional parameter which goes into the block position at a certain distance to the ball diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_defense_position.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_defense_position.py index 7deaca286..67077702d 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_defense_position.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_defense_position.py @@ -11,7 +11,7 @@ class GoToDefensePosition(AbstractActionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) # Also apply offset from the ready positions to the defense positions diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_pass_position.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_pass_position.py index 0c28b0fc8..303d3e610 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_pass_position.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_pass_position.py @@ -7,7 +7,7 @@ class AbstractGoToPassPosition(AbstractActionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, accept, parameters=None): + def __init__(self, blackboard, dsd, accept, parameters): super().__init__(blackboard, dsd, parameters) self.max_x = self.blackboard.config["supporter_max_x"] self.pass_pos_x = self.blackboard.config["pass_position_x"] @@ -52,7 +52,7 @@ class GoToPassPreparePosition(AbstractGoToPassPosition): Go to a position 1m left or right from the ball (whichever is closer) as preparation for a pass """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, False, parameters) @@ -61,5 +61,5 @@ class GoToPassAcceptPosition(AbstractGoToPassPosition): Go to a position forward of the ball to accept a pass from another robot. """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, True, parameters) diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_role_position.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_role_position.py index 40da7c1b3..b42d6a848 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_role_position.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/go_to_role_position.py @@ -6,7 +6,7 @@ class GoToRolePosition(AbstractActionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) role_positions = self.blackboard.config["role_positions"] kickoff_type = "active" if self.blackboard.gamestate.has_kickoff() else "passive" diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/head_modes.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/head_modes.py index 1fa669c49..f801e55c8 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/head_modes.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/head_modes.py @@ -15,7 +15,7 @@ class AbstractHeadModeElement(AbstractActionElement): class LookAtBall(AbstractHeadModeElement): """Search for Ball and track it if found""" - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) def perform(self): diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/kick_ball.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/kick_ball.py index 1b6bfb344..b372d28ec 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/kick_ball.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/kick_ball.py @@ -14,7 +14,7 @@ def pop(self): class KickBallStatic(AbstractKickAction): - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) if "foot" not in parameters.keys(): # usually, we kick with the right foot @@ -38,7 +38,7 @@ class KickBallDynamic(AbstractKickAction): Kick the ball using bitbots_dynamic_kick """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) if parameters.get("type", None) == "penalty": self.penalty_kick = True diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/play_animation.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/play_animation.py index 9fda96342..280a68435 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/play_animation.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/play_animation.py @@ -9,8 +9,8 @@ class AbstractPlayAnimation(AbstractActionElement, ABC): Abstract class to create actions for playing animations """ - def __init__(self, blackboard, dsd, parameters=None): - super().__init__(blackboard, dsd, parameters=None) + def __init__(self, blackboard, dsd, parameters): + super().__init__(blackboard, dsd, parameters) self.blackboard: BodyBlackboard self.first_perform = True diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/stand.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/stand.py index 07d1784fd..e3e50d0d6 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/stand.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/stand.py @@ -18,7 +18,7 @@ def perform(self, reevaluate=False): class WalkInPlace(AbstractActionElement): """This keeps walking in place and optionally pops itself after a given time""" - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.blackboard: BodyBlackboard self.duration = parameters.get("duration", None) @@ -41,7 +41,7 @@ def perform(self, reevaluate=False): class Stand(WalkInPlace): """This stops the robot's walking and optionally pops itself after a given time""" - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) # Cancel the path planning if it is running self.blackboard.pathfinding.cancel_goal() @@ -59,7 +59,7 @@ def perform(self, reevaluate=False): class StandAndWaitRandom(Stand): """This stops the robot's walking for a random amount of time""" - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.min = parameters.get("min", None) self.max = parameters.get("max", None) diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/timer.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/timer.py index 0b72bc167..c25d3fe11 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/timer.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/timer.py @@ -3,7 +3,7 @@ class StartTimer(AbstractActionElement): - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.blackboard: BodyBlackboard @@ -20,7 +20,7 @@ def perform(self, reevaluate=False): class EndTimer(AbstractActionElement): - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.blackboard: BodyBlackboard diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/turn.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/turn.py index e20774a79..b3e09a150 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/turn.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/turn.py @@ -8,7 +8,7 @@ class TurnAround(AbstractActionElement): - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.blackboard: BodyBlackboard @@ -52,7 +52,7 @@ class Turn(AbstractActionElement): The sign of max speed indicates the direction (positive = left, negative = right). """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.blackboard: BodyBlackboard self.current_rotation_vel = 0.0 diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/walk.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/walk.py index bfa34c56e..210891d36 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/walk.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/actions/walk.py @@ -4,7 +4,7 @@ class WalkForward(AbstractActionElement): - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd) self.time = parameters.get("time", 0.5) self.start_time = self.blackboard.node.get_clock().now() diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/aligned_to_goal.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/aligned_to_goal.py index 2db84c508..0ab56dab3 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/aligned_to_goal.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/aligned_to_goal.py @@ -7,7 +7,7 @@ class AlignedToGoal(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.goalpost_safety_distance = self.blackboard.config["goalpost_safety_distance"] self.field_length = self.blackboard.world_model.field_length diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/avoid_ball.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/avoid_ball.py index 20d56b2ed..440007dbf 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/avoid_ball.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/avoid_ball.py @@ -5,7 +5,7 @@ class AvoidBall(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) def perform(self, reevaluate=False): diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_close.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_close.py index 141523db2..44e7b8aac 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_close.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_close.py @@ -7,7 +7,7 @@ class BallClose(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.ball_close_distance = parameters.get("distance", self.blackboard.config["ball_close_distance"]) self.ball_close_angle = parameters.get("angle", math.pi) diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_dangerous.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_dangerous.py index d4d79fe49..13164f498 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_dangerous.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_dangerous.py @@ -5,7 +5,7 @@ class BallDangerous(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.goal_radius = parameters.get("radius", self.blackboard.config["ball_dangerous_goal_radius"]) self.center_width = self.blackboard.config["ball_dangerous_center"] diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_in_defensive_area.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_in_defensive_area.py index ffd41e45c..c805ede22 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_in_defensive_area.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_in_defensive_area.py @@ -5,7 +5,7 @@ class BallInDefensiveArea(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.defensive_area = self.blackboard.config["defensive_area"] @@ -31,7 +31,7 @@ def get_reevaluate(self): class BallInOwnPercent(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.percent = parameters["p"] diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_kick_area.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_kick_area.py index 19002cc0a..bb88554b6 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_kick_area.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_kick_area.py @@ -5,7 +5,7 @@ class BallKickArea(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.kick_x_enter = self.blackboard.config["kick_x_enter"] self.kick_y_enter = self.blackboard.config["kick_y_enter"] diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_seen.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_seen.py index 76548bac0..a77f5f76c 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_seen.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/ball_seen.py @@ -6,7 +6,7 @@ class BallSeen(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.ball_lost_time = Duration(seconds=self.blackboard.config["ball_lost_time"]) diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/closest_to_ball.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/closest_to_ball.py index 3cc27eb55..31943693b 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/closest_to_ball.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/closest_to_ball.py @@ -5,7 +5,7 @@ class ClosestToBallNoGoalie(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) def perform(self, reevaluate=False): @@ -24,7 +24,7 @@ def get_reevaluate(self): class ClosestToBall(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) def perform(self, reevaluate=False): @@ -43,7 +43,7 @@ def get_reevaluate(self): class RankToBallNoGoalie(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) def perform(self, reevaluate=False): diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/config_role.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/config_role.py index fa7a46885..6f198d2b9 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/config_role.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/config_role.py @@ -9,7 +9,7 @@ class ConfigRole(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.role = self.blackboard.team_data.role diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/current_score.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/current_score.py index fd7416bf4..3b540640d 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/current_score.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/current_score.py @@ -5,7 +5,7 @@ class CurrentScore(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) def perform(self, reevaluate=False): diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/do_once.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/do_once.py index 6b1c3cbd5..b118fe8e2 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/do_once.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/do_once.py @@ -2,7 +2,7 @@ class DoOnce(AbstractDecisionElement): - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.done = False diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/dribble_or_kick.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/dribble_or_kick.py index a2d5f6953..5e52b7132 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/dribble_or_kick.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/dribble_or_kick.py @@ -5,7 +5,7 @@ class DribbleOrKick(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.orient_threshold = self.blackboard.config["dribble_orient_threshold"] self.goal_distance_threshold = self.blackboard.config["dribble_goal_distance_threshold"] diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/game_state_decider.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/game_state_decider.py index 648d6db5c..a4bb18c91 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/game_state_decider.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/game_state_decider.py @@ -6,7 +6,7 @@ class GameStateDecider(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) def perform(self, reevaluate=False): diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/goal_scored.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/goal_scored.py index 9db958676..ab2f9dcd5 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/goal_scored.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/goal_scored.py @@ -5,7 +5,7 @@ class GoalScoreRecently(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.time = parameters.get("time", 2) @@ -27,7 +27,7 @@ def get_reevaluate(self): class AnyGoalScoreRecently(GoalScoreRecently): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) def perform(self, reevaluate=False): diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/goalie_handling_ball.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/goalie_handling_ball.py index e984509b4..4fdcb0804 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/goalie_handling_ball.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/goalie_handling_ball.py @@ -5,7 +5,7 @@ class GoalieHandlingBall(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) def perform(self, reevaluate=False): diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/is_penalized.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/is_penalized.py index dbdf45fd7..84af08e1f 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/is_penalized.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/is_penalized.py @@ -5,7 +5,7 @@ class IsPenalized(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) def perform(self, reevaluate=False): diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/kick_off_time_up.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/kick_off_time_up.py index 9cc89ec96..1291dd797 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/kick_off_time_up.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/kick_off_time_up.py @@ -5,7 +5,7 @@ class KickOffTimeUp(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.kickoff_min_ball_movement = self.blackboard.config["kickoff_min_ball_movement"] diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/last_player.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/last_player.py index a8b1f1b3d..e4ffbcbb6 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/last_player.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/last_player.py @@ -5,7 +5,7 @@ class LastPlayer(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) def perform(self, reevaluate=False): diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/pass_started.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/pass_started.py index 7d5ae939e..14a7f5f02 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/pass_started.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/pass_started.py @@ -5,7 +5,7 @@ class PassStarted(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) def perform(self, reevaluate=False): diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/reached_goal.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/reached_goal.py index 06aa5b07c..ad17e98c0 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/reached_goal.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/reached_goal.py @@ -10,7 +10,7 @@ class ReachedPathPlanningGoalPosition(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.frame_id = parameters.get("frame_id", self.blackboard.map_frame) self.threshold = parameters.get("threshold") @@ -40,7 +40,7 @@ def get_reevaluate(self): class AlignedToPathPlanningGoal(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.orientation_threshold = self.blackboard.config["goal_alignment_orientation_threshold"] # [deg] self.frame_id = parameters.get("frame_id", self.blackboard.map_frame) diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/secondary_state_decider.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/secondary_state_decider.py index f4d3bee0d..e54762cf0 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/secondary_state_decider.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/secondary_state_decider.py @@ -11,7 +11,7 @@ class SecondaryStateDecider(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) def perform(self, reevaluate=False): @@ -52,7 +52,7 @@ class SecondaryStateTeamDecider(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd) self.team_id = self.blackboard.gamestate.get_team_id() @@ -82,7 +82,7 @@ class SecondaryStateModeDecider(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd) def perform(self, reevaluate=False): diff --git a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/timer.py b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/timer.py index ee9df2c93..8b50402cd 100644 --- a/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/timer.py +++ b/bitbots_behavior/bitbots_body_behavior/bitbots_body_behavior/decisions/timer.py @@ -5,7 +5,7 @@ class TimerRunning(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) if "name" not in parameters: raise KeyError("TimerRunning: Name parameter is missing!") @@ -37,7 +37,7 @@ def get_reevaluate(self): class TimerEnded(AbstractDecisionElement): blackboard: BodyBlackboard - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) if "name" not in parameters: diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/__init__.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/__init__.py index 80aaf883f..25bdf4bbe 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/__init__.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/__init__.py @@ -8,6 +8,6 @@ class AbstractHCMActionElement(AbstractActionElement): AbstractHCMActionElement with a hcm blackboard as its blackboard """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.blackboard: HcmBlackboard diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/cancel_goals.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/cancel_goals.py index 337d725cd..8f5220919 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/cancel_goals.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/cancel_goals.py @@ -6,7 +6,7 @@ class CancelGoals(AbstractHCMActionElement): Cancels all animation, dynup and move_base goals """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) def perform(self): diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_power.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_power.py index 62b3adb5f..6b08ac85c 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_power.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_power.py @@ -8,7 +8,7 @@ class AbstractChangeMotorPower(AbstractHCMActionElement): Switches motor power using the service call of the hardware interface. """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) # In visualization and simulation, we cannot disable motors diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/play_animation.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/play_animation.py index 487dffe9e..269a47e70 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/play_animation.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/play_animation.py @@ -12,7 +12,7 @@ class AbstractPlayAnimation(AbstractHCMActionElement, ABC): Abstract class to create actions for playing animations """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.first_perform = True @@ -131,7 +131,7 @@ def chose_animation(self): class PlayAnimationDynup(AbstractHCMActionElement): - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.direction = parameters.get("direction") self.first_perform = True diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/set_foot_zero.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/set_foot_zero.py index 0974e75a8..416378798 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/set_foot_zero.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/set_foot_zero.py @@ -2,7 +2,7 @@ class SetFootZero(AbstractHCMActionElement): - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.first_perform = True diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/wait.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/wait.py index c25b61221..e70bae830 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/wait.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/wait.py @@ -14,7 +14,7 @@ class Wait(AbstractHCMActionElement): This action does nothing. If a time is given, it will wait for that time before it pops itself. """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): """ :param parameters['time']: Time to wait in seconds """ diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/__init__.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/__init__.py index 886ebc717..82101034e 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/__init__.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/__init__.py @@ -8,6 +8,6 @@ class AbstractHCMDecisionElement(AbstractDecisionElement): AbstractHCMDecisionElement with a hcm blackboard as its blackboard """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.blackboard: HcmBlackboard diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/check_hardware.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/check_hardware.py index b311f638e..28b022cd6 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/check_hardware.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/check_hardware.py @@ -9,7 +9,7 @@ class CheckMotors(AbstractHCMDecisionElement): Needs to be checked before other sensors, since they also need the power to be able to response """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.had_problem = False @@ -90,7 +90,7 @@ class CheckIMU(AbstractHCMDecisionElement): Since the HCM can not detect falls without it, we will shut everything down if we dont have an imu. """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.had_problem = False @@ -147,7 +147,7 @@ class CheckPressureSensor(AbstractHCMDecisionElement): Checks connection to pressure sensors. """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.had_problem = False diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/fallen.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/fallen.py index 6f09aa6c3..1116ae193 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/fallen.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/fallen.py @@ -11,7 +11,7 @@ class Fallen(AbstractHCMDecisionElement): Decides if the robot is fallen and lying on the ground """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) # Get parameters diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/falling.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/falling.py index bc6705546..44a421875 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/falling.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/falling.py @@ -21,7 +21,7 @@ class Falling(AbstractHCMDecisionElement): Decides if the robot is currently falling and has to act on this """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) # Get parameters diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/startup.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/startup.py index 0caa08d6e..9ade3e0fe 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/startup.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/startup.py @@ -6,7 +6,7 @@ class StartHCM(AbstractHCMDecisionElement): Initializes HCM. """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.is_initial = True diff --git a/bitbots_motion/bitbots_quintic_walk/cfg/bitbots_quintic_walk_engine_params.cfg b/bitbots_motion/bitbots_quintic_walk/cfg/bitbots_quintic_walk_engine_params.cfg deleted file mode 100755 index ddf2a03bf..000000000 --- a/bitbots_motion/bitbots_quintic_walk/cfg/bitbots_quintic_walk_engine_params.cfg +++ /dev/null @@ -1,90 +0,0 @@ -#! /usr/bin/env python3 - -PACKAGE = 'bitbots_quintic_walk' -import roslib - -roslib.load_manifest(PACKAGE) - -from dynamic_reconfigure.parameter_generator_catkin import * - -gen = ParameterGenerator() -group_engine_main = gen.add_group("engine_main", type="tab") -group_engine_aditional = gen.add_group("additional", type="tab") -group_engine_exper = gen.add_group("experimental", type="tab") -group_kick = gen.add_group("kick", type="tab") - - -# todo evaluate to remove following -# foot_z_pause -# foot_put_down_z_offset -# foot_put_down_phase -# foot_apex_phase -# foot_put_down_roll_offset - -# Name Type Level Description Default Min Max - -# basic parameters -group_engine_main.add("freq", double_t, 1, - "Full walk cycle frequency (in Hz, > 0)", min=0.1, max=5) -group_engine_main.add("double_support_ratio", double_t, 1, - "Length of double support phase in half cycle(ratio, [0:1])", min=0, max=1) -group_engine_main.add("foot_distance", double_t, 1, - "Lateral distance between the feet center (in m, >= 0)", min=0, max=1) -group_engine_main.add("foot_rise", double_t, 1, - "Maximum flying foot height (in m, >= 0)", min=0, max=2) -group_engine_main.add("trunk_swing", double_t, 1, - "Trunk lateral oscillation amplitude ratio (ratio, >= 0)", min=0, max=2) -group_engine_main.add("trunk_height", double_t, 1, - "Height of the trunk from ground (in m, > 0)", min=0, max=1) -group_engine_main.add("trunk_pitch", double_t, 1, - "Trunk pitch orientation (in rad)", min=-1, max=1) -group_engine_main.add("trunk_pitch_p_coef_forward", double_t, 1, - "Trunk pitch orientation proportional to forward/backward step (in rad/m)", min=0, max=20) -group_engine_main.add("trunk_phase", double_t, 1, - "Phase offset of trunk oscillation (half cycle phase, [-1:1])", min=-1, max=1) - -group_engine_aditional.add("foot_z_pause", double_t, 1, - "Pause of Z movement on highest point (single support cycle ratio, [0,1])", min=0, max=1) -group_engine_aditional.add("foot_put_down_z_offset", double_t, 1, - "Let the foot's downward trajectory end above the ground this is helpful if the support leg bends, (in m, >= 0))", - min=0, max=0.1) -group_engine_aditional.add("foot_put_down_phase", double_t, 1, - "Phase time for moving the foot from Z offset to ground (phase between apex and single support end [0:1])", - min=0, max=1) -group_engine_aditional.add("foot_apex_phase", double_t, 1, - "Phase of flying foot apex(single support cycle phase, [0:1])", min=0, max=1) -group_engine_aditional.add("foot_overshoot_ratio", double_t, 1, - "Foot X/Y overshoot in ratio of step length(ratio, >= 0)", min=0, max=1) -group_engine_aditional.add("foot_overshoot_phase", double_t, 1, - "Foot X/Y overshoot phase (single support cycle phase, [foot_apex_phase:1]", min=0, max=1) -group_engine_aditional.add("trunk_x_offset", double_t, 1, - "Trunk forward offset (in m)", min=-0.2, max=0.2) -group_engine_aditional.add("trunk_y_offset", double_t, 1, - "Trunk lateral offset (in m)", min=-0.2, max=0.2) -group_engine_aditional.add("trunk_pause", double_t, 1, - "Trunk swing pause length in phase at apex (half cycle ratio, [0:1])", min=0, max=1) -group_engine_aditional.add("trunk_x_offset_p_coef_forward", double_t, 1, - "Trunk forward offset proportional to forward step (in 1)", min=0, max=1) -group_engine_aditional.add("trunk_x_offset_p_coef_turn", double_t, 1, - "Trunk forward offset proportional to rotation step (in m/rad)", min=0, max=1) -group_engine_aditional.add("trunk_pitch_p_coef_turn", double_t, 1, - "Trunk pitch orientation proportional to rotation step (in 1)", min=-20, max=20) - -group_kick.add("kick_length", double_t, 1, - "Length of kick movement [m]", min=0, max=1) -group_kick.add("kick_vel", double_t, 1, - "vel kick [m/s]", min=0, max=100) -group_kick.add("kick_phase", double_t, 1, - "Time of kick apex [ratio of single support phase]", min=0, max=1) - -group_engine_exper.add("foot_put_down_roll_offset", double_t, 1, - "Roll offset on flying foot at put down [rad]", min=-1, max=1) -group_engine_exper.add("first_step_swing_factor", double_t, 1, - "Give extra swing to first step for better start", min=0, max=10) -group_engine_exper.add("first_step_trunk_phase", double_t, 1, - "Trunk phase for the fist step", min=-1, max=1) -group_engine_exper.add("trunk_z_movement", double_t, 1, - "Amount of movement in z direction for trunk (around trunk_height) [m]", min=0.0, max=0.1) - - -exit(gen.generate(PACKAGE, "bitbots_quintic_walk", "bitbots_quintic_walk_engine_params")) diff --git a/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/actions/__init__.py b/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/actions/__init__.py index 1264bcfb3..47ca48a40 100644 --- a/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/actions/__init__.py +++ b/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/actions/__init__.py @@ -8,6 +8,6 @@ class AbstractLocalizationActionElement(AbstractActionElement): AbstractLocalizationActionElement with a localization blackboard as its blackboard """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.blackboard: LocalizationBlackboard diff --git a/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/actions/initialize.py b/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/actions/initialize.py index 8b97e9a0e..78afb5edb 100644 --- a/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/actions/initialize.py +++ b/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/actions/initialize.py @@ -7,7 +7,7 @@ class AbstractInitialize(AbstractLocalizationActionElement): - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) # Save the type the instance that called super, so we know what was the last init mode @@ -111,7 +111,7 @@ class RedoLastInit(AbstractInitialize): Executes an action with the type of the last action """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) # Creates an instance of the last init action self.sub_action: AbstractInitialize = self.blackboard.last_init_action_type(blackboard, dsd, parameters) diff --git a/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/actions/stop.py b/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/actions/stop.py index 8945a109e..50af429ba 100644 --- a/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/actions/stop.py +++ b/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/actions/stop.py @@ -4,7 +4,7 @@ class AbstractLocalizationPause(AbstractLocalizationActionElement): - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters=parameters) def set_paused(self, paused): @@ -15,7 +15,7 @@ def set_paused(self, paused): class LocalizationStop(AbstractLocalizationPause): - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters=parameters) def perform(self, reevaluate=False): @@ -25,7 +25,7 @@ def perform(self, reevaluate=False): class LocalizationStart(AbstractLocalizationPause): - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters=parameters) def perform(self, reevaluate=False): diff --git a/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/decisions/__init__.py b/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/decisions/__init__.py index 464b875df..99892af44 100644 --- a/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/decisions/__init__.py +++ b/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/decisions/__init__.py @@ -8,6 +8,6 @@ class AbstractLocalizationDecisionElement(AbstractDecisionElement): AbstractLocalizationDecisionElement with a localization blackboard as its blackboard """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.blackboard: LocalizationBlackboard diff --git a/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/decisions/fall.py b/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/decisions/fall.py index bfe81e3be..4e1406e46 100644 --- a/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/decisions/fall.py +++ b/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/decisions/fall.py @@ -7,7 +7,7 @@ class GettingUpState(AbstractLocalizationDecisionElement): Checks if the robot falls, stands up or is freshly standing """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.get_up_states = [RobotControlState.FALLING, RobotControlState.FALLEN, RobotControlState.GETTING_UP] diff --git a/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/decisions/game_state.py b/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/decisions/game_state.py index 23b2f9432..779a5ad35 100644 --- a/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/decisions/game_state.py +++ b/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/decisions/game_state.py @@ -95,7 +95,7 @@ class SecondaryStateTeamDecider(AbstractLocalizationDecisionElement): Decides if our team or the other team is allowed to execute the secondary state. """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd) self.team_id = self.blackboard.gamestate.get_team_id() @@ -141,7 +141,7 @@ class InitialToReady(AbstractLocalizationDecisionElement): Decides if the ready phase was just started coming from initial """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.previous_game_state_number = self.blackboard.gamestate.get_gamestate() diff --git a/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/decisions/walk.py b/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/decisions/walk.py index 9277445b4..acc3b05bf 100644 --- a/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/decisions/walk.py +++ b/bitbots_navigation/bitbots_localization_handler/bitbots_localization_handler/localization_dsd/decisions/walk.py @@ -10,7 +10,7 @@ class WalkedSinceLastInit(AbstractLocalizationDecisionElement): Decides if we walked significantly since our last initialization """ - def __init__(self, blackboard, dsd, parameters=None): + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.distance_threshold = parameters.get("dist", 0.5) From eaa3c9d28bf94060dea26d519db404365a74d252 Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Sun, 18 Feb 2024 18:40:47 +0100 Subject: [PATCH 25/63] Update dsd debug topics in rosbag record --- .../launch/rosbag_record.launch.py | 18 ++++++++++++------ 1 file changed, 12 insertions(+), 6 deletions(-) diff --git a/bitbots_misc/bitbots_bringup/launch/rosbag_record.launch.py b/bitbots_misc/bitbots_bringup/launch/rosbag_record.launch.py index d1bf8c168..f8ee7d929 100644 --- a/bitbots_misc/bitbots_bringup/launch/rosbag_record.launch.py +++ b/bitbots_misc/bitbots_bringup/launch/rosbag_record.launch.py @@ -23,13 +23,19 @@ "/core/power_switch_status", "/debug/approach_point", "/debug/ball_twist", - "/debug/dsd/body_behavior", - "/debug/dsd/hcm", - "/debug/dsd/localization", + "/debug/dsd/body_behavior/dsd_current_action", + "/debug/dsd/body_behavior/dsd_stack", + "/debug/dsd/body_behavior/dsd_tree", + "/debug/dsd/hcm/dsd_current_action", + "/debug/dsd/hcm/dsd_stack", + "/debug/dsd/hcm/dsd_tree", + "/debug/dsd/localization/dsd_current_action", + "/debug/dsd/localization/dsd_stack", + "/debug/dsd/localization/dsd_tree", "/debug/used_ball", "/debug/which_ball_is_used", - "/diagnostics", "/diagnostics_agg", + "/diagnostics", "/DynamixelController/command", "/field_boundary_relative", "/game_controller_connected", @@ -43,16 +49,16 @@ "/move_base/current_goal", "/pose_with_covariance", "/robot_state", - "/robots_relative", "/robots_relative_filtered", + "/robots_relative", "/rosout", "/server_time_clock", "/speak", "/strategy", "/system_workload", "/team_data", - "/tf", "/tf_static", + "/tf", "/time_to_ball", ] From 45329ab7fd5ab72578942f212b3620955d4a622d Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Mon, 19 Feb 2024 14:37:54 +0100 Subject: [PATCH 26/63] Add more pre commit hooks --- .pre-commit-config.yaml | 8 ++++++++ bitbots_motion/bitbots_quintic_walk/src/parameters.yaml | 9 +-------- 2 files changed, 9 insertions(+), 8 deletions(-) diff --git a/.pre-commit-config.yaml b/.pre-commit-config.yaml index f0c83494f..ff2fbd628 100644 --- a/.pre-commit-config.yaml +++ b/.pre-commit-config.yaml @@ -25,3 +25,11 @@ repos: hooks: - id: cmake-format - id: cmake-lint + - repo: https://github.com/pre-commit/pre-commit-hooks + rev: v4.5.0 + hooks: + - id: check-merge-conflict + - id: check-toml + - id: check-xml + - id: check-yaml + - id: detect-private-key diff --git a/bitbots_motion/bitbots_quintic_walk/src/parameters.yaml b/bitbots_motion/bitbots_quintic_walk/src/parameters.yaml index 80465fbde..42d7f09fe 100644 --- a/bitbots_motion/bitbots_quintic_walk/src/parameters.yaml +++ b/bitbots_motion/bitbots_quintic_walk/src/parameters.yaml @@ -173,13 +173,6 @@ walking: bounds<>: [ 0.0, 1.0 ] } } - trunk_pitch_p_coef_turn: { - type: double, - description: "Trunk pitch orientation proportional to rotation step (in rad/rad)", - validation: { - bounds<>: [ -1.0, 1.0 ] - } - } kick_length: { type: double, description: "Length of kick movement (in meters)", @@ -347,4 +340,4 @@ walking: validation: { bounds<>: [ 0.0, 100.0 ], } - } \ No newline at end of file + } From d32778dc06bba75fab919123b6fff0fcbf101ffa Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Mon, 19 Feb 2024 14:38:28 +0100 Subject: [PATCH 27/63] Fix schema in package xml files --- bitbots_behavior/bitbots_blackboard/package.xml | 4 +++- bitbots_behavior/bitbots_body_behavior/package.xml | 6 ++++-- bitbots_lowlevel/bitbots_buttons/package.xml | 4 +++- bitbots_misc/bitbots_basler_camera/package.xml | 4 +++- bitbots_misc/bitbots_bringup/package.xml | 4 +++- bitbots_misc/bitbots_ceiling_cam/package.xml | 4 +++- bitbots_misc/bitbots_docs/package.xml | 6 ++++-- .../bitbots_extrinsic_calibration/package.xml | 3 ++- bitbots_misc/bitbots_ipm/package.xml | 4 +++- bitbots_misc/bitbots_robot_description/package.xml | 4 +++- bitbots_misc/bitbots_teleop/package.xml | 5 +++-- bitbots_misc/bitbots_tts/package.xml | 5 +++-- bitbots_misc/bitbots_utils/package.xml | 4 +++- bitbots_misc/system_monitor/package.xml | 3 ++- bitbots_motion/bitbots_animation_server/package.xml | 4 ++-- bitbots_motion/bitbots_hcm/package.xml | 4 ++-- bitbots_motion/bitbots_head_mover/package.xml | 3 ++- bitbots_motion/bitbots_quintic_walk/package.xml | 4 ++-- bitbots_motion/bitbots_rl_motion/package.xml | 4 ++-- bitbots_motion/bitbots_splines/package.xml | 4 ++-- .../bitbots_localization_handler/package.xml | 8 +++++--- bitbots_team_communication/package.xml | 4 ++-- bitbots_vision/package.xml | 11 ++++++----- bitbots_wolfgang/wolfgang_animations/package.xml | 4 ++-- bitbots_wolfgang/wolfgang_description/package.xml | 4 ++-- bitbots_wolfgang/wolfgang_moveit_config/package.xml | 10 ++++------ bitbots_wolfgang/wolfgang_pybullet_sim/package.xml | 7 +++---- bitbots_wolfgang/wolfgang_robocup_api/package.xml | 3 ++- bitbots_wolfgang/wolfgang_webots_sim/package.xml | 7 +++---- bitbots_world_model/bitbots_ball_filter/package.xml | 9 +++++---- 30 files changed, 88 insertions(+), 62 deletions(-) diff --git a/bitbots_behavior/bitbots_blackboard/package.xml b/bitbots_behavior/bitbots_blackboard/package.xml index a11552d94..b055003b3 100644 --- a/bitbots_behavior/bitbots_blackboard/package.xml +++ b/bitbots_behavior/bitbots_blackboard/package.xml @@ -15,10 +15,12 @@ Niklas Fiedler Hamburg Bit-Bots - Hamburg Bit-Bots MIT + Hamburg Bit-Bots + + bitbots_docs bitbots_tf_listener bitbots_utils diff --git a/bitbots_behavior/bitbots_body_behavior/package.xml b/bitbots_behavior/bitbots_body_behavior/package.xml index 3fee89f51..b660e9c5a 100644 --- a/bitbots_behavior/bitbots_body_behavior/package.xml +++ b/bitbots_behavior/bitbots_body_behavior/package.xml @@ -7,14 +7,16 @@ behavior of the robot including strategy decisions and kick or walk actions. The node controls the walking indirectly via /navigation_goal or directly via /cmd_vel and the head behavior - via /head_duty. + via /head_duty. + Niklas Fiedler Hamburg Bit-Bots - Hamburg Bit-Bots MIT + Hamburg Bit-Bots + bitbots_blackboard bitbots_msgs bitbots_utils diff --git a/bitbots_lowlevel/bitbots_buttons/package.xml b/bitbots_lowlevel/bitbots_buttons/package.xml index f8ccdefa6..a99f3e046 100644 --- a/bitbots_lowlevel/bitbots_buttons/package.xml +++ b/bitbots_lowlevel/bitbots_buttons/package.xml @@ -7,9 +7,11 @@ Jasper Güldenstein Hamburg Bit-Bots + + MIT + Marc Bestmann Hamburg Bit-Bots - MIT ament_cmake rosidl_default_generators diff --git a/bitbots_misc/bitbots_basler_camera/package.xml b/bitbots_misc/bitbots_basler_camera/package.xml index a055f247b..b08289f66 100644 --- a/bitbots_misc/bitbots_basler_camera/package.xml +++ b/bitbots_misc/bitbots_basler_camera/package.xml @@ -7,9 +7,11 @@ Marc Bestmann Hamburg Bit-Bots - Hamburg Bit-Bots + MIT + Hamburg Bit-Bots + bitbots_docs pylon_ros2_camera_wrapper image_proc diff --git a/bitbots_misc/bitbots_bringup/package.xml b/bitbots_misc/bitbots_bringup/package.xml index aee782dc4..77a64f15a 100644 --- a/bitbots_misc/bitbots_bringup/package.xml +++ b/bitbots_misc/bitbots_bringup/package.xml @@ -7,9 +7,11 @@ Finn-Thorben Sell Hamburg Bit-Bots - Hamburg Bit-Bots + MIT + Hamburg Bit-Bots + ament_cmake bitbots_docs diff --git a/bitbots_misc/bitbots_ceiling_cam/package.xml b/bitbots_misc/bitbots_ceiling_cam/package.xml index 97f1aa827..cf140617e 100644 --- a/bitbots_misc/bitbots_ceiling_cam/package.xml +++ b/bitbots_misc/bitbots_ceiling_cam/package.xml @@ -7,9 +7,11 @@ Marc Bestmann Hamburg Bit-Bots - Hamburg Bit-Bots + MIT + Hamburg Bit-Bots + bitbots_docs pylon_ros2_camera_wrapper image_proc diff --git a/bitbots_misc/bitbots_docs/package.xml b/bitbots_misc/bitbots_docs/package.xml index 65245124e..759323129 100644 --- a/bitbots_misc/bitbots_docs/package.xml +++ b/bitbots_misc/bitbots_docs/package.xml @@ -7,13 +7,15 @@ Finn-Thorben Sell Hamburg Bit-Bots - Hamburg Bit-Bots + MIT + Hamburg Bit-Bots + ament_cmake python3-sphinx-rtd-theme python3-breathe - + diff --git a/bitbots_misc/bitbots_extrinsic_calibration/package.xml b/bitbots_misc/bitbots_extrinsic_calibration/package.xml index c48bbdc0f..1a8ec771e 100644 --- a/bitbots_misc/bitbots_extrinsic_calibration/package.xml +++ b/bitbots_misc/bitbots_extrinsic_calibration/package.xml @@ -7,9 +7,10 @@ Florian Vahl Hamburg Bit-Bots - Florian Vahl MIT + + Florian Vahl ament_cmake diff --git a/bitbots_misc/bitbots_ipm/package.xml b/bitbots_misc/bitbots_ipm/package.xml index ca99ab82a..56d9ceb83 100644 --- a/bitbots_misc/bitbots_ipm/package.xml +++ b/bitbots_misc/bitbots_ipm/package.xml @@ -7,9 +7,11 @@ Florian Vahl Hamburg Bit-Bots - Hamburg Bit-Bots + MIT + Hamburg Bit-Bots + soccer_ipm ipm_image_node soccer_vision_3d_rviz_markers diff --git a/bitbots_misc/bitbots_robot_description/package.xml b/bitbots_misc/bitbots_robot_description/package.xml index 282b71c8e..7a6bb7229 100644 --- a/bitbots_misc/bitbots_robot_description/package.xml +++ b/bitbots_misc/bitbots_robot_description/package.xml @@ -10,8 +10,10 @@ Florian Vahl Hamburg Bit-Bots - Hamburg Bit-Bots + MIT + + Hamburg Bit-Bots ament_cmake diff --git a/bitbots_misc/bitbots_teleop/package.xml b/bitbots_misc/bitbots_teleop/package.xml index 7c5db8ebb..298625eab 100644 --- a/bitbots_misc/bitbots_teleop/package.xml +++ b/bitbots_misc/bitbots_teleop/package.xml @@ -7,9 +7,10 @@ Jasper Güldenstein Hamburg Bit-Bots - Jasper Güldenstein - + MIT + + Jasper Güldenstein ament_cmake diff --git a/bitbots_misc/bitbots_tts/package.xml b/bitbots_misc/bitbots_tts/package.xml index 1b91e5396..096597d26 100644 --- a/bitbots_misc/bitbots_tts/package.xml +++ b/bitbots_misc/bitbots_tts/package.xml @@ -9,9 +9,10 @@ Marc Bestmann Hamburg Bit-Bots - Marc Bestmann - + MIT + + Marc Bestmann ament_cmake diff --git a/bitbots_misc/bitbots_utils/package.xml b/bitbots_misc/bitbots_utils/package.xml index d2870c30f..d2eb7babf 100644 --- a/bitbots_misc/bitbots_utils/package.xml +++ b/bitbots_misc/bitbots_utils/package.xml @@ -9,8 +9,10 @@ Finn-Thorben Sell Hamburg Bit-Bots - Hamburg Bit-Bots + MIT + + Hamburg Bit-Bots ament_cmake diff --git a/bitbots_misc/system_monitor/package.xml b/bitbots_misc/system_monitor/package.xml index c1eaa6375..6d479d308 100644 --- a/bitbots_misc/system_monitor/package.xml +++ b/bitbots_misc/system_monitor/package.xml @@ -9,9 +9,10 @@ Finn-Thorben Sell Hamburg Bit-Bots - Finn-Thorben Sell MIT + + Finn-Thorben Sell ament_cmake std_msgs diff --git a/bitbots_motion/bitbots_animation_server/package.xml b/bitbots_motion/bitbots_animation_server/package.xml index be494fc64..5552f2810 100644 --- a/bitbots_motion/bitbots_animation_server/package.xml +++ b/bitbots_motion/bitbots_animation_server/package.xml @@ -9,11 +9,11 @@ Sebastian Stelter Hamburg Bit-Bots + MIT + Marc Bestmann Hamburg Bit-Bots - MIT - bitbots_docs bitbots_msgs bitbots_robot_description diff --git a/bitbots_motion/bitbots_hcm/package.xml b/bitbots_motion/bitbots_hcm/package.xml index f447d5b28..9f6fd464a 100644 --- a/bitbots_motion/bitbots_hcm/package.xml +++ b/bitbots_motion/bitbots_hcm/package.xml @@ -9,12 +9,12 @@ Marc Bestmann Hamburg Bit-Bots + + MIT Marc Bestmann Hamburg Bit-Bots - MIT - ament_cmake backward_ros diff --git a/bitbots_motion/bitbots_head_mover/package.xml b/bitbots_motion/bitbots_head_mover/package.xml index bef187136..76f6d9e85 100644 --- a/bitbots_motion/bitbots_head_mover/package.xml +++ b/bitbots_motion/bitbots_head_mover/package.xml @@ -9,10 +9,11 @@ point on the field, e.g. to track the ball. Valerie Bartel Hamburg Bit-Bots - Hamburg Bit-Bots MIT + Hamburg Bit-Bots + ament_cmake backward_ros diff --git a/bitbots_motion/bitbots_quintic_walk/package.xml b/bitbots_motion/bitbots_quintic_walk/package.xml index e91791448..0ea860742 100644 --- a/bitbots_motion/bitbots_quintic_walk/package.xml +++ b/bitbots_motion/bitbots_quintic_walk/package.xml @@ -12,12 +12,12 @@ Finn-Thorben Sell Hamburg Bit-Bots + MIT + Marc Bestmann Hamburg Bit-Bots Rhoban FC (original version of engine) - MIT - ament_cmake rosidl_default_generators diff --git a/bitbots_motion/bitbots_rl_motion/package.xml b/bitbots_motion/bitbots_rl_motion/package.xml index da4769d63..88510a310 100644 --- a/bitbots_motion/bitbots_rl_motion/package.xml +++ b/bitbots_motion/bitbots_rl_motion/package.xml @@ -8,11 +8,11 @@ Marc Bestmann Hamburg Bit-Bots + MIT + Marc Bestmann Hamburg Bit-Bots - MIT - ament_cmake bitbots_docs diff --git a/bitbots_motion/bitbots_splines/package.xml b/bitbots_motion/bitbots_splines/package.xml index 92abe42e3..d73d3a817 100644 --- a/bitbots_motion/bitbots_splines/package.xml +++ b/bitbots_motion/bitbots_splines/package.xml @@ -8,12 +8,12 @@ Marc Bestmann Hamburg Bit-Bots + MIT + Marc Bestmann Hamburg Bit-Bots Rhoban FC - MIT - ament_cmake std_msgs diff --git a/bitbots_navigation/bitbots_localization_handler/package.xml b/bitbots_navigation/bitbots_localization_handler/package.xml index a8601972a..ce4e2395c 100644 --- a/bitbots_navigation/bitbots_localization_handler/package.xml +++ b/bitbots_navigation/bitbots_localization_handler/package.xml @@ -4,14 +4,16 @@ bitbots_localization_handler 1.0.0 - The bitbots_localization_handler uses high level information to improve + The bitbots_localization_handler uses high level information to improve the localization, e.g. by initializing at the start of the game or after falling down. Florian Vahl Hamburg Bit-Bots - Hamburg Bit-Bots + MIT + Hamburg Bit-Bots + bitbots_blackboard bitbots_localization bitbots_msgs @@ -24,7 +26,7 @@ std_msgs tf2_geometry_msgs tf2_ros - + diff --git a/bitbots_team_communication/package.xml b/bitbots_team_communication/package.xml index 038c2c1f0..fd53d8ad5 100644 --- a/bitbots_team_communication/package.xml +++ b/bitbots_team_communication/package.xml @@ -10,12 +10,12 @@ Marc Bestmann Hamburg Bit-Bots + MIT + Tanja Flemming Timon Engelke Jan Gutsche - MIT - ament_cmake bitbots_docs diff --git a/bitbots_vision/package.xml b/bitbots_vision/package.xml index df54a7765..caf1d07ff 100644 --- a/bitbots_vision/package.xml +++ b/bitbots_vision/package.xml @@ -2,6 +2,9 @@ bitbots_vision + + 1.4.1 + This is the vision ROS package of the Hamburg Bit-Bots. @@ -10,20 +13,18 @@ For further information and getting started, see the documentation of this package at our website: http://doku.bit-bots.de/package/bitbots_vision/latest/index.html - 1.4.1 - Florian Vahl Jan Gutsche Hamburg Bit-Bots + MIT + Florian Vahl Jan Gutsche Hendrik Brandt Niklas Fiedler Hamburg Bit-Bots - MIT - rosidl_default_generators rosidl_default_runtime bitbots_msgs @@ -39,7 +40,7 @@ soccer_vision_2d_msgs std_msgs vision_opencv - + python3 diff --git a/bitbots_wolfgang/wolfgang_animations/package.xml b/bitbots_wolfgang/wolfgang_animations/package.xml index 08e7feba8..4bf48f97c 100644 --- a/bitbots_wolfgang/wolfgang_animations/package.xml +++ b/bitbots_wolfgang/wolfgang_animations/package.xml @@ -7,11 +7,11 @@ Sebastian Stelter Hamburg Bit-Bots - - Sebastian Stelter MIT + Sebastian Stelter + ament_cmake bitbots_docs diff --git a/bitbots_wolfgang/wolfgang_description/package.xml b/bitbots_wolfgang/wolfgang_description/package.xml index ed9e72c55..8acfee961 100644 --- a/bitbots_wolfgang/wolfgang_description/package.xml +++ b/bitbots_wolfgang/wolfgang_description/package.xml @@ -8,13 +8,13 @@ Jasper Güldenstein Hamburg Bit-Bots + MIT + Marc Bestmann Jasper Güldenstein Hamburg Bit-Bots - MIT - ament_cmake bitbots_docs diff --git a/bitbots_wolfgang/wolfgang_moveit_config/package.xml b/bitbots_wolfgang/wolfgang_moveit_config/package.xml index c81cfcb0e..a1a33f9a1 100644 --- a/bitbots_wolfgang/wolfgang_moveit_config/package.xml +++ b/bitbots_wolfgang/wolfgang_moveit_config/package.xml @@ -7,14 +7,12 @@ An automatically generated package with all the configuration and launch files for using the wolfgang with the MoveIt! Motion Planning Framework - Marc Bestmann Marc Bestmann BSD - http://moveit.ros.org/ - https://github.com/ros-planning/moveit/issues - https://github.com/ros-planning/moveit + Marc Bestmann + ament_cmake @@ -28,8 +26,8 @@ robot_state_publisher tf2_ros xacro - - + + wolfgang_description wolfgang_description diff --git a/bitbots_wolfgang/wolfgang_pybullet_sim/package.xml b/bitbots_wolfgang/wolfgang_pybullet_sim/package.xml index 975223694..e7870fe2e 100644 --- a/bitbots_wolfgang/wolfgang_pybullet_sim/package.xml +++ b/bitbots_wolfgang/wolfgang_pybullet_sim/package.xml @@ -4,16 +4,15 @@ wolfgang_pybullet_sim 1.3.0 Simulation environment using PyBullet for Wolfgang robot. - + Marc Bestmann Hamburg Bit-Bots + MIT + Marc Bestmann Hamburg Bit-Bots - - MIT - ament_cmake sensor_msgs urdf diff --git a/bitbots_wolfgang/wolfgang_robocup_api/package.xml b/bitbots_wolfgang/wolfgang_robocup_api/package.xml index 8b5450dd5..cdc392e07 100644 --- a/bitbots_wolfgang/wolfgang_robocup_api/package.xml +++ b/bitbots_wolfgang/wolfgang_robocup_api/package.xml @@ -10,11 +10,12 @@ Hamburg Bit-Bots + MIT + Jan Gutsche Timon Engelke Hamburg Bit-Bots - MIT ament_cmake diff --git a/bitbots_wolfgang/wolfgang_webots_sim/package.xml b/bitbots_wolfgang/wolfgang_webots_sim/package.xml index bae792577..831610bd3 100644 --- a/bitbots_wolfgang/wolfgang_webots_sim/package.xml +++ b/bitbots_wolfgang/wolfgang_webots_sim/package.xml @@ -8,12 +8,11 @@ Marc Bestmann Hamburg Bit-Bots + MIT + Marc Bestmann Hamburg Bit-Bots - - MIT - ament_cmake sensor_msgs urdf @@ -28,7 +27,7 @@ python3-numpy python3-psutil std_srvs - + imu_complementary_filter xvfb diff --git a/bitbots_world_model/bitbots_ball_filter/package.xml b/bitbots_world_model/bitbots_ball_filter/package.xml index 47759d865..224e6b84a 100644 --- a/bitbots_world_model/bitbots_ball_filter/package.xml +++ b/bitbots_world_model/bitbots_ball_filter/package.xml @@ -7,11 +7,12 @@ Niklas Fiedler Hamburg Bit-Bots - Hamburg Bit-Bots - MIT + Hamburg Bit-Bots + + rosidl_default_generators rosidl_default_runtime @@ -22,7 +23,7 @@ std_msgs std_srvs tf2_geometry_msgs - + @@ -31,5 +32,5 @@ ament_python - + From 6dcbf41c7760a138ec35bbe20ede435f1116787c Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Mon, 19 Feb 2024 15:01:20 +0100 Subject: [PATCH 28/63] Remove robot controllers library that is referenced nowhere --- sync_includes_wolfgang_nuc.yaml | 1 - workspace.repos | 4 ---- 2 files changed, 5 deletions(-) diff --git a/sync_includes_wolfgang_nuc.yaml b/sync_includes_wolfgang_nuc.yaml index e88953540..a212b8f5a 100644 --- a/sync_includes_wolfgang_nuc.yaml +++ b/sync_includes_wolfgang_nuc.yaml @@ -56,7 +56,6 @@ include: - ipm - particle_filter - pylon-ros-camera - - robot_controllers - ros2_numpy - ros2_python_extension - soccer_ipm diff --git a/workspace.repos b/workspace.repos index 4f1002572..3d85c349b 100644 --- a/workspace.repos +++ b/workspace.repos @@ -62,10 +62,6 @@ repositories: type: git url: git@github.com:basler/pylon-ros-camera.git version: humble - lib/robot_controllers: - type: git - url: git@github.com:fetchrobotics/robot_controllers.git - version: ros2 lib/ros2_numpy: type: git url: git@github.com:Bit-Bots/ros2_numpy.git From 9f04e630ea8e9667fb3a2c566909f532f1f37740 Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Wed, 21 Feb 2024 12:08:21 +0100 Subject: [PATCH 29/63] Add working version of dev container --- Makefile | 14 ++- .../bitbots_containers/dev/Dockerfile | 80 ++++++--------- bitbots_misc/bitbots_containers/dev/README.md | 87 ++++++++++------ .../dev/{build => build.bash} | 7 +- .../bitbots_containers/dev/clean.bash | 16 +++ .../dev/{connect => connect.bash} | 9 +- .../dev/{start => start.bash} | 22 +++-- .../dev/{stop => stop.bash} | 2 +- bitbots_misc/bitbots_containers/dev/zshrc | 98 +++++++++++++++++++ 9 files changed, 239 insertions(+), 96 deletions(-) rename bitbots_misc/bitbots_containers/dev/{build => build.bash} (67%) create mode 100755 bitbots_misc/bitbots_containers/dev/clean.bash rename bitbots_misc/bitbots_containers/dev/{connect => connect.bash} (74%) rename bitbots_misc/bitbots_containers/dev/{start => start.bash} (59%) rename bitbots_misc/bitbots_containers/dev/{stop => stop.bash} (90%) create mode 100644 bitbots_misc/bitbots_containers/dev/zshrc diff --git a/Makefile b/Makefile index 2f825c909..3f25d1240 100644 --- a/Makefile +++ b/Makefile @@ -1,4 +1,4 @@ -.PHONY : basler install install-no-root pip pre-commit install-git-filters format pull-all pull-init pull-repos pull-files fresh-libs remove-libs setup-libs rosdep status update update-no-root +.PHONY : basler install install-no-root pip pre-commit install-git-filters format pull-all pull-init pull-repos pull-files fresh-libs remove-libs setup-libs rosdep status update update-no-root dev-container-build dev-container-run dev-container-clean dev-container-stop HTTPS := "" REPO:=$(dir $(abspath $(firstword $(MAKEFILE_LIST)))) @@ -88,3 +88,15 @@ status: update: pull-all rosdep pip install-git-filters pre-commit update-no-root: pull-all pip install-git-filters pre-commit + +dev-container-build: + bash bitbots_misc/bitbots_containers/dev/build.bash + +dev-container-run: + bash bitbots_misc/bitbots_containers/dev/connect.bash + +dev-container-clean: + bash bitbots_misc/bitbots_containers/dev/clean.bash + +dev-container-stop: + bash bitbots_misc/bitbots_containers/dev/stop.bash diff --git a/bitbots_misc/bitbots_containers/dev/Dockerfile b/bitbots_misc/bitbots_containers/dev/Dockerfile index 2ce26915f..590bdd3f0 100644 --- a/bitbots_misc/bitbots_containers/dev/Dockerfile +++ b/bitbots_misc/bitbots_containers/dev/Dockerfile @@ -4,8 +4,6 @@ FROM ros:iron ARG user ARG uid ARG home -ARG workspace -ARG shell # Basic Utilities ENV DEBIAN_FRONTEND=noninteractive @@ -14,6 +12,7 @@ RUN apt-get update -y \ && apt-get install -y \ build-essential \ curl \ + ffmpeg \ gdb \ gnupg2 \ htop \ @@ -24,6 +23,8 @@ RUN apt-get update -y \ less \ libncurses5-dev \ locales \ + python3-pip \ + radeontop \ ranger \ screen \ ssh \ @@ -53,75 +54,54 @@ ENV LC_ALL en_US.UTF-8 RUN apt update -y \ && apt upgrade -y --allow-downgrades -# Additional custom dependencies +# Additional robotics related packages RUN apt-get install -y \ - espeak \ - ffmpeg \ - libespeak-dev \ - libfmt-dev \ - librange-v3-dev \ - librostest-dev \ - libtf-conversions-dev \ - liburdfdom-dev \ - libyaml-cpp-dev \ - llvm \ - protobuf-compiler \ - python3-colcon-common-extensions \ - python3-colcon-ed \ - python3-construct \ - python3-pip \ - python3-protobuf \ - python3-pybind11 \ python3-rosdep \ - radeontop \ + python3-vcstool \ ros-iron-camera-calibration \ - ros-iron-camera-info-manager \ - ros-iron-controller-manager \ ros-iron-desktop \ - ros-iron-diagnostic-aggregator \ - ros-iron-effort-controllers \ - ros-iron-gazebo-msgs \ - ros-iron-image-proc \ - ros-iron-joint-state-broadcaster \ ros-iron-joint-state-publisher-gui \ - ros-iron-joint-trajectory-controller \ - ros-iron-joy-linux \ - ros-iron-moveit-planners-ompl \ - ros-iron-moveit-ros \ - ros-iron-moveit-simple-controller-manager \ - ros-iron-nav2-bringup \ # ros-iron-plotjuggler-ros containing plotjuggler ros plugins # build currently fails and is not available as a package so we # have to manually install plotjuggler and plotjuggler-msgs # https://github.com/PlotJuggler/plotjuggler-ros-plugins/issues/59 ros-iron-plotjuggler \ ros-iron-plotjuggler-msgs \ - ros-iron-position-controllers \ ros-iron-rmw-cyclonedds-cpp \ - ros-iron-robot-localization \ - ros-iron-rot-conv \ ros-iron-rqt-robot-monitor \ - ros-iron-soccer-vision-2d-msgs \ - ros-iron-soccer-vision-3d-rviz-markers \ - ros-iron-test-msgs \ - ros-iron-tf-transformations \ - ros-iron-transmission-interface \ - ros-iron-velocity-controllers \ - && pip3 install pip -U \ - && python3 -m pip install git+https://github.com/ruffsl/colcon-clean + ros-iron-soccer-vision-3d-rviz-markers -# Mount the user's home directory -VOLUME "${home}" +# Update pip and install colcon-clean +RUN pip3 install pip -U + +# Install colcon extensions / patches +RUN python3 -m pip install \ + git+https://github.com/ruffsl/colcon-clean \ + git+https://github.com/timonegk/colcon-core.git@colors \ + git+https://github.com/timonegk/colcon-notification.git@colors \ + git+https://github.com/timonegk/colcon-output.git@colors # Clone user into docker image and set up X11 sharing -RUN echo "${user}:x:${uid}:${uid}:${user},,,:${home}:${shell}" >> /etc/passwd \ +RUN echo "${user}:x:${uid}:${uid}:${user},,,:${home}:/usr/bin/zsh" >> /etc/passwd \ && echo "${user}:*::0:99999:0:::" >> /etc/shadow \ && echo "${user}:x:${uid}:" >> /etc/group \ && echo "${user} ALL=(ALL) NOPASSWD: ALL" >> "/etc/sudoers" +# Create home directory and colcon workspace +RUN mkdir -p "${home}/colcon_ws" && chown -R "${user}:${user}" "${home}" + # Switch to user USER "${user}" + +# Install oh-my-zsh for pretty terminal +RUN sh -c "$(wget -O- https://raw.githubusercontent.com/ohmyzsh/ohmyzsh/master/tools/install.sh)" && \ + git clone https://github.com/zsh-users/zsh-autosuggestions ${ZSH_CUSTOM:-~/.oh-my-zsh/custom}/plugins/zsh-autosuggestions + +# Add zshrc +COPY zshrc "${home}/.zshrc" + # This is required for sharing Xauthority ENV QT_X11_NO_MITSHM=1 -# Switch to the workspace -WORKDIR ${workspace} + +# Switch to the workspace directory +WORKDIR "${home}/colcon_ws" diff --git a/bitbots_misc/bitbots_containers/dev/README.md b/bitbots_misc/bitbots_containers/dev/README.md index fe5ac485f..211c60363 100644 --- a/bitbots_misc/bitbots_containers/dev/README.md +++ b/bitbots_misc/bitbots_containers/dev/README.md @@ -1,54 +1,85 @@ -## rosdocked +# Bit-Bots Development Container -🐳 ❤️ 🤖 +This container is used to develop the bit-bots software. It provides a pre-configured environment with all necessary tools. This repository is mounted into the container and can be used to develop the software. You still need to install some repo specific dependencies, but the container provides a good starting point. -Run ROS 2 within Docker on any platform with a shared username, home directory, and X11. +## Usage -This enables you to build and run a persistent ROS workspace as long as -you can run Docker images. +### Build -Note that any changes made outside of your home directory from within the Docker environment will not persist. If you want to add additional binary packages or remove some of the dependencies that are currently installed, change the Dockerfile accordingly and rebuild. +To use the container, you need to have Docker installed. Then you can run the following command to build the base image of the container: -For more info on Docker see here: https://docs.docker.com/engine/installation/linux/ubuntulinux/ +```shell +bash build.bash +``` -### Install Docker +in the root of this repository (bitbots_main) you can use the make command to build the container: -Install Docker on your system, add your user to the `docker` group (`sudo usermod -aG docker $USER`), log out and in again and start and enable the docker service (`sudo systemctl start docker && sudo systemctl enable docker`). +```shell +make dev-container-build +``` -### Build +### Run -This will create the image with your user/group ID and home directory. +Once the container is built, you can run it with the following command: +```shell +bash connect.bash ``` -./build + +in the root of this repository (bitbots_main) you can use the make command to run the container: + +```shell +make dev-container-run ``` -### Run +This will start the container and mount the current repository into the container. You can now use the container to develop the software. You still need to install some repo specific dependencies tho. -This will start the docker image. +To install everything you need to run the following command in the container: +```shell +make -C ~/colcon_ws/src/bitbots_main install ``` -./start -``` -This will connect a shell to the docker image +### Stop + +You can explicitly stop the container with the following command: +```shell +bash stop.bash ``` -./connect + +in the root of this repository (bitbots_main) you can use the make command to stop the container: + +```shell +make dev-container-stop ``` -A video device is shared with the container. This video device can be set in the `run` script and will appear in the container as `/dev/video0`. +### Clean -The Docker image will use your own shell configuration. To provide different settings inside and outside of the container, you can make use of the `$DOCKER` environment variable that is set to `1` inside of the docker image. To make use of this put something like +You can clean up the container with the following command: +```shell +bash clean.bash ``` -if [[ -n "$DOCKER" ]]; then - # Settings for inside of the docker - export PROMPT="DOCKER $PROMPT" # Prefix the prompt with DOCKER - # source workspace, etc. -else - # Settings for outside of the docker -fi + +This will stop and remove the container. You can also use the make command to clean the container: + +```shell +make dev-container-clean ``` -in your `.bashrc` or `.zshrc`. +This is useful if you want to start from scratch or if you have build a new image and want a new container to utilize the new image. + +Due to the mounting of this repository the code still persists on your local machine and is not removed when the container is removed. +All changes you make in the container (e.g. installing dependencies) are lost when the container is removed. + +## IDE Integration + +You can connect VS Code to the container. This allows for proper syntax highlighting and code completion. To do this, you need to install the "Dev Container" extension in VS Code. You can then click into the bottom left corner of the window and select "Attach to running container" (you need to run the container first in a different terminal). This will open a new window with the container's environment. After opening the correct folder, inside the container, you can use the full power of VS Code to develop the software. +Please also install all recommended extensions when prompted in the bottom right corner of the window after opening the folder. + +## Known Issues + +- I have no internet connection in the container: This is happens when you start the container and then change your network. The DNS server is not updated in the container. You can fix this by manually stopping and running the container again. This will update the DNS server in the container. All changes are preserved, so you don't lose anything (you don't need to clean the container!). +- I have no syntax highlighting for ROS related files: Make sure to open the folder inside the container. Also make sure to install all recommended extensions when prompted in the bottom right corner of the window after opening the folder. +- I only have syntax highlighting for general ros files but not for bit-bots specific imports: You might need to update the python paths with the ROS extension. To do this open the VS Code command palette (Ctrl+Shift+P) and search for "Update Python Path". This will update the python paths and should fix the issue. diff --git a/bitbots_misc/bitbots_containers/dev/build b/bitbots_misc/bitbots_containers/dev/build.bash similarity index 67% rename from bitbots_misc/bitbots_containers/dev/build rename to bitbots_misc/bitbots_containers/dev/build.bash index 817b57800..0714b7c01 100755 --- a/bitbots_misc/bitbots_containers/dev/build +++ b/bitbots_misc/bitbots_containers/dev/build.bash @@ -2,7 +2,8 @@ set -eEou pipefail IMAGE_NAME=bitbots-dev-iron -WORKSPACE=${ROS_WORKSPACE:-$HOME} + +SCRIPTPATH="$( cd -- "$(dirname "$0")" >/dev/null 2>&1 ; pwd -P )" # Build the docker image docker build \ @@ -11,8 +12,6 @@ docker build \ --build-arg user=$USER \ --build-arg uid=$UID \ --build-arg home=$HOME \ - --build-arg workspace=$WORKSPACE \ - --build-arg shell=$SHELL \ -t $IMAGE_NAME \ $@ \ - - < Dockerfile + $SCRIPTPATH diff --git a/bitbots_misc/bitbots_containers/dev/clean.bash b/bitbots_misc/bitbots_containers/dev/clean.bash new file mode 100755 index 000000000..4dd65efc1 --- /dev/null +++ b/bitbots_misc/bitbots_containers/dev/clean.bash @@ -0,0 +1,16 @@ +#!/usr/bin/env bash + +IMAGE_NAME=bitbots-dev-iron +CONTAINER_NAME=bitbots-dev-iron + +# Ask for confirmation +if [[ -n $CONTAINER_NAME ]]; then + read -p "Do you really want delete the container? You will need to reinstall all deps and loose all changes outside the bitbots_main repo! [y/N] " -n 1 -r + if [[ ! $REPLY =~ ^[Yy]$ ]]; then + exit 1 + fi +fi + +# Stop and remove the container +docker stop $CONTAINER_NAME > /dev/null # Do not print container name +docker rm $CONTAINER_NAME > /dev/null # Do not print container name diff --git a/bitbots_misc/bitbots_containers/dev/connect b/bitbots_misc/bitbots_containers/dev/connect.bash similarity index 74% rename from bitbots_misc/bitbots_containers/dev/connect rename to bitbots_misc/bitbots_containers/dev/connect.bash index 381e7093b..dfce1350d 100755 --- a/bitbots_misc/bitbots_containers/dev/connect +++ b/bitbots_misc/bitbots_containers/dev/connect.bash @@ -1,19 +1,22 @@ #!/usr/bin/env bash set -eEou pipefail -IMAGE_NAME=ros-iron +IMAGE_NAME=bitbots-dev-iron CONTAINER_NAME=`docker ps --filter status=running --filter ancestor=$IMAGE_NAME --format "{{.Names}}"` +# Enable xhost access +xhost +local:root + if [[ -z $CONTAINER_NAME ]]; then echo "Container not running, starting it" DIR=`dirname $0` - bash -c "$DIR/start" + bash -c "$DIR/start.bash" fi CONTAINER_NAME=`docker ps --filter status=running --filter ancestor=$IMAGE_NAME --format "{{.Names}}"` if [[ -z $@ ]]; then - docker exec -it $CONTAINER_NAME $SHELL + docker exec -it $CONTAINER_NAME /usr/bin/zsh else docker exec -it $CONTAINER_NAME "$@" fi diff --git a/bitbots_misc/bitbots_containers/dev/start b/bitbots_misc/bitbots_containers/dev/start.bash similarity index 59% rename from bitbots_misc/bitbots_containers/dev/start rename to bitbots_misc/bitbots_containers/dev/start.bash index 4cd16f7ba..b65635a1f 100755 --- a/bitbots_misc/bitbots_containers/dev/start +++ b/bitbots_misc/bitbots_containers/dev/start.bash @@ -1,10 +1,8 @@ #!/usr/bin/env bash set -eEou pipefail -IMAGE_NAME=ros-iron -VIDEO_DEVICE=/dev/video0 -# Get the group number of the video group, docker groups may differ -VIDEO_GROUP=`stat -c "%g" $VIDEO_DEVICE` +IMAGE_NAME=bitbots-dev-iron +SCRIPTPATH="$( cd -- "$(dirname "$0")" >/dev/null 2>&1 ; pwd -P )" # Test whether a running container exists CONTAINER_NAME=`docker ps --filter status=running --filter ancestor=$IMAGE_NAME --format "{{.Names}}"` @@ -19,19 +17,25 @@ if [[ -n $CONTAINER_NAME ]]; then echo "Resuming stopped container" docker start $CONTAINER_NAME > /dev/null else + echo "Starting new container" + echo "You will need to setup the bitbots main repo in the container" + echo "This means you will need to run the following commands in the container:" + echo "'make -C ~/colcon_ws/src/bitbots_main install'" # Run the container with shared X11 docker run -d \ --net=host \ --add-host=$HOSTNAME:127.0.1.1 \ - -e SHELL \ -e DISPLAY \ -e DOCKER=1 \ - -v "$HOME:$HOME:rw" \ + -v "$HOME:/srv/host_home:rw" \ -v "/tmp/.X11-unix:/tmp/.X11-unix:rw" \ - --device=$VIDEO_DEVICE:/dev/video0 \ - --group-add=$VIDEO_GROUP \ + -v "$HOME/.ssh:$HOME/.ssh:rw" \ + -v "$(realpath $SCRIPTPATH/../../../):$HOME/colcon_ws/src/bitbots_main:rw" \ + -e LIBGL_ALWAYS_SOFTWARE=1 \ + --ulimit nofile=1024:524288 \ + --device=/dev/dri:/dev/dri \ --cap-add=SYS_PTRACE \ --security-opt seccomp=unconfined \ - --name "rosdocked_iron" \ + --name "bitbots-dev-iron" \ -it $IMAGE_NAME > /dev/null # Do not print container id fi diff --git a/bitbots_misc/bitbots_containers/dev/stop b/bitbots_misc/bitbots_containers/dev/stop.bash similarity index 90% rename from bitbots_misc/bitbots_containers/dev/stop rename to bitbots_misc/bitbots_containers/dev/stop.bash index 587a44555..ec54034ad 100755 --- a/bitbots_misc/bitbots_containers/dev/stop +++ b/bitbots_misc/bitbots_containers/dev/stop.bash @@ -1,6 +1,6 @@ #!/usr/bin/env bash -IMAGE_NAME=ros-iron +IMAGE_NAME=bitbots-dev-iron CONTAINER_NAME=`docker ps --filter status=running --filter ancestor=$IMAGE_NAME --format "{{.Names}}"` if [[ -z $CONTAINER_NAME ]]; then diff --git a/bitbots_misc/bitbots_containers/dev/zshrc b/bitbots_misc/bitbots_containers/dev/zshrc new file mode 100644 index 000000000..ac65d3533 --- /dev/null +++ b/bitbots_misc/bitbots_containers/dev/zshrc @@ -0,0 +1,98 @@ +# If you come from bash you might have to change your $PATH. +export PATH=$HOME/bin:/usr/local/bin:$HOME/.local/bin:$PATH + +# Path to your oh-my-zsh installation. +export ZSH=$HOME/.oh-my-zsh + +# Set name of the theme to load. +ZSH_THEME="agnoster" + +# Set list of +plugins=( + git + zsh-autosuggestions +) + +# Setups for oh-my-zsh +source $ZSH/oh-my-zsh.sh + +# User configuration + +# You may need to manually set your language environment +export LANG=en_US.UTF-8 +export LANGUAGE=en_US:en + +# Set personal aliases, overriding those provided by oh-my-zsh libs, +# plugins, and themes. Aliases can be placed here, though oh-my-zsh +# users are encouraged to define aliases within the ZSH_CUSTOM folder. +# For a full list of active aliases, run `alias`. +# +# Example aliases +# alias zshconfig="mate ~/.zshrc" +# alias ohmyzsh="mate ~/.oh-my-zsh" +function mkcd(){ + mkdir -p $1 + cd $1 +} + +function mksh(){ + vim $1.sh + chmod 744 $1.sh +} + + +# Settings for the terminal +bindkey "^H" backward-kill-word +bindkey "^[[1;5C" forward-word +bindkey "^[[1;5D" backward-word + + +# Settings for the prompt to show that we are in a docker container +export PROMPT="%K{black} 🐋 %K{blue}%F{black}%/ %f%k%F{blue}%f " # Prefix the prompt with DOCKER + +# Do ros2 specific things +source /opt/ros/iron/setup.zsh &> /dev/null +export PYTHONWARNINGS=ignore:::setuptools.command.install,ignore:::setuptools.command.easy_install,ignore:::pkg_resources + +export ROS_DOMAIN_ID=24 + +export COLCON_WS="$HOME/colcon_ws" + +export COLCON_LOG_LEVEL=30 + +export RCUTILS_COLORIZED_OUTPUT=1 +export RCUTILS_CONSOLE_OUTPUT_FORMAT="[{severity}] [{name}]: {message}" + +export RMW_IMPLEMENTATION=rmw_cyclonedds_cpp + +function update_ros2_argcomplete() { + eval "$(register-python-argcomplete3 ros2)" + eval "$(register-python-argcomplete3 colcon)" +} +update_ros2_argcomplete + +alias rr='ros2 run' +alias rl='ros2 launch' + +alias rte='ros2 topic echo' +alias rtl='ros2 topic list' +alias rth='ros2 topic hz' +alias rtp='ros2 topic pub' + +alias rpl='ros2 param list' +alias rpg='ros2 param get' + +alias cdc='cd $COLCON_WS' + +alias cba='cdc && colcon build --symlink-install --continue-on-error' +alias cb='cdc && colcon build --symlink-install --continue-on-error --packages-up-to' +alias cbs='cdc && colcon build --symlink-install --packages-select' +alias cc='cdc && colcon clean packages --packages-select' +alias cca='cdc && colcon clean packages' + +alias sr='source /opt/ros/iron/setup.zsh && update_ros2_argcomplete' +alias sc='source $COLCON_WS/install/setup.zsh && update_ros2_argcomplete' +alias sa='sr && sc' + +# Set default editor +export VISUAL="vim" From 0e5b56699400e2d93f6f49af5609e01517af5f85 Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Wed, 21 Feb 2024 12:14:10 +0100 Subject: [PATCH 30/63] Update default zshrc --- bitbots_misc/bitbots_containers/dev/zshrc | 12 ++++++++++++ 1 file changed, 12 insertions(+) diff --git a/bitbots_misc/bitbots_containers/dev/zshrc b/bitbots_misc/bitbots_containers/dev/zshrc index ac65d3533..15becee7a 100644 --- a/bitbots_misc/bitbots_containers/dev/zshrc +++ b/bitbots_misc/bitbots_containers/dev/zshrc @@ -52,23 +52,35 @@ export PROMPT="%K{black} 🐋 %K{blue}%F{black}%/ %f%k%F{blue}%f " # Pref # Do ros2 specific things source /opt/ros/iron/setup.zsh &> /dev/null + +# Ignore some deprecation warnings export PYTHONWARNINGS=ignore:::setuptools.command.install,ignore:::setuptools.command.easy_install,ignore:::pkg_resources +# Limit ROS 2 communication to localhost (can be overridden when needed) export ROS_DOMAIN_ID=24 +export ROS_AUTOMATIC_DISCOVERY_RANGE=LOCALHOST +# Set the default colcon workspace export COLCON_WS="$HOME/colcon_ws" +# Set the default log level for colcon export COLCON_LOG_LEVEL=30 +# Define a log layout export RCUTILS_COLORIZED_OUTPUT=1 export RCUTILS_CONSOLE_OUTPUT_FORMAT="[{severity}] [{name}]: {message}" +# Set the default Middleware export RMW_IMPLEMENTATION=rmw_cyclonedds_cpp +# Create a function to update the argcomplete so tab completion works +# This needs to be called every time we source something ROS 2 related function update_ros2_argcomplete() { eval "$(register-python-argcomplete3 ros2)" eval "$(register-python-argcomplete3 colcon)" } + +# Update the tab completion update_ros2_argcomplete alias rr='ros2 run' From ae435d935419763733cad400fddf2d6a760a0efe Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Wed, 21 Feb 2024 13:26:07 +0000 Subject: [PATCH 31/63] Use dev container setup instead --- .../dev => .devcontainer}/Dockerfile | 20 ++--- .devcontainer/devcontainer.json | 44 ++++++++++ .../dev => .devcontainer}/zshrc | 2 +- bitbots_misc/bitbots_containers/dev/README.md | 85 ------------------- .../bitbots_containers/dev/build.bash | 17 ---- .../bitbots_containers/dev/clean.bash | 16 ---- .../bitbots_containers/dev/connect.bash | 22 ----- .../bitbots_containers/dev/start.bash | 41 --------- bitbots_misc/bitbots_containers/dev/stop.bash | 10 --- 9 files changed, 50 insertions(+), 207 deletions(-) rename {bitbots_misc/bitbots_containers/dev => .devcontainer}/Dockerfile (82%) create mode 100644 .devcontainer/devcontainer.json rename {bitbots_misc/bitbots_containers/dev => .devcontainer}/zshrc (100%) delete mode 100644 bitbots_misc/bitbots_containers/dev/README.md delete mode 100755 bitbots_misc/bitbots_containers/dev/build.bash delete mode 100755 bitbots_misc/bitbots_containers/dev/clean.bash delete mode 100755 bitbots_misc/bitbots_containers/dev/connect.bash delete mode 100755 bitbots_misc/bitbots_containers/dev/start.bash delete mode 100755 bitbots_misc/bitbots_containers/dev/stop.bash diff --git a/bitbots_misc/bitbots_containers/dev/Dockerfile b/.devcontainer/Dockerfile similarity index 82% rename from bitbots_misc/bitbots_containers/dev/Dockerfile rename to .devcontainer/Dockerfile index 590bdd3f0..748a3f659 100644 --- a/bitbots_misc/bitbots_containers/dev/Dockerfile +++ b/.devcontainer/Dockerfile @@ -1,10 +1,5 @@ FROM ros:iron -# Arguments -ARG user -ARG uid -ARG home - # Basic Utilities ENV DEBIAN_FRONTEND=noninteractive RUN apt-get update -y \ @@ -81,27 +76,22 @@ RUN python3 -m pip install \ git+https://github.com/timonegk/colcon-notification.git@colors \ git+https://github.com/timonegk/colcon-output.git@colors -# Clone user into docker image and set up X11 sharing -RUN echo "${user}:x:${uid}:${uid}:${user},,,:${home}:/usr/bin/zsh" >> /etc/passwd \ - && echo "${user}:*::0:99999:0:::" >> /etc/shadow \ - && echo "${user}:x:${uid}:" >> /etc/group \ - && echo "${user} ALL=(ALL) NOPASSWD: ALL" >> "/etc/sudoers" +# Set zsh as default shell +SHELL ["/bin/zsh", "-c"] # Create home directory and colcon workspace -RUN mkdir -p "${home}/colcon_ws" && chown -R "${user}:${user}" "${home}" +RUN mkdir -p "/root/colcon_ws" -# Switch to user -USER "${user}" # Install oh-my-zsh for pretty terminal RUN sh -c "$(wget -O- https://raw.githubusercontent.com/ohmyzsh/ohmyzsh/master/tools/install.sh)" && \ git clone https://github.com/zsh-users/zsh-autosuggestions ${ZSH_CUSTOM:-~/.oh-my-zsh/custom}/plugins/zsh-autosuggestions # Add zshrc -COPY zshrc "${home}/.zshrc" +COPY zshrc "/root/.zshrc" # This is required for sharing Xauthority ENV QT_X11_NO_MITSHM=1 # Switch to the workspace directory -WORKDIR "${home}/colcon_ws" +WORKDIR "/root/colcon_ws" diff --git a/.devcontainer/devcontainer.json b/.devcontainer/devcontainer.json new file mode 100644 index 000000000..e6fff03ff --- /dev/null +++ b/.devcontainer/devcontainer.json @@ -0,0 +1,44 @@ +{ + "name": "Bit-Bots Iron Dev", + + "build": { "dockerfile": "Dockerfile" }, + + "containerEnv": { + "DISPLAY": "${localEnv:DISPLAY}", + "LIBGL_ALWAYS_SOFTWARE": "1", + "QT_X11_NO_MITSHM": "1", + "DOCKER": "1" + }, + + "customizations": { + "vscode": { + "settings": { + "terminal.integrated.defaultProfile.linux": "zsh", + "terminal.integrated.profiles.linux": { "zsh": { "path": "/bin/zsh" } } + }, + "extensions": [ + "ms-iot.vscode-ros" + ] + } + }, + + "workspaceMount": "type=bind,source=${localWorkspaceFolder},target=/root/colcon_ws/src/bitbots_main", + "workspaceFolder": "/root/colcon_ws/src/bitbots_main", + + "mounts": [ + "type=bind,source=${localEnv:HOME},target=/srv/host_home,consistency=cached" + ], + + "runArgs": [ + "--privileged", + "--net=host", + "--ulimit", "nofile=1024:524288", + "--device=/dev/dri:/dev/dri", + "--volume=/tmp/.X11-unix:/tmp/.X11-unix", + "--cap-add=SYS_PTRACE", + "--security-opt", "seccomp=unconfined" + ], + + "postCreateCommand": "make -C $HOME/colcon_ws/src/bitbots_main install", + "postAttachCommand": "git config --global --add safe.directory '*'" + } diff --git a/bitbots_misc/bitbots_containers/dev/zshrc b/.devcontainer/zshrc similarity index 100% rename from bitbots_misc/bitbots_containers/dev/zshrc rename to .devcontainer/zshrc index 15becee7a..5b799e48d 100644 --- a/bitbots_misc/bitbots_containers/dev/zshrc +++ b/.devcontainer/zshrc @@ -76,8 +76,8 @@ export RMW_IMPLEMENTATION=rmw_cyclonedds_cpp # Create a function to update the argcomplete so tab completion works # This needs to be called every time we source something ROS 2 related function update_ros2_argcomplete() { - eval "$(register-python-argcomplete3 ros2)" eval "$(register-python-argcomplete3 colcon)" + eval "$(register-python-argcomplete3 ros2)" } # Update the tab completion diff --git a/bitbots_misc/bitbots_containers/dev/README.md b/bitbots_misc/bitbots_containers/dev/README.md deleted file mode 100644 index 211c60363..000000000 --- a/bitbots_misc/bitbots_containers/dev/README.md +++ /dev/null @@ -1,85 +0,0 @@ -# Bit-Bots Development Container - -This container is used to develop the bit-bots software. It provides a pre-configured environment with all necessary tools. This repository is mounted into the container and can be used to develop the software. You still need to install some repo specific dependencies, but the container provides a good starting point. - -## Usage - -### Build - -To use the container, you need to have Docker installed. Then you can run the following command to build the base image of the container: - -```shell -bash build.bash -``` - -in the root of this repository (bitbots_main) you can use the make command to build the container: - -```shell -make dev-container-build -``` - -### Run - -Once the container is built, you can run it with the following command: - -```shell -bash connect.bash -``` - -in the root of this repository (bitbots_main) you can use the make command to run the container: - -```shell -make dev-container-run -``` - -This will start the container and mount the current repository into the container. You can now use the container to develop the software. You still need to install some repo specific dependencies tho. - -To install everything you need to run the following command in the container: - -```shell -make -C ~/colcon_ws/src/bitbots_main install -``` - -### Stop - -You can explicitly stop the container with the following command: - -```shell -bash stop.bash -``` - -in the root of this repository (bitbots_main) you can use the make command to stop the container: - -```shell -make dev-container-stop -``` - -### Clean - -You can clean up the container with the following command: - -```shell -bash clean.bash -``` - -This will stop and remove the container. You can also use the make command to clean the container: - -```shell -make dev-container-clean -``` - -This is useful if you want to start from scratch or if you have build a new image and want a new container to utilize the new image. - -Due to the mounting of this repository the code still persists on your local machine and is not removed when the container is removed. -All changes you make in the container (e.g. installing dependencies) are lost when the container is removed. - -## IDE Integration - -You can connect VS Code to the container. This allows for proper syntax highlighting and code completion. To do this, you need to install the "Dev Container" extension in VS Code. You can then click into the bottom left corner of the window and select "Attach to running container" (you need to run the container first in a different terminal). This will open a new window with the container's environment. After opening the correct folder, inside the container, you can use the full power of VS Code to develop the software. -Please also install all recommended extensions when prompted in the bottom right corner of the window after opening the folder. - -## Known Issues - -- I have no internet connection in the container: This is happens when you start the container and then change your network. The DNS server is not updated in the container. You can fix this by manually stopping and running the container again. This will update the DNS server in the container. All changes are preserved, so you don't lose anything (you don't need to clean the container!). -- I have no syntax highlighting for ROS related files: Make sure to open the folder inside the container. Also make sure to install all recommended extensions when prompted in the bottom right corner of the window after opening the folder. -- I only have syntax highlighting for general ros files but not for bit-bots specific imports: You might need to update the python paths with the ROS extension. To do this open the VS Code command palette (Ctrl+Shift+P) and search for "Update Python Path". This will update the python paths and should fix the issue. diff --git a/bitbots_misc/bitbots_containers/dev/build.bash b/bitbots_misc/bitbots_containers/dev/build.bash deleted file mode 100755 index 0714b7c01..000000000 --- a/bitbots_misc/bitbots_containers/dev/build.bash +++ /dev/null @@ -1,17 +0,0 @@ -#!/usr/bin/env bash -set -eEou pipefail - -IMAGE_NAME=bitbots-dev-iron - -SCRIPTPATH="$( cd -- "$(dirname "$0")" >/dev/null 2>&1 ; pwd -P )" - -# Build the docker image -docker build \ - --pull \ - --network=host \ - --build-arg user=$USER \ - --build-arg uid=$UID \ - --build-arg home=$HOME \ - -t $IMAGE_NAME \ - $@ \ - $SCRIPTPATH diff --git a/bitbots_misc/bitbots_containers/dev/clean.bash b/bitbots_misc/bitbots_containers/dev/clean.bash deleted file mode 100755 index 4dd65efc1..000000000 --- a/bitbots_misc/bitbots_containers/dev/clean.bash +++ /dev/null @@ -1,16 +0,0 @@ -#!/usr/bin/env bash - -IMAGE_NAME=bitbots-dev-iron -CONTAINER_NAME=bitbots-dev-iron - -# Ask for confirmation -if [[ -n $CONTAINER_NAME ]]; then - read -p "Do you really want delete the container? You will need to reinstall all deps and loose all changes outside the bitbots_main repo! [y/N] " -n 1 -r - if [[ ! $REPLY =~ ^[Yy]$ ]]; then - exit 1 - fi -fi - -# Stop and remove the container -docker stop $CONTAINER_NAME > /dev/null # Do not print container name -docker rm $CONTAINER_NAME > /dev/null # Do not print container name diff --git a/bitbots_misc/bitbots_containers/dev/connect.bash b/bitbots_misc/bitbots_containers/dev/connect.bash deleted file mode 100755 index dfce1350d..000000000 --- a/bitbots_misc/bitbots_containers/dev/connect.bash +++ /dev/null @@ -1,22 +0,0 @@ -#!/usr/bin/env bash -set -eEou pipefail - -IMAGE_NAME=bitbots-dev-iron -CONTAINER_NAME=`docker ps --filter status=running --filter ancestor=$IMAGE_NAME --format "{{.Names}}"` - -# Enable xhost access -xhost +local:root - -if [[ -z $CONTAINER_NAME ]]; then - echo "Container not running, starting it" - DIR=`dirname $0` - bash -c "$DIR/start.bash" -fi - -CONTAINER_NAME=`docker ps --filter status=running --filter ancestor=$IMAGE_NAME --format "{{.Names}}"` - -if [[ -z $@ ]]; then - docker exec -it $CONTAINER_NAME /usr/bin/zsh -else - docker exec -it $CONTAINER_NAME "$@" -fi diff --git a/bitbots_misc/bitbots_containers/dev/start.bash b/bitbots_misc/bitbots_containers/dev/start.bash deleted file mode 100755 index b65635a1f..000000000 --- a/bitbots_misc/bitbots_containers/dev/start.bash +++ /dev/null @@ -1,41 +0,0 @@ -#!/usr/bin/env bash -set -eEou pipefail - -IMAGE_NAME=bitbots-dev-iron -SCRIPTPATH="$( cd -- "$(dirname "$0")" >/dev/null 2>&1 ; pwd -P )" - -# Test whether a running container exists -CONTAINER_NAME=`docker ps --filter status=running --filter ancestor=$IMAGE_NAME --format "{{.Names}}"` -if [[ -n $CONTAINER_NAME ]]; then - echo "Container already running, connect with ./connect or stop it with ./stop" - exit 1 -fi - -# Test whether a stopped container exists -CONTAINER_NAME=`docker ps --filter status=exited --filter ancestor=$IMAGE_NAME --format "{{.Names}}"` -if [[ -n $CONTAINER_NAME ]]; then - echo "Resuming stopped container" - docker start $CONTAINER_NAME > /dev/null -else - echo "Starting new container" - echo "You will need to setup the bitbots main repo in the container" - echo "This means you will need to run the following commands in the container:" - echo "'make -C ~/colcon_ws/src/bitbots_main install'" - # Run the container with shared X11 - docker run -d \ - --net=host \ - --add-host=$HOSTNAME:127.0.1.1 \ - -e DISPLAY \ - -e DOCKER=1 \ - -v "$HOME:/srv/host_home:rw" \ - -v "/tmp/.X11-unix:/tmp/.X11-unix:rw" \ - -v "$HOME/.ssh:$HOME/.ssh:rw" \ - -v "$(realpath $SCRIPTPATH/../../../):$HOME/colcon_ws/src/bitbots_main:rw" \ - -e LIBGL_ALWAYS_SOFTWARE=1 \ - --ulimit nofile=1024:524288 \ - --device=/dev/dri:/dev/dri \ - --cap-add=SYS_PTRACE \ - --security-opt seccomp=unconfined \ - --name "bitbots-dev-iron" \ - -it $IMAGE_NAME > /dev/null # Do not print container id -fi diff --git a/bitbots_misc/bitbots_containers/dev/stop.bash b/bitbots_misc/bitbots_containers/dev/stop.bash deleted file mode 100755 index ec54034ad..000000000 --- a/bitbots_misc/bitbots_containers/dev/stop.bash +++ /dev/null @@ -1,10 +0,0 @@ -#!/usr/bin/env bash - -IMAGE_NAME=bitbots-dev-iron -CONTAINER_NAME=`docker ps --filter status=running --filter ancestor=$IMAGE_NAME --format "{{.Names}}"` - -if [[ -z $CONTAINER_NAME ]]; then - echo "The container is not running" -else - docker stop $CONTAINER_NAME > /dev/null # Do not print container name -fi From 9e6cebd2c9e0c16a8e946623f4967e1b39c9203f Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Wed, 21 Feb 2024 14:50:30 +0100 Subject: [PATCH 32/63] Fix git trust error --- .devcontainer/devcontainer.json | 3 +-- .vscode/settings.json | 4 +--- 2 files changed, 2 insertions(+), 5 deletions(-) diff --git a/.devcontainer/devcontainer.json b/.devcontainer/devcontainer.json index e6fff03ff..03836f16d 100644 --- a/.devcontainer/devcontainer.json +++ b/.devcontainer/devcontainer.json @@ -39,6 +39,5 @@ "--security-opt", "seccomp=unconfined" ], - "postCreateCommand": "make -C $HOME/colcon_ws/src/bitbots_main install", - "postAttachCommand": "git config --global --add safe.directory '*'" + "postCreateCommand": "git config --global --add safe.directory '*' && make -C $HOME/colcon_ws/src/bitbots_main install" } diff --git a/.vscode/settings.json b/.vscode/settings.json index d53f24ee5..894c8f39d 100644 --- a/.vscode/settings.json +++ b/.vscode/settings.json @@ -200,7 +200,5 @@ "python.analysis.extraPaths": [ "/opt/ros/iron/lib/python3.10/site-packages" ], - - - + "cmake.configureOnOpen": false, } From 30b42006e0ca269d56114997f04c00047504ce77 Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Wed, 21 Feb 2024 14:53:30 +0100 Subject: [PATCH 33/63] Remove unneeded commands from make file --- Makefile | 14 +------------- 1 file changed, 1 insertion(+), 13 deletions(-) diff --git a/Makefile b/Makefile index 3f25d1240..2f825c909 100644 --- a/Makefile +++ b/Makefile @@ -1,4 +1,4 @@ -.PHONY : basler install install-no-root pip pre-commit install-git-filters format pull-all pull-init pull-repos pull-files fresh-libs remove-libs setup-libs rosdep status update update-no-root dev-container-build dev-container-run dev-container-clean dev-container-stop +.PHONY : basler install install-no-root pip pre-commit install-git-filters format pull-all pull-init pull-repos pull-files fresh-libs remove-libs setup-libs rosdep status update update-no-root HTTPS := "" REPO:=$(dir $(abspath $(firstword $(MAKEFILE_LIST)))) @@ -88,15 +88,3 @@ status: update: pull-all rosdep pip install-git-filters pre-commit update-no-root: pull-all pip install-git-filters pre-commit - -dev-container-build: - bash bitbots_misc/bitbots_containers/dev/build.bash - -dev-container-run: - bash bitbots_misc/bitbots_containers/dev/connect.bash - -dev-container-clean: - bash bitbots_misc/bitbots_containers/dev/clean.bash - -dev-container-stop: - bash bitbots_misc/bitbots_containers/dev/stop.bash From ed797a9fdebf0ba205eb0dbeb62503c57d231ff4 Mon Sep 17 00:00:00 2001 From: ayin21 Date: Sun, 3 Mar 2024 18:57:53 +0000 Subject: [PATCH 34/63] Add testing script for teching mode --- teaching_mode.py | 68 ++++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 68 insertions(+) create mode 100644 teaching_mode.py diff --git a/teaching_mode.py b/teaching_mode.py new file mode 100644 index 000000000..6f61e9b3b --- /dev/null +++ b/teaching_mode.py @@ -0,0 +1,68 @@ +#!/usr/bin/env python3 + + +import rclpy +from rclpy.node import Node +from sensor_msgs.msg import JointState +from std_srvs.srv import SetBool + +from bitbots_msgs.msg import JointCommand, JointTorque + + +class TeachingNode(Node): + def __init__(self): + super().__init__("teaching_node") + self.is_button_pressed = False + self.timer = self.create_timer(0.1, self.publish_command) + self.get_logger().info("Teaching Node has been started") + self.joint_states: JointState | None = None + self.default_velocity = 5.0 + self.default_accelerations = -1.0 + self.default_max_currents = -1.0 + + self.joint_command_publisher = self.create_publisher(JointCommand, "DynamixelController/command", 10) + self.torque_publisher = self.create_publisher(JointTorque, "ros_control/set_torque_individual", 10) + self.subscription = self.create_subscription(JointState, "/joint_states", self.joint_states_callback, 10) + + self.activation_service = self.create_service(SetBool, "set_teaching_mode", self.activation_service_callback) + + def activation_service_callback(self, request: SetBool.Request, response: SetBool.Response) -> SetBool.Response: + if self.joint_states is None: + self.get_logger().warning( + "Cannot set joint stiffness for teaching mode because no joint states where recived!" + ) + response.success = False + return response + + self.torque_publisher.publish( + JointTorque(joint_names=self.joint_states.name, on=[not request.data] * len(self.joint_states.name)) + ) + if not request.data: + self.joint_command_publisher.publish( + JointCommand( + joint_names=self.joint_states.name, + positions=self.joint_states.position, + accelerations=[self.default_accelerations] * len(self.joint_states.name), + max_currents=[self.default_max_currents] * len(self.joint_states.name), + velocities=[self.default_velocity] * len(self.joint_states.name), + ) + ) + response.success = True + return response + + def joint_states_callback(self, msg: JointState): + self.joint_states = msg + + +if __name__ == "__main__": + rclpy.init(args=args) + node = TeachingNode() + try: + rclpy.spin(node) + except KeyboardInterrupt: + pass + node.destroy_node() + +# where publish +# were subscribe +# set torque benutzen From 2619a88fff7c1d9262739ea18eb158c8c32de34d Mon Sep 17 00:00:00 2001 From: ayin21 Date: Sun, 3 Mar 2024 20:29:13 +0000 Subject: [PATCH 35/63] Start HCM integration --- .../bitbots_hcm/hcm_dsd/decisions/teaching.py | 31 +++++++++++ .../bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd | 53 ++++++++++--------- .../bitbots_hcm/hcm_dsd/hcm_blackboard.py | 24 ++++++++- 3 files changed, 82 insertions(+), 26 deletions(-) create mode 100644 bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/teaching.py diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/teaching.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/teaching.py new file mode 100644 index 000000000..956323380 --- /dev/null +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/teaching.py @@ -0,0 +1,31 @@ +from bitbots_hcm.hcm_dsd.decisions import AbstractHCMDecisionElement + + +class TeachingMode(AbstractHCMDecisionElement): + """ + Decides if the robot is currently in teaching mode. + In the teaching mode the robot can be puppeteered freely. + To do this we deactivate the torque on all motors. + If we leave the teaching mode we activate the torque again. + """ + def __init__(self, blackboard, dsd, parameters): + super().__init__(blackboard, dsd, parameters) + self.last_state_on = False + + def perform(self, reevaluate=False): + if self.blackboard.teaching_mode_active: + self.last_state_on = True + # We activated the teaching mode + return "TURN_ON" + elif self.last_state_on: + self.last_state_on = False + # We just deactivated the teaching mode and need to clean up + return "TURN_OFF" + else: + # We are not in the teaching mode + return "OFF" + + def get_reevaluate(self): + return True + + diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd index f6ea5b920..8c5ffdd6a 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd @@ -10,28 +10,31 @@ $StartHCM OVERLOAD --> @RobotStateMotorOff, @CancelGoals, @StopWalking, @PlayAnimationFallingFront, @TurnMotorsOff, @Wait PROBLEM --> @RobotStateHardwareProblem, @WaitForMotors TURN_ON --> @TurnMotorsOn, @PlayAnimationDynup + direction:walkready, @Wait - OKAY --> $CheckIMU - IMU_NOT_STARTED --> @RobotStateStartup, @WaitForIMUStartup - PROBLEM --> @RobotStateHardwareProblem, @WaitForIMU - OKAY --> $CheckPressureSensor - PRESSURE_NOT_STARTED --> @RobotStateStartup, @WaitForPressureStartup - PROBLEM --> @RobotStateHardwareProblem, @WaitForPressure - OKAY --> $PickedUp - PICKED_UP --> @RobotStatePickedUp, @PlayAnimationDynup + direction:walkready, @Wait - ON_GROUND --> $Fallen - FALLEN_FRONT --> @RobotStateFallen, @CancelGoals, @StopWalking, @RobotStateGettingUp, @PlayAnimationDynup + direction:front - FALLEN_BACK --> @RobotStateFallen, @CancelGoals, @StopWalking, @RobotStateGettingUp, @SetFootZero, @PlayAnimationDynup + direction:back - FALLEN_RIGHT --> @RobotStateFallen, @CancelGoals, @StopWalking, @PlayAnimationTurningBackRight - FALLEN_LEFT --> @RobotStateFallen, @CancelGoals, @StopWalking, @PlayAnimationTurningBackLeft - NOT_FALLEN --> $Falling - FALLING_LEFT --> @RobotStateFalling, @CancelGoals, @StopWalking, @PlayAnimationFallingLeft, @Wait - FALLING_RIGHT --> @RobotStateFalling, @CancelGoals, @StopWalking, @PlayAnimationFallingRight, @Wait - FALLING_FRONT --> @RobotStateFalling, @CancelGoals, @StopWalking, @PlayAnimationFallingFront, @Wait - FALLING_BACK --> @RobotStateFalling, @CancelGoals, @StopWalking, @PlayAnimationFallingBack, @Wait - NOT_FALLING --> $PlayingExternalAnimation - ANIMATION_RUNNING --> @StopWalking, @RobotStateAnimationRunning, @Wait - FREE --> $RecentWalkingGoals - STAY_WALKING --> @RobotStateWalking, @Wait - NOT_WALKING --> $RecentKickGoals - KICKING --> @RobotStateKicking, @Wait - NOT_KICKING --> @RobotStateControllable, @Wait + OKAY --> $TeachingMode + TURN_ON --> @SetTorque + stiff:false, @Wait + TURN_OFF --> @SetTorque + stiff:true, @SendJointStatesAsGoals + OFF --> $CheckIMU + IMU_NOT_STARTED --> @RobotStateStartup, @WaitForIMUStartup + PROBLEM --> @RobotStateHardwareProblem, @WaitForIMU + OKAY --> $CheckPressureSensor + PRESSURE_NOT_STARTED --> @RobotStateStartup, @WaitForPressureStartup + PROBLEM --> @RobotStateHardwareProblem, @WaitForPressure + OKAY --> $PickedUp + PICKED_UP --> @RobotStatePickedUp, @PlayAnimationDynup + direction:walkready, @Wait + ON_GROUND --> $Fallen + FALLEN_FRONT --> @RobotStateFallen, @CancelGoals, @StopWalking, @RobotStateGettingUp, @PlayAnimationDynup + direction:front + FALLEN_BACK --> @RobotStateFallen, @CancelGoals, @StopWalking, @RobotStateGettingUp, @SetFootZero, @PlayAnimationDynup + direction:back + FALLEN_RIGHT --> @RobotStateFallen, @CancelGoals, @StopWalking, @PlayAnimationTurningBackRight + FALLEN_LEFT --> @RobotStateFallen, @CancelGoals, @StopWalking, @PlayAnimationTurningBackLeft + NOT_FALLEN --> $Falling + FALLING_LEFT --> @RobotStateFalling, @CancelGoals, @StopWalking, @PlayAnimationFallingLeft, @Wait + FALLING_RIGHT --> @RobotStateFalling, @CancelGoals, @StopWalking, @PlayAnimationFallingRight, @Wait + FALLING_FRONT --> @RobotStateFalling, @CancelGoals, @StopWalking, @PlayAnimationFallingFront, @Wait + FALLING_BACK --> @RobotStateFalling, @CancelGoals, @StopWalking, @PlayAnimationFallingBack, @Wait + NOT_FALLING --> $PlayingExternalAnimation + ANIMATION_RUNNING --> @StopWalking, @RobotStateAnimationRunning, @Wait + FREE --> $RecentWalkingGoals + STAY_WALKING --> @RobotStateWalking, @Wait + NOT_WALKING --> $RecentKickGoals + KICKING --> @RobotStateKicking, @Wait + NOT_KICKING --> @RobotStateControllable, @Wait diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py index b2185b68f..8e14e86c2 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py @@ -32,10 +32,13 @@ def __init__(self, node: Node): self.pickup_accel_threshold: float = self.node.get_parameter("pick_up_accel_threshold").value self.pressure_sensors_installed: bool = self.node.get_parameter("pressure_sensors_installed").value - # Create services + # Create service clients self.foot_zero_service = self.node.create_client(EmptySrv, "set_foot_zero") self.motor_switch_service = self.node.create_client(SetBool, "core/switch_power") + # Create services + self.teaching_mode_service = self.create_service(SetBool, "set_teaching_mode", self.set_teaching_mode_callback) + # Create action clients and corresponding goal handles self.animation_action_client: ActionClient = ActionClient(self.node, PlayAnimation, "animation") self.animation_action_current_goal: Optional[Future] = None @@ -70,6 +73,9 @@ def __init__(self, node: Node): self.animation_name_turning_back_left: str = self.node.get_parameter("animations.turning_back_left").value self.animation_name_turning_back_right: str = self.node.get_parameter("animations.turning_back_right").value + # Teaching State + self.teaching_mode_active: bool = False + # Motor State self.current_joint_state: Optional[JointState] = None self.previous_joint_state: Optional[JointState] = None @@ -112,3 +118,19 @@ def __init__(self, node: Node): def cancel_path_planning(self): self.cancel_path_planning_pub.publish(EmptyMsg()) + + def set_teaching_mode_callback(self, request: SetBool.Request, response: SetBool.Response) -> SetBool.Response: + # Check if we are able to modify the teaching mode + if request.data and self.current_state not in [ + RobotControlState.CONTROLLABLE, + RobotControlState.PICKED_UP, + RobotControlState.PENALTY, + ]: + # Respond that we can not activate the teaching mode in the current state + response.success = False + return response + + # Activate / Deactivate teaching mode + self.teaching_mode_active = request.data + response.success = True + return response From 1058ffc975d72d007a6878616443d6a63f933481 Mon Sep 17 00:00:00 2001 From: ayin21 Date: Sun, 3 Mar 2024 20:35:39 +0000 Subject: [PATCH 36/63] Apply code formatting --- .../bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/teaching.py | 5 ++--- teaching_mode.py | 2 +- 2 files changed, 3 insertions(+), 4 deletions(-) diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/teaching.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/teaching.py index 956323380..20b1666b6 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/teaching.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/teaching.py @@ -4,10 +4,11 @@ class TeachingMode(AbstractHCMDecisionElement): """ Decides if the robot is currently in teaching mode. - In the teaching mode the robot can be puppeteered freely. + In the teaching mode the robot can be puppeteered freely. To do this we deactivate the torque on all motors. If we leave the teaching mode we activate the torque again. """ + def __init__(self, blackboard, dsd, parameters): super().__init__(blackboard, dsd, parameters) self.last_state_on = False @@ -27,5 +28,3 @@ def perform(self, reevaluate=False): def get_reevaluate(self): return True - - diff --git a/teaching_mode.py b/teaching_mode.py index 6f61e9b3b..79629b852 100644 --- a/teaching_mode.py +++ b/teaching_mode.py @@ -55,7 +55,7 @@ def joint_states_callback(self, msg: JointState): if __name__ == "__main__": - rclpy.init(args=args) + rclpy.init() node = TeachingNode() try: rclpy.spin(node) From 9287d750629d074a01280d01f40c70c8bbdeb1d4 Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Mon, 4 Mar 2024 18:20:28 +0000 Subject: [PATCH 37/63] Fix cases where we install as root --- Makefile | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Makefile b/Makefile index 2f825c909..4ca018736 100644 --- a/Makefile +++ b/Makefile @@ -13,7 +13,7 @@ install-no-root: pull-init update-no-root pip: # Install and upgrade pip dependencies - pip install --upgrade -r requirements/dev.txt + pip install --upgrade -r requirements/dev.txt --user pre-commit: # Install pre-commit hooks for all submodules that have a .pre-commit-config.yaml file From e677efc9fb337e4502a9db4d02888890121deba4 Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Mon, 4 Mar 2024 18:21:07 +0000 Subject: [PATCH 38/63] Do manual install of workspace --- .devcontainer/Dockerfile | 1 - .devcontainer/devcontainer.json | 6 +++--- .devcontainer/zshrc | 9 +++++++++ scripts/make_basler.sh | 4 ++-- 4 files changed, 14 insertions(+), 6 deletions(-) diff --git a/.devcontainer/Dockerfile b/.devcontainer/Dockerfile index 748a3f659..b2e5ca4f6 100644 --- a/.devcontainer/Dockerfile +++ b/.devcontainer/Dockerfile @@ -82,7 +82,6 @@ SHELL ["/bin/zsh", "-c"] # Create home directory and colcon workspace RUN mkdir -p "/root/colcon_ws" - # Install oh-my-zsh for pretty terminal RUN sh -c "$(wget -O- https://raw.githubusercontent.com/ohmyzsh/ohmyzsh/master/tools/install.sh)" && \ git clone https://github.com/zsh-users/zsh-autosuggestions ${ZSH_CUSTOM:-~/.oh-my-zsh/custom}/plugins/zsh-autosuggestions diff --git a/.devcontainer/devcontainer.json b/.devcontainer/devcontainer.json index 03836f16d..2978942df 100644 --- a/.devcontainer/devcontainer.json +++ b/.devcontainer/devcontainer.json @@ -26,18 +26,18 @@ "workspaceFolder": "/root/colcon_ws/src/bitbots_main", "mounts": [ - "type=bind,source=${localEnv:HOME},target=/srv/host_home,consistency=cached" + "type=bind,source=${localEnv:HOME},target=/srv/host_home,consistency=cached", + "type=tmpfs,destination=/tmp,tmpfs-size=2G" ], "runArgs": [ "--privileged", "--net=host", - "--ulimit", "nofile=1024:524288", "--device=/dev/dri:/dev/dri", "--volume=/tmp/.X11-unix:/tmp/.X11-unix", "--cap-add=SYS_PTRACE", "--security-opt", "seccomp=unconfined" ], - "postCreateCommand": "git config --global --add safe.directory '*' && make -C $HOME/colcon_ws/src/bitbots_main install" + "postCreateCommand": "git config --global --add safe.directory '*'" } diff --git a/.devcontainer/zshrc b/.devcontainer/zshrc index 5b799e48d..651148e2e 100644 --- a/.devcontainer/zshrc +++ b/.devcontainer/zshrc @@ -108,3 +108,12 @@ alias sa='sr && sc' # Set default editor export VISUAL="vim" + +# Some user instructions +echo "Hello there! Welcome to the Bit-Bots ROS 2 development environment!" +echo "If you just (re)build this container a few manual steps are nessessary:" +echo "Create a ssh key with 'ssh-keygen -q -f $HOME/.ssh/id_rsa -N \"\" && cat $HOME/.ssh/id_rsa.pub'." +echo "Copy the commands output and add it to your GitHub account ('https://github.com/settings/keys') (ctrl+click to open in browser)." +echo "Now you can install the rest of the workspace and compile everything with 'make install && cba'." +echo "To update an existing workspace you can use 'make update && cba'." +echo "To compile all packages in the workspace use 'cba'. If you want to compile only a specific package use 'cbs '." diff --git a/scripts/make_basler.sh b/scripts/make_basler.sh index 7fa301a36..d48101f8a 100755 --- a/scripts/make_basler.sh +++ b/scripts/make_basler.sh @@ -55,7 +55,7 @@ else # Extract the pylon driver tar -xzf /tmp/pylon_${PYLON_VERSION}.tar.gz -C /tmp # Install the pylon driver - sudo apt install /tmp/pylon_${PYLON_VERSION}*.deb -y + sudo apt-get install /tmp/pylon_${PYLON_VERSION}*.deb -y fi # Check if the correct blaze supplementary package BLAZE_VERSION is installed (apt) @@ -73,5 +73,5 @@ else # Download the blaze supplementary package to temp folder wget --no-verbose $SHOW_PROGRESS $BLAZE_DOWNLOAD_URL -O /tmp/pylon-blaze-supplementary-package_${BLAZE_VERSION}.deb # Install the blaze supplementary package - sudo apt install /tmp/pylon-blaze-supplementary-package_${BLAZE_VERSION}*.deb -y + sudo apt-get install /tmp/pylon-blaze-supplementary-package_${BLAZE_VERSION}*.deb -y fi From de387fca683f336210602f4f0f2392a144e73e44 Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Mon, 4 Mar 2024 18:25:54 +0000 Subject: [PATCH 39/63] Add xhost command --- .devcontainer/zshrc | 1 + 1 file changed, 1 insertion(+) diff --git a/.devcontainer/zshrc b/.devcontainer/zshrc index 651148e2e..f89126264 100644 --- a/.devcontainer/zshrc +++ b/.devcontainer/zshrc @@ -117,3 +117,4 @@ echo "Copy the commands output and add it to your GitHub account ('https://githu echo "Now you can install the rest of the workspace and compile everything with 'make install && cba'." echo "To update an existing workspace you can use 'make update && cba'." echo "To compile all packages in the workspace use 'cba'. If you want to compile only a specific package use 'cbs '." +echo "Run 'xhost local:root' in a terminal on the host machine to enable GUI applications (e.g. rviz2) in the container. This needs to be done after every restart of the host machine." From 13085a6fdf7ac2babb63ac72e1df77e4d99f0be2 Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Mon, 4 Mar 2024 18:55:11 +0000 Subject: [PATCH 40/63] Add tutorial for vs code dev containers --- .../manual/tutorials/vscode-dev-container.rst | 41 +++++++++++++++++++ .../docs/manual/tutorials/vscode-ros2.rst | 6 +-- 2 files changed, 44 insertions(+), 3 deletions(-) create mode 100644 bitbots_misc/bitbots_docs/docs/manual/tutorials/vscode-dev-container.rst diff --git a/bitbots_misc/bitbots_docs/docs/manual/tutorials/vscode-dev-container.rst b/bitbots_misc/bitbots_docs/docs/manual/tutorials/vscode-dev-container.rst new file mode 100644 index 000000000..1aa8e8acc --- /dev/null +++ b/bitbots_misc/bitbots_docs/docs/manual/tutorials/vscode-dev-container.rst @@ -0,0 +1,41 @@ +========================== +VSCode Dev Container Setup +========================== + +If you don't use the correct Ubuntu version this setup is probably the way to go. +It should work with most other Linux distributions. +Windows users might need to delete the home directory mount from `.devcontainer/devcontainer.json` and are not officially supported. +Also make sure docker is installed and setup. + +Install Dokcer +-------------- + +To install docker visit https://docs.docker.com/engine/install/ and follow the instructions for your OS. + +Install VSCode +-------------- + +To install VSCode visit https://code.visualstudio.com/ and follow the instructions for your OS. + +Setup VSCode Dev Container +-------------------------- + +1. Clone the repository: `git clone git@github.com:bit-bots/bitbots_main.git` or `git clone https://github.com/bit-bots/bitbots_main.git && git remote set-url origin git@github.com:bit-bots/bitbots_main.git` if you don't have an SSH key setup yet. +2. Open the repository in VSCode +3. Install the "Remote - Containers" extension +4. Click on the green icon in the bottom left corner of the window and select "Reopen in Container" +5. Wait for the container to build and start +6. Open a terminal in VSCode, you should see a number of instructions on how to setup the container. Follow them. +7. Install recommended extensions for the repository + +You should now have a fully working development environment (IntelliSense, Build, ...) for the repository. You can source the workspace by running `sa`. Now all the commands should be available to you. + + +Known issues +------------ + +- Rebuilding the container results in all modifications to the container being lost. This does not include the repository, which itself is persisted in the container. +- Sometimes `make install` results in an `mktemp: failed to create file via template ‘/tmp/tmp.XXXXXXXXXX’: Permission denied`. I spend some time trying to fix this but couldn't find a solution. The workaround is to run `make install` again. This time it should work. +- I did everything as stated, but my python IntelliSense does not pick up bit-bots related packages. To solve this open the command palette (Ctrl+Shift+P) and run `ROS: Update Python Path`. This should fix the issue. +- GUI applications do not start. Run `xhost local:root` on the **host** machine to fix this. +- I can not find my files in the home directory. The home directory is mounted at `/srv/host_home` in the container. You can find your files there. diff --git a/bitbots_misc/bitbots_docs/docs/manual/tutorials/vscode-ros2.rst b/bitbots_misc/bitbots_docs/docs/manual/tutorials/vscode-ros2.rst index 536482fd8..75d17ec0a 100644 --- a/bitbots_misc/bitbots_docs/docs/manual/tutorials/vscode-ros2.rst +++ b/bitbots_misc/bitbots_docs/docs/manual/tutorials/vscode-ros2.rst @@ -24,8 +24,8 @@ You can use multiple commands with `Ctrl+Shift+P` and then type `ROS`. Debugging ~~~~~~~~~ -You can debug launch files but only ones that are written in Python. -These cannot include further xml launch files. +You can debug launch files but only ones that are written in Python. +These cannot include further xml launch files. It makes sense to create a small test launch with only the node that you want to debug and start the rest independently. An example vscode launch configuration and the corresponding python launch file can be seen below: @@ -56,7 +56,7 @@ An example vscode launch configuration and the corresponding python launch file def generate_launch_description(): body_config = os.path.join(get_package_share_directory('bitbots_body_behavior'), 'config', 'body_behavior.yaml') - head_config = os.path.join(get_package_share_directory('bitbots_head_behavior'), 'config', 'head_config.yaml') + head_config = os.path.join(get_package_share_directory('bitbots_head_behavior'), 'config', 'head_config.yaml') node = Node( package='bitbots_head_behavior', From f4c255889fb7548f9416813acf621777662c7749 Mon Sep 17 00:00:00 2001 From: ayin21 Date: Tue, 5 Mar 2024 16:14:09 +0000 Subject: [PATCH 41/63] Add action --- .../actions/change_motor_torque_and_goals.py | 20 +++++++++++++++++++ .../bitbots_hcm/hcm_dsd/hcm_blackboard.py | 4 +++- 2 files changed, 23 insertions(+), 1 deletion(-) create mode 100644 bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_torque_and_goals.py diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_torque_and_goals.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_torque_and_goals.py new file mode 100644 index 000000000..6af681f12 --- /dev/null +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_torque_and_goals.py @@ -0,0 +1,20 @@ +from bitbots_hcm.hcm_dsd.actions import AbstractHCMActionElement +from bitbots_msgs.msg import JointTorque + + +class SetTorque(AbstractHCMActionElement): + def __init__(self, blackboard, dsd, parameters): + super().__init__(blackboard, dsd, parameters) + self.stiff = parameters.get("stiff", True) + + def perform(self, reevaluate=False): + if self.blackboard.current_joint_state is None: + self.blackboard.node.get_logger().warning( + "Cannot set joint stiffness for teaching mode because no joint states where recived!" + ) + return self.pop() + + self.blackboard.torque_publisher.publish( + JointTorque(joint_names=self.current_joint_state.name, on=self.stiff * len(self.current_joint_state.name)) + ) + return self.pop() diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py index 8e14e86c2..1e20f0bf1 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py @@ -12,7 +12,7 @@ from std_srvs.srv import SetBool from bitbots_msgs.action import Dynup, PlayAnimation -from bitbots_msgs.msg import Audio, RobotControlState +from bitbots_msgs.msg import Audio, JointCommand, JointTorque, RobotControlState class HcmBlackboard: @@ -49,6 +49,8 @@ def __init__(self, node: Node): self.walk_pub = self.node.create_publisher(Twist, "cmd_vel", 1) self.cancel_path_planning_pub = self.node.create_publisher(EmptyMsg, "pathfinding/cancel", 1) self.speak_publisher = self.node.create_publisher(Audio, "speak", 1) + self.joint_command_publisher = self.node.create_publisher(JointCommand, "DynamixelController/command", 10) + self.torque_publisher = self.node.create_publisher(JointTorque, "ros_control/set_torque_individual", 10) # Latest imu data self.accel = numpy.array([0, 0, 0]) From a9a2ce8142840791265073f66f51e05a2f4bb45a Mon Sep 17 00:00:00 2001 From: ayin21 Date: Tue, 5 Mar 2024 16:15:47 +0000 Subject: [PATCH 42/63] Fix stuck ssh deployment --- scripts/deploy/tasks/sync.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/scripts/deploy/tasks/sync.py b/scripts/deploy/tasks/sync.py index 128902241..f38a49885 100644 --- a/scripts/deploy/tasks/sync.py +++ b/scripts/deploy/tasks/sync.py @@ -207,6 +207,8 @@ def _sync_single(connection: Connection) -> Optional[Result]: "--checksum", "--archive", "--delete", + "-e", + '"ssh -o StrictHostKeyChecking=no"', ] if not be_quiet(): cmd.append("--verbose") From 0b80772fb17e4b665ce4a0e4520302dd666db189 Mon Sep 17 00:00:00 2001 From: ayin21 Date: Tue, 5 Mar 2024 16:25:01 +0000 Subject: [PATCH 43/63] Rename action --- .../{change_motor_torque_and_goals.py => change_motor_torque.py} | 0 1 file changed, 0 insertions(+), 0 deletions(-) rename bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/{change_motor_torque_and_goals.py => change_motor_torque.py} (100%) diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_torque_and_goals.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_torque.py similarity index 100% rename from bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_torque_and_goals.py rename to bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_torque.py From 587515a4cd46d6b4bf83c39950138d8d8a183083 Mon Sep 17 00:00:00 2001 From: ayin21 Date: Tue, 5 Mar 2024 16:27:59 +0000 Subject: [PATCH 44/63] Remove joint command publisher --- .../bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py index 1e20f0bf1..c21c384a2 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py @@ -12,7 +12,7 @@ from std_srvs.srv import SetBool from bitbots_msgs.action import Dynup, PlayAnimation -from bitbots_msgs.msg import Audio, JointCommand, JointTorque, RobotControlState +from bitbots_msgs.msg import Audio, JointTorque, RobotControlState class HcmBlackboard: @@ -49,7 +49,6 @@ def __init__(self, node: Node): self.walk_pub = self.node.create_publisher(Twist, "cmd_vel", 1) self.cancel_path_planning_pub = self.node.create_publisher(EmptyMsg, "pathfinding/cancel", 1) self.speak_publisher = self.node.create_publisher(Audio, "speak", 1) - self.joint_command_publisher = self.node.create_publisher(JointCommand, "DynamixelController/command", 10) self.torque_publisher = self.node.create_publisher(JointTorque, "ros_control/set_torque_individual", 10) # Latest imu data From 847c2026ceeaa9aa4e77f77bd471806370119668 Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Thu, 7 Mar 2024 20:30:32 +0100 Subject: [PATCH 45/63] Update .devcontainer/Dockerfile Co-authored-by: Jan Gutsche <34797331+jaagut@users.noreply.github.com> --- .devcontainer/Dockerfile | 1 + 1 file changed, 1 insertion(+) diff --git a/.devcontainer/Dockerfile b/.devcontainer/Dockerfile index b2e5ca4f6..aac4a5070 100644 --- a/.devcontainer/Dockerfile +++ b/.devcontainer/Dockerfile @@ -21,6 +21,7 @@ RUN apt-get update -y \ python3-pip \ radeontop \ ranger \ + rsync \ screen \ ssh \ sudo \ From c570ea2687b329af3a3e7af8367f87d0e2c103cf Mon Sep 17 00:00:00 2001 From: ayin21 Date: Tue, 12 Mar 2024 15:23:34 +0000 Subject: [PATCH 46/63] fixed teaching mode, works on the robot --- .../bitbots_hcm/hcm_dsd/actions/change_motor_torque.py | 4 ++-- bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd | 2 +- .../bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py | 4 ++-- 3 files changed, 5 insertions(+), 5 deletions(-) diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_torque.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_torque.py index 6af681f12..73a9caa5f 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_torque.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_torque.py @@ -10,11 +10,11 @@ def __init__(self, blackboard, dsd, parameters): def perform(self, reevaluate=False): if self.blackboard.current_joint_state is None: self.blackboard.node.get_logger().warning( - "Cannot set joint stiffness for teaching mode because no joint states where recived!" + "Cannot set joint stiffness for teaching mode because no joint states where received!" ) return self.pop() self.blackboard.torque_publisher.publish( - JointTorque(joint_names=self.current_joint_state.name, on=self.stiff * len(self.current_joint_state.name)) + JointTorque(joint_names=self.blackboard.current_joint_state.name, on=[self.stiff] * len(self.blackboard.current_joint_state.name)) ) return self.pop() diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd index 8c5ffdd6a..e9faa0a79 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd @@ -12,7 +12,7 @@ $StartHCM TURN_ON --> @TurnMotorsOn, @PlayAnimationDynup + direction:walkready, @Wait OKAY --> $TeachingMode TURN_ON --> @SetTorque + stiff:false, @Wait - TURN_OFF --> @SetTorque + stiff:true, @SendJointStatesAsGoals + TURN_OFF --> @SetTorque + stiff:true OFF --> $CheckIMU IMU_NOT_STARTED --> @RobotStateStartup, @WaitForIMUStartup PROBLEM --> @RobotStateHardwareProblem, @WaitForIMU diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py index c21c384a2..c2307a21b 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py @@ -37,7 +37,7 @@ def __init__(self, node: Node): self.motor_switch_service = self.node.create_client(SetBool, "core/switch_power") # Create services - self.teaching_mode_service = self.create_service(SetBool, "set_teaching_mode", self.set_teaching_mode_callback) + self.teaching_mode_service = self.node.create_service(SetBool, "set_teaching_mode", self.set_teaching_mode_callback) # Create action clients and corresponding goal handles self.animation_action_client: ActionClient = ActionClient(self.node, PlayAnimation, "animation") @@ -49,7 +49,7 @@ def __init__(self, node: Node): self.walk_pub = self.node.create_publisher(Twist, "cmd_vel", 1) self.cancel_path_planning_pub = self.node.create_publisher(EmptyMsg, "pathfinding/cancel", 1) self.speak_publisher = self.node.create_publisher(Audio, "speak", 1) - self.torque_publisher = self.node.create_publisher(JointTorque, "ros_control/set_torque_individual", 10) + self.torque_publisher = self.node.create_publisher(JointTorque, "set_torque_individual", 10) # Latest imu data self.accel = numpy.array([0, 0, 0]) From 5ee63aba9ddf8aad33e49772c2f0b8e7457967f4 Mon Sep 17 00:00:00 2001 From: ayin21 Date: Tue, 12 Mar 2024 16:43:45 +0000 Subject: [PATCH 47/63] add hold state --- .../bitbots_buttons/src/button_node.cpp | 2 -- .../bitbots_hcm/hcm_dsd/decisions/teaching.py | 12 +++++++++--- .../bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd | 5 +++-- .../bitbots_hcm/hcm_dsd/hcm_blackboard.py | 17 +++++++++++------ bitbots_msgs/CMakeLists.txt | 1 + bitbots_msgs/srv/SetTeachingMode.srv | 9 +++++++++ 6 files changed, 33 insertions(+), 13 deletions(-) create mode 100644 bitbots_msgs/srv/SetTeachingMode.srv diff --git a/bitbots_lowlevel/bitbots_buttons/src/button_node.cpp b/bitbots_lowlevel/bitbots_buttons/src/button_node.cpp index 0e36a0e57..e1f27e7ee 100644 --- a/bitbots_lowlevel/bitbots_buttons/src/button_node.cpp +++ b/bitbots_lowlevel/bitbots_buttons/src/button_node.cpp @@ -42,7 +42,6 @@ class ButtonNode : public rclcpp::Node { // --- Initialize Topics --- speak_pub_ = this->create_publisher("/speak", 1); - shoot_publisher_ = this->create_publisher("/shoot_button", 1); if (manual_penalty_mode_) { manual_penalize_client_ = this->create_client("manual_penalize"); @@ -200,7 +199,6 @@ class ButtonNode : public rclcpp::Node { double button3_time_; rclcpp::Publisher::SharedPtr speak_pub_; - rclcpp::Publisher::SharedPtr shoot_publisher_; rclcpp::Client::SharedPtr manual_penalize_client_; rclcpp::Client::SharedPtr foot_zero_client_; rclcpp::Client::SharedPtr power_client_; diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/teaching.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/teaching.py index 20b1666b6..f2469db8a 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/teaching.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/teaching.py @@ -1,5 +1,7 @@ from bitbots_hcm.hcm_dsd.decisions import AbstractHCMDecisionElement +from bitbots_msgs.srv import SetTeachingMode + class TeachingMode(AbstractHCMDecisionElement): """ @@ -14,14 +16,18 @@ def __init__(self, blackboard, dsd, parameters): self.last_state_on = False def perform(self, reevaluate=False): - if self.blackboard.teaching_mode_active: + if self.blackboard.teaching_mode_state == SetTeachingMode.Request.TEACH: self.last_state_on = True # We activated the teaching mode - return "TURN_ON" + return "TEACH" + elif self.blackboard.teaching_mode_state == SetTeachingMode.Request.HOLD: + # We want to hold the pose + self.last_state_on = True + return "HOLD" elif self.last_state_on: self.last_state_on = False # We just deactivated the teaching mode and need to clean up - return "TURN_OFF" + return "FINISHED" else: # We are not in the teaching mode return "OFF" diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd index e9faa0a79..4a162bf7b 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd @@ -11,8 +11,9 @@ $StartHCM PROBLEM --> @RobotStateHardwareProblem, @WaitForMotors TURN_ON --> @TurnMotorsOn, @PlayAnimationDynup + direction:walkready, @Wait OKAY --> $TeachingMode - TURN_ON --> @SetTorque + stiff:false, @Wait - TURN_OFF --> @SetTorque + stiff:true + TEACH --> @RobotStateRecord, @SetTorque + stiff:false, @Wait + HOLD --> @SetTorque + stiff:true, @Wait + FINISHED --> @SetTorque + stiff:true + r:false, @RobotStateControllable, @PlayAnimationDynup + direction:walkready OFF --> $CheckIMU IMU_NOT_STARTED --> @RobotStateStartup, @WaitForIMUStartup PROBLEM --> @RobotStateHardwareProblem, @WaitForIMU diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py index c2307a21b..2b05b4786 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py @@ -13,6 +13,7 @@ from bitbots_msgs.action import Dynup, PlayAnimation from bitbots_msgs.msg import Audio, JointTorque, RobotControlState +from bitbots_msgs.srv import SetTeachingMode class HcmBlackboard: @@ -37,7 +38,7 @@ def __init__(self, node: Node): self.motor_switch_service = self.node.create_client(SetBool, "core/switch_power") # Create services - self.teaching_mode_service = self.node.create_service(SetBool, "set_teaching_mode", self.set_teaching_mode_callback) + self.teaching_mode_service = self.node.create_service(SetTeachingMode, "set_teaching_mode", self.set_teaching_mode_callback) # Create action clients and corresponding goal handles self.animation_action_client: ActionClient = ActionClient(self.node, PlayAnimation, "animation") @@ -75,7 +76,7 @@ def __init__(self, node: Node): self.animation_name_turning_back_right: str = self.node.get_parameter("animations.turning_back_right").value # Teaching State - self.teaching_mode_active: bool = False + self.teaching_mode_state: int = SetTeachingMode.Request.OFF # Motor State self.current_joint_state: Optional[JointState] = None @@ -120,9 +121,9 @@ def __init__(self, node: Node): def cancel_path_planning(self): self.cancel_path_planning_pub.publish(EmptyMsg()) - def set_teaching_mode_callback(self, request: SetBool.Request, response: SetBool.Response) -> SetBool.Response: - # Check if we are able to modify the teaching mode - if request.data and self.current_state not in [ + def set_teaching_mode_callback(self, request: SetTeachingMode.Request, response: SetTeachingMode.Response) -> SetTeachingMode.Response: + # Check if we are able to start the teaching mode + if request.state == SetTeachingMode.Request.TEACH and self.current_state not in [ RobotControlState.CONTROLLABLE, RobotControlState.PICKED_UP, RobotControlState.PENALTY, @@ -130,8 +131,12 @@ def set_teaching_mode_callback(self, request: SetBool.Request, response: SetBool # Respond that we can not activate the teaching mode in the current state response.success = False return response + + if request.state == SetTeachingMode.Request.HOLD and self.teaching_mode_state != SetTeachingMode.Request.TEACH: + response.success = False + return response # Activate / Deactivate teaching mode - self.teaching_mode_active = request.data + self.teaching_mode_state = request.state response.success = True return response diff --git a/bitbots_msgs/CMakeLists.txt b/bitbots_msgs/CMakeLists.txt index 9fa8906a7..53ccf0b2b 100644 --- a/bitbots_msgs/CMakeLists.txt +++ b/bitbots_msgs/CMakeLists.txt @@ -49,6 +49,7 @@ rosidl_generate_interfaces( "srv/SetAccelerometerCalibrationThreshold.srv" "srv/SetObjectPose.srv" "srv/SetObjectPosition.srv" + "srv/SetTeachingMode.srv" DEPENDENCIES action_msgs geometry_msgs diff --git a/bitbots_msgs/srv/SetTeachingMode.srv b/bitbots_msgs/srv/SetTeachingMode.srv new file mode 100644 index 000000000..52b19a8a2 --- /dev/null +++ b/bitbots_msgs/srv/SetTeachingMode.srv @@ -0,0 +1,9 @@ +int8 OFF = 0 +int8 HOLD = 1 +int8 TEACH = 2 + +int8 state + +--- + +bool success From 216877af5d320e98c1d62b8eeb874c9e8a9bfeca Mon Sep 17 00:00:00 2001 From: Florian Vahl <7vahl@informatik.uni-hamburg.de> Date: Tue, 12 Mar 2024 19:49:11 +0100 Subject: [PATCH 48/63] Wait for tf during robot startup --- bitbots_misc/bitbots_utils/CMakeLists.txt | 2 +- bitbots_misc/bitbots_utils/include/bitbots_utils/utils.hpp | 2 +- bitbots_misc/bitbots_utils/src/utils.cpp | 2 +- bitbots_motion/bitbots_dynup/CMakeLists.txt | 5 ++++- .../bitbots_dynup/include/bitbots_dynup/dynup_node.hpp | 1 + bitbots_motion/bitbots_dynup/src/dynup_node.cpp | 5 +++++ bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd | 2 +- bitbots_motion/bitbots_odometry/src/motion_odometry.cpp | 2 +- bitbots_motion/bitbots_odometry/src/odometry_fuser.cpp | 2 +- 9 files changed, 16 insertions(+), 7 deletions(-) diff --git a/bitbots_misc/bitbots_utils/CMakeLists.txt b/bitbots_misc/bitbots_utils/CMakeLists.txt index f5a22aaf1..9a58212b3 100644 --- a/bitbots_misc/bitbots_utils/CMakeLists.txt +++ b/bitbots_misc/bitbots_utils/CMakeLists.txt @@ -20,7 +20,7 @@ enable_bitbots_docs() set(INCLUDE_DIRS include) include_directories(${INCLUDE_DIRS}) -add_compile_options(-Wall -Werror -Wno-unused -pedantic -Wextra) +add_compile_options(-Wall -Werror -Wno-unused -pedantic -Wextra -fPIC) # Add cpp library add_library(${PROJECT_NAME} src/utils.cpp) diff --git a/bitbots_misc/bitbots_utils/include/bitbots_utils/utils.hpp b/bitbots_misc/bitbots_utils/include/bitbots_utils/utils.hpp index 7c8d1d4e6..8b4f9b2ab 100644 --- a/bitbots_misc/bitbots_utils/include/bitbots_utils/utils.hpp +++ b/bitbots_misc/bitbots_utils/include/bitbots_utils/utils.hpp @@ -25,7 +25,7 @@ namespace bitbots_utils { * @param verbose Can be used to disable the warning messages */ void wait_for_tf(const rclcpp::Logger &logger, std::shared_ptr clock, - std::shared_ptr tf_buffer, const std::vector &frames, + tf2_ros::Buffer* tf_buffer, const std::vector &frames, const std::string &root_frame, const rclcpp::Duration &check_interval = rclcpp::Duration(0.1s), const rclcpp::Duration &warn_duration = rclcpp::Duration(5.0s), const rclcpp::Duration &warn_interval = rclcpp::Duration(1.0s), bool verbose = true); diff --git a/bitbots_misc/bitbots_utils/src/utils.cpp b/bitbots_misc/bitbots_utils/src/utils.cpp index a39b28a90..439ded394 100644 --- a/bitbots_misc/bitbots_utils/src/utils.cpp +++ b/bitbots_misc/bitbots_utils/src/utils.cpp @@ -15,7 +15,7 @@ namespace bitbots_utils { * @param verbose Can be used to disable the warning messages */ void wait_for_tf(const rclcpp::Logger &logger, std::shared_ptr clock, - std::shared_ptr tf_buffer, const std::vector &frames, + tf2_ros::Buffer* tf_buffer, const std::vector &frames, const std::string &root_frame, const rclcpp::Duration &check_interval, const rclcpp::Duration &warn_duration, const rclcpp::Duration &warn_interval, bool verbose) { // Store the beginning time diff --git a/bitbots_motion/bitbots_dynup/CMakeLists.txt b/bitbots_motion/bitbots_dynup/CMakeLists.txt index ddaab538c..933150b27 100644 --- a/bitbots_motion/bitbots_dynup/CMakeLists.txt +++ b/bitbots_motion/bitbots_dynup/CMakeLists.txt @@ -10,8 +10,10 @@ set(PYBIND11_PYTHON_VERSION 3) set(PYBIND11_FINDPYTHON ON) find_package(ament_cmake REQUIRED) +find_package(backward_ros REQUIRED) find_package(bitbots_msgs REQUIRED) find_package(bitbots_splines REQUIRED) +find_package(bitbots_utils REQUIRED) find_package(control_msgs REQUIRED) find_package(control_toolbox REQUIRED) find_package(geometry_msgs REQUIRED) @@ -26,7 +28,6 @@ find_package(tf2_eigen REQUIRED) find_package(tf2_geometry_msgs REQUIRED) find_package(tf2_ros REQUIRED) find_package(Eigen3 REQUIRED) -find_package(backward_ros REQUIRED) find_package(ros2_python_extension REQUIRED) find_package(pybind11 REQUIRED) @@ -51,6 +52,7 @@ ament_target_dependencies( ament_cmake bitbots_msgs bitbots_splines + bitbots_utils control_msgs control_toolbox geometry_msgs @@ -79,6 +81,7 @@ ament_target_dependencies( ament_cmake bitbots_msgs bitbots_splines + bitbots_utils control_msgs control_toolbox geometry_msgs diff --git a/bitbots_motion/bitbots_dynup/include/bitbots_dynup/dynup_node.hpp b/bitbots_motion/bitbots_dynup/include/bitbots_dynup/dynup_node.hpp index 3fdc1f6d0..831aee35b 100644 --- a/bitbots_motion/bitbots_dynup/include/bitbots_dynup/dynup_node.hpp +++ b/bitbots_motion/bitbots_dynup/include/bitbots_dynup/dynup_node.hpp @@ -13,6 +13,7 @@ #include #include +#include #include #include #include diff --git a/bitbots_motion/bitbots_dynup/src/dynup_node.cpp b/bitbots_motion/bitbots_dynup/src/dynup_node.cpp index 954b1a1ce..6943d54c8 100644 --- a/bitbots_motion/bitbots_dynup/src/dynup_node.cpp +++ b/bitbots_motion/bitbots_dynup/src/dynup_node.cpp @@ -222,6 +222,11 @@ void DynupNode::execute(const std::shared_ptr goal_handle) { reset(); last_ros_update_time_ = 0; start_time_ = this->get_clock()->now().seconds(); + + bitbots_utils::wait_for_tf(this->get_logger(), this->get_clock(), this->tf_buffer_.get(), + {base_link_frame_, r_sole_frame_, l_sole_frame_, r_wrist_frame_, l_wrist_frame_}, + base_link_frame_); + bitbots_dynup::msg::DynupPoses poses = getCurrentPoses(); if (poses.header.stamp.nanosec != 0) { DynupRequest request; diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd index f6ea5b920..69d2b9217 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd @@ -1,6 +1,6 @@ -->HCM $StartHCM - START_UP --> @RobotStateStartup, @Wait + time:0.1 + r:false, @PlayAnimationDynup + direction:walkready, @Wait + START_UP --> @RobotStateStartup, @PlayAnimationDynup + direction:walkready RUNNING --> $Stop STOPPED --> @CancelGoals, @StopWalking, @PlayAnimationDynup + direction:walkready, @Wait FREE -->$RecordAnimation diff --git a/bitbots_motion/bitbots_odometry/src/motion_odometry.cpp b/bitbots_motion/bitbots_odometry/src/motion_odometry.cpp index f6445168d..6ed9ed9fa 100644 --- a/bitbots_motion/bitbots_odometry/src/motion_odometry.cpp +++ b/bitbots_motion/bitbots_odometry/src/motion_odometry.cpp @@ -40,7 +40,7 @@ MotionOdometry::MotionOdometry() : Node("MotionOdometry"), param_listener_(get_n void MotionOdometry::loop() { // Wait for tf to be available - bitbots_utils::wait_for_tf(this->get_logger(), this->get_clock(), tf_buffer_, + bitbots_utils::wait_for_tf(this->get_logger(), this->get_clock(), tf_buffer_.get(), {base_link_frame_, r_sole_frame_, l_sole_frame_}, base_link_frame_); rclcpp::Time cycle_start_time = this->now(); diff --git a/bitbots_motion/bitbots_odometry/src/odometry_fuser.cpp b/bitbots_motion/bitbots_odometry/src/odometry_fuser.cpp index cbce18cf9..4326f193e 100644 --- a/bitbots_motion/bitbots_odometry/src/odometry_fuser.cpp +++ b/bitbots_motion/bitbots_odometry/src/odometry_fuser.cpp @@ -39,7 +39,7 @@ OdometryFuser::OdometryFuser() } void OdometryFuser::loop() { - bitbots_utils::wait_for_tf(this->get_logger(), this->get_clock(), this->tf_buffer_, + bitbots_utils::wait_for_tf(this->get_logger(), this->get_clock(), this->tf_buffer_.get(), {base_link_frame_, r_sole_frame_, l_sole_frame_}, base_link_frame_); // get motion_odom transform From 019d0df66f35541be8fd321cfc5d25c8d853baaf Mon Sep 17 00:00:00 2001 From: Florian Vahl <7vahl@informatik.uni-hamburg.de> Date: Tue, 12 Mar 2024 19:55:44 +0100 Subject: [PATCH 49/63] Apply format --- .../bitbots_utils/include/bitbots_utils/utils.hpp | 6 +++--- bitbots_misc/bitbots_utils/src/utils.cpp | 8 ++++---- bitbots_motion/bitbots_dynup/src/dynup_node.cpp | 2 +- 3 files changed, 8 insertions(+), 8 deletions(-) diff --git a/bitbots_misc/bitbots_utils/include/bitbots_utils/utils.hpp b/bitbots_misc/bitbots_utils/include/bitbots_utils/utils.hpp index 8b4f9b2ab..801c65532 100644 --- a/bitbots_misc/bitbots_utils/include/bitbots_utils/utils.hpp +++ b/bitbots_misc/bitbots_utils/include/bitbots_utils/utils.hpp @@ -24,9 +24,9 @@ namespace bitbots_utils { * @param warn_interval Interval in which to keep warning if the frames are not available * @param verbose Can be used to disable the warning messages */ -void wait_for_tf(const rclcpp::Logger &logger, std::shared_ptr clock, - tf2_ros::Buffer* tf_buffer, const std::vector &frames, - const std::string &root_frame, const rclcpp::Duration &check_interval = rclcpp::Duration(0.1s), +void wait_for_tf(const rclcpp::Logger &logger, std::shared_ptr clock, tf2_ros::Buffer *tf_buffer, + const std::vector &frames, const std::string &root_frame, + const rclcpp::Duration &check_interval = rclcpp::Duration(0.1s), const rclcpp::Duration &warn_duration = rclcpp::Duration(5.0s), const rclcpp::Duration &warn_interval = rclcpp::Duration(1.0s), bool verbose = true); diff --git a/bitbots_misc/bitbots_utils/src/utils.cpp b/bitbots_misc/bitbots_utils/src/utils.cpp index 439ded394..482957752 100644 --- a/bitbots_misc/bitbots_utils/src/utils.cpp +++ b/bitbots_misc/bitbots_utils/src/utils.cpp @@ -14,10 +14,10 @@ namespace bitbots_utils { * @param warn_interval Interval in which to keep warning if the frames are not available * @param verbose Can be used to disable the warning messages */ -void wait_for_tf(const rclcpp::Logger &logger, std::shared_ptr clock, - tf2_ros::Buffer* tf_buffer, const std::vector &frames, - const std::string &root_frame, const rclcpp::Duration &check_interval, - const rclcpp::Duration &warn_duration, const rclcpp::Duration &warn_interval, bool verbose) { +void wait_for_tf(const rclcpp::Logger &logger, std::shared_ptr clock, tf2_ros::Buffer *tf_buffer, + const std::vector &frames, const std::string &root_frame, + const rclcpp::Duration &check_interval, const rclcpp::Duration &warn_duration, + const rclcpp::Duration &warn_interval, bool verbose) { // Store the beginning time auto start_time = clock->now(); diff --git a/bitbots_motion/bitbots_dynup/src/dynup_node.cpp b/bitbots_motion/bitbots_dynup/src/dynup_node.cpp index 6943d54c8..ec5b53a95 100644 --- a/bitbots_motion/bitbots_dynup/src/dynup_node.cpp +++ b/bitbots_motion/bitbots_dynup/src/dynup_node.cpp @@ -222,7 +222,7 @@ void DynupNode::execute(const std::shared_ptr goal_handle) { reset(); last_ros_update_time_ = 0; start_time_ = this->get_clock()->now().seconds(); - + bitbots_utils::wait_for_tf(this->get_logger(), this->get_clock(), this->tf_buffer_.get(), {base_link_frame_, r_sole_frame_, l_sole_frame_, r_wrist_frame_, l_wrist_frame_}, base_link_frame_); From 283637433c5175b742f26de1ee5ce2f8f1b08d46 Mon Sep 17 00:00:00 2001 From: ayin21 Date: Wed, 13 Mar 2024 16:34:49 +0000 Subject: [PATCH 50/63] add SWITCH state and modify button node --- .../bitbots_buttons/src/button_node.cpp | 17 ++++++----- .../hcm_dsd/actions/change_motor_torque.py | 5 +++- .../bitbots_hcm/hcm_dsd/decisions/teaching.py | 1 - .../bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd | 28 +++++++++---------- .../bitbots_hcm/hcm_dsd/hcm_blackboard.py | 26 +++++++++++++---- bitbots_msgs/srv/SetTeachingMode.srv | 1 + 6 files changed, 49 insertions(+), 29 deletions(-) diff --git a/bitbots_lowlevel/bitbots_buttons/src/button_node.cpp b/bitbots_lowlevel/bitbots_buttons/src/button_node.cpp index e1f27e7ee..25c148400 100644 --- a/bitbots_lowlevel/bitbots_buttons/src/button_node.cpp +++ b/bitbots_lowlevel/bitbots_buttons/src/button_node.cpp @@ -89,12 +89,11 @@ class ButtonNode : public rclcpp::Node { if (current_time - button1_time_ > debounce_time_) { if (current_time - button1_time_ < short_time_ || in_game_) { // button 1 short - speak("1 short"); - setPower(false); + speak("Red button pressed short. Turning motor power off."); + setPower(false); // this can not be reversed because the button cuts the power of himself } else { // button 1 long - speak("1 long"); - setPower(true); + speak("Red button pressed long. No action implemented."); } } button1_time_ = 0; @@ -104,12 +103,12 @@ class ButtonNode : public rclcpp::Node { double current_time = this->get_clock()->now().seconds(); if (current_time - button2_time_ > debounce_time_) { if (current_time - button2_time_ < short_time_ || in_game_) { - speak("2 short"); + speak("Green button pressed short. Try deactivating Penalty mode"); setPenalty(false); - resetLocalization(); } else { - speak("2 long"); + speak("Green button pressed long. Try deactivating Penalty mode"); setPenalty(false); + // Turn teaching mode off } } button2_time_ = 0; @@ -124,12 +123,16 @@ class ButtonNode : public rclcpp::Node { } else { speak("3 long"); setPenalty(true); + // Turn teaching mode on } } button3_time_ = 0; } } + // Write setTeaching mode, witch uses the service from the hcm and + //sends NOT an async request. When turned on the request is SWITCH, when turned off it is OFF. + void setPenalty(bool penalize) { // Penalizes the robot, if it is not penalized and manual penalty mode is true. if (manual_penalty_mode_) { diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_torque.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_torque.py index 73a9caa5f..131533522 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_torque.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/actions/change_motor_torque.py @@ -15,6 +15,9 @@ def perform(self, reevaluate=False): return self.pop() self.blackboard.torque_publisher.publish( - JointTorque(joint_names=self.blackboard.current_joint_state.name, on=[self.stiff] * len(self.blackboard.current_joint_state.name)) + JointTorque( + joint_names=self.blackboard.current_joint_state.name, + on=[self.stiff] * len(self.blackboard.current_joint_state.name), + ) ) return self.pop() diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/teaching.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/teaching.py index f2469db8a..16d6001d4 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/teaching.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/decisions/teaching.py @@ -1,5 +1,4 @@ from bitbots_hcm.hcm_dsd.decisions import AbstractHCMDecisionElement - from bitbots_msgs.srv import SetTeachingMode diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd index 4a162bf7b..84d79dbef 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm.dsd @@ -1,20 +1,20 @@ -->HCM $StartHCM START_UP --> @RobotStateStartup, @Wait + time:0.1 + r:false, @PlayAnimationDynup + direction:walkready, @Wait - RUNNING --> $Stop - STOPPED --> @CancelGoals, @StopWalking, @PlayAnimationDynup + direction:walkready, @Wait - FREE -->$RecordAnimation - RECORD_ACTIVE --> @RobotStateRecord, @Wait - FREE --> $CheckMotors - MOTORS_NOT_STARTED --> @RobotStateStartup, @WaitForMotorStartup - OVERLOAD --> @RobotStateMotorOff, @CancelGoals, @StopWalking, @PlayAnimationFallingFront, @TurnMotorsOff, @Wait - PROBLEM --> @RobotStateHardwareProblem, @WaitForMotors - TURN_ON --> @TurnMotorsOn, @PlayAnimationDynup + direction:walkready, @Wait - OKAY --> $TeachingMode - TEACH --> @RobotStateRecord, @SetTorque + stiff:false, @Wait - HOLD --> @SetTorque + stiff:true, @Wait - FINISHED --> @SetTorque + stiff:true + r:false, @RobotStateControllable, @PlayAnimationDynup + direction:walkready - OFF --> $CheckIMU + RUNNING --> $RecordAnimation + RECORD_ACTIVE --> @RobotStateRecord, @Wait + FREE --> $CheckMotors + MOTORS_NOT_STARTED --> @RobotStateStartup, @WaitForMotorStartup + OVERLOAD --> @RobotStateMotorOff, @CancelGoals, @StopWalking, @PlayAnimationFallingFront, @TurnMotorsOff, @Wait + PROBLEM --> @RobotStateHardwareProblem, @WaitForMotors + TURN_ON --> @TurnMotorsOn, @PlayAnimationDynup + direction:walkready, @Wait + OKAY --> $TeachingMode + TEACH --> @RobotStateRecord, @SetTorque + stiff:false, @Wait + HOLD --> @SetTorque + stiff:true, @Wait + FINISHED --> @SetTorque + stiff:true + r:false, @RobotStateControllable, @PlayAnimationDynup + direction:walkready + OFF --> $Stop + STOPPED --> @CancelGoals, @StopWalking, @PlayAnimationDynup + direction:walkready, @Wait + FREE -->$CheckIMU IMU_NOT_STARTED --> @RobotStateStartup, @WaitForIMUStartup PROBLEM --> @RobotStateHardwareProblem, @WaitForIMU OKAY --> $CheckPressureSensor diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py index 2b05b4786..c6c351791 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py @@ -38,7 +38,9 @@ def __init__(self, node: Node): self.motor_switch_service = self.node.create_client(SetBool, "core/switch_power") # Create services - self.teaching_mode_service = self.node.create_service(SetTeachingMode, "set_teaching_mode", self.set_teaching_mode_callback) + self.teaching_mode_service = self.node.create_service( + SetTeachingMode, "set_teaching_mode", self.set_teaching_mode_callback + ) # Create action clients and corresponding goal handles self.animation_action_client: ActionClient = ActionClient(self.node, PlayAnimation, "animation") @@ -121,9 +123,21 @@ def __init__(self, node: Node): def cancel_path_planning(self): self.cancel_path_planning_pub.publish(EmptyMsg()) - def set_teaching_mode_callback(self, request: SetTeachingMode.Request, response: SetTeachingMode.Response) -> SetTeachingMode.Response: + def set_teaching_mode_callback( + self, request: SetTeachingMode.Request, response: SetTeachingMode.Response + ) -> SetTeachingMode.Response: + # Store modifiable version of the requested state. + state = request.state + + # Modify requested state if request state is SWITCH so that it switches between HOLD and TEACH after it was turned on once. + if state == SetTeachingMode.Request.SWITCH: + if self.teaching_mode_state in [SetTeachingMode.Request.HOLD, SetTeachingMode.Request.OFF]: + state = SetTeachingMode.Request.TEACH + elif self.teaching_mode_state == SetTeachingMode.Request.TEACH: + state = SetTeachingMode.Request.HOLD + # Check if we are able to start the teaching mode - if request.state == SetTeachingMode.Request.TEACH and self.current_state not in [ + if state == SetTeachingMode.Request.TEACH and self.current_state not in [ RobotControlState.CONTROLLABLE, RobotControlState.PICKED_UP, RobotControlState.PENALTY, @@ -131,12 +145,12 @@ def set_teaching_mode_callback(self, request: SetTeachingMode.Request, response: # Respond that we can not activate the teaching mode in the current state response.success = False return response - - if request.state == SetTeachingMode.Request.HOLD and self.teaching_mode_state != SetTeachingMode.Request.TEACH: + + if state == SetTeachingMode.Request.HOLD and self.teaching_mode_state != SetTeachingMode.Request.TEACH: response.success = False return response # Activate / Deactivate teaching mode - self.teaching_mode_state = request.state + self.teaching_mode_state = state response.success = True return response diff --git a/bitbots_msgs/srv/SetTeachingMode.srv b/bitbots_msgs/srv/SetTeachingMode.srv index 52b19a8a2..8563c361d 100644 --- a/bitbots_msgs/srv/SetTeachingMode.srv +++ b/bitbots_msgs/srv/SetTeachingMode.srv @@ -1,6 +1,7 @@ int8 OFF = 0 int8 HOLD = 1 int8 TEACH = 2 +int8 SWITCH = 3 // Activates the taching mode if it is off otherwise it cycles between HOLD and TEACH. int8 state From 28073f413296a2aafd64a054e7bc52e190630d07 Mon Sep 17 00:00:00 2001 From: ayin21 Date: Thu, 14 Mar 2024 16:53:00 +0000 Subject: [PATCH 51/63] use buttons t control teaching mode --- .../bitbots_buttons/CMakeLists.txt | 2 - bitbots_lowlevel/bitbots_buttons/package.xml | 1 - .../bitbots_buttons/src/button_node.cpp | 44 +++++++++---------- bitbots_msgs/srv/SetTeachingMode.srv | 2 +- 4 files changed, 21 insertions(+), 28 deletions(-) diff --git a/bitbots_lowlevel/bitbots_buttons/CMakeLists.txt b/bitbots_lowlevel/bitbots_buttons/CMakeLists.txt index 6cd593859..5af3829d3 100644 --- a/bitbots_lowlevel/bitbots_buttons/CMakeLists.txt +++ b/bitbots_lowlevel/bitbots_buttons/CMakeLists.txt @@ -11,7 +11,6 @@ find_package(ament_cmake REQUIRED) find_package(backward_ros REQUIRED) find_package(bitbots_docs REQUIRED) find_package(bitbots_msgs REQUIRED) -find_package(bitbots_localization REQUIRED) find_package(rclcpp REQUIRED) find_package(std_srvs REQUIRED) find_package(test_msgs REQUIRED) @@ -22,7 +21,6 @@ ament_target_dependencies( ament_cmake backward_ros bitbots_msgs - bitbots_localization rclcpp std_msgs std_srvs diff --git a/bitbots_lowlevel/bitbots_buttons/package.xml b/bitbots_lowlevel/bitbots_buttons/package.xml index a99f3e046..a840ac92e 100644 --- a/bitbots_lowlevel/bitbots_buttons/package.xml +++ b/bitbots_lowlevel/bitbots_buttons/package.xml @@ -19,7 +19,6 @@ backward_ros bitbots_docs - bitbots_localization bitbots_msgs rclcpp std_msgs diff --git a/bitbots_lowlevel/bitbots_buttons/src/button_node.cpp b/bitbots_lowlevel/bitbots_buttons/src/button_node.cpp index 25c148400..c1ff105be 100644 --- a/bitbots_lowlevel/bitbots_buttons/src/button_node.cpp +++ b/bitbots_lowlevel/bitbots_buttons/src/button_node.cpp @@ -1,9 +1,9 @@ #include -#include #include #include #include +#include #include #include #include @@ -62,8 +62,7 @@ class ButtonNode : public rclcpp::Node { RCLCPP_INFO(this->get_logger(), "service switch_power not available, waiting again..."); } - localization_client_ = this->create_client("reset_localization"); - localization_available_ = localization_client_->wait_for_service(3s); + teaching_mode_client_ = this->create_client("set_teaching_mode"); buttons_sub_ = this->create_subscription( "/buttons", 1, std::bind(&bitbots_buttons::ButtonNode::buttonCb, this, _1)); } @@ -106,9 +105,9 @@ class ButtonNode : public rclcpp::Node { speak("Green button pressed short. Try deactivating Penalty mode"); setPenalty(false); } else { - speak("Green button pressed long. Try deactivating Penalty mode"); - setPenalty(false); + speak("Green button pressed long. Try deactivating teaching mode"); // Turn teaching mode off + setTeachingMode(false); } } button2_time_ = 0; @@ -118,21 +117,29 @@ class ButtonNode : public rclcpp::Node { double current_time = this->get_clock()->now().seconds(); if (current_time - button3_time_ > debounce_time_) { if (current_time - button3_time_ < short_time_ || in_game_) { - speak("3 short"); + speak("Blue button pressed short. Try activating Penalty mode"); setPenalty(true); } else { - speak("3 long"); - setPenalty(true); - // Turn teaching mode on + speak("Blue button pressed long. Try switching teaching mode state"); + // Turn teaching mode on or switch between HOLD and TEACH + setTeachingMode(true); } } button3_time_ = 0; } } - // Write setTeaching mode, witch uses the service from the hcm and - //sends NOT an async request. When turned on the request is SWITCH, when turned off it is OFF. - + void setTeachingMode(bool state) { + // switch teaching mode state by calling service on HCM + auto request = std::make_shared(); + if (state) { + request->state = bitbots_msgs::srv::SetTeachingMode::Request::SWITCH; + } else { + request->state = bitbots_msgs::srv::SetTeachingMode::Request::OFF; + } + teaching_mode_client_->async_send_request(request); + } + void setPenalty(bool penalize) { // Penalizes the robot, if it is not penalized and manual penalty mode is true. if (manual_penalty_mode_) { @@ -162,16 +169,6 @@ class ButtonNode : public rclcpp::Node { power_client_->async_send_request(request); } - void resetLocalization() { - if (localization_available_) { - auto request = std::make_shared(); - request->init_mode = 0; - localization_client_->async_send_request(request); - } else { - RCLCPP_WARN(this->get_logger(), "service not available"); - } - } - private: void speak(const std::string& text) { /** @@ -195,7 +192,6 @@ class ButtonNode : public rclcpp::Node { bool button1_; bool button2_; bool button3_; - bool localization_available_; bool foot_zero_available_; double button1_time_; double button2_time_; @@ -203,9 +199,9 @@ class ButtonNode : public rclcpp::Node { rclcpp::Publisher::SharedPtr speak_pub_; rclcpp::Client::SharedPtr manual_penalize_client_; + rclcpp::Client::SharedPtr teaching_mode_client_; rclcpp::Client::SharedPtr foot_zero_client_; rclcpp::Client::SharedPtr power_client_; - rclcpp::Client::SharedPtr localization_client_; rclcpp::Subscription::SharedPtr buttons_sub_; }; } // namespace bitbots_buttons diff --git a/bitbots_msgs/srv/SetTeachingMode.srv b/bitbots_msgs/srv/SetTeachingMode.srv index 8563c361d..85bfb53f1 100644 --- a/bitbots_msgs/srv/SetTeachingMode.srv +++ b/bitbots_msgs/srv/SetTeachingMode.srv @@ -1,7 +1,7 @@ int8 OFF = 0 int8 HOLD = 1 int8 TEACH = 2 -int8 SWITCH = 3 // Activates the taching mode if it is off otherwise it cycles between HOLD and TEACH. +int8 SWITCH = 3 # Activates the taching mode if it is off otherwise it cycles between HOLD and TEACH. int8 state From f3854acd93d1f53b161d865702f2e522b48b960e Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Fri, 15 Mar 2024 09:51:50 +0000 Subject: [PATCH 52/63] Use better tmpfs --- .devcontainer/devcontainer.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.devcontainer/devcontainer.json b/.devcontainer/devcontainer.json index 2978942df..fb36c2520 100644 --- a/.devcontainer/devcontainer.json +++ b/.devcontainer/devcontainer.json @@ -27,10 +27,10 @@ "mounts": [ "type=bind,source=${localEnv:HOME},target=/srv/host_home,consistency=cached", - "type=tmpfs,destination=/tmp,tmpfs-size=2G" ], "runArgs": [ + "--tmpfs", "/tmp:exec", "--privileged", "--net=host", "--device=/dev/dri:/dev/dri", From bcd9c72723f2453de1f3cdf38f37554c7e21587d Mon Sep 17 00:00:00 2001 From: Timon Engelke Date: Fri, 15 Mar 2024 11:53:22 +0100 Subject: [PATCH 53/63] Pin pytest version to <8.1 --- requirements/dev.txt | 1 + 1 file changed, 1 insertion(+) diff --git a/requirements/dev.txt b/requirements/dev.txt index f261b1dcb..d4d4939b8 100644 --- a/requirements/dev.txt +++ b/requirements/dev.txt @@ -8,3 +8,4 @@ rich # Rich terminal output ruff # Python linting syrupy # Python snapshot testing pytest-mock # Mocking for pytest +pytest<8.1 # Keep version smaller than 8.1 until https://github.com/ros2/launch/pull/766 is released From c41464cb2e0c3e38e276cd093337807223b2e8ef Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Fri, 15 Mar 2024 10:57:37 +0000 Subject: [PATCH 54/63] Fix temp issue (hopefully) --- .devcontainer/devcontainer.json | 2 +- scripts/make_basler.sh | 5 +++-- 2 files changed, 4 insertions(+), 3 deletions(-) diff --git a/.devcontainer/devcontainer.json b/.devcontainer/devcontainer.json index fb36c2520..53990ce81 100644 --- a/.devcontainer/devcontainer.json +++ b/.devcontainer/devcontainer.json @@ -30,7 +30,7 @@ ], "runArgs": [ - "--tmpfs", "/tmp:exec", + "--tmpfs", "/tmp:exec,mode=01777", "--privileged", "--net=host", "--device=/dev/dri:/dev/dri", diff --git a/scripts/make_basler.sh b/scripts/make_basler.sh index d48101f8a..acd6e9735 100755 --- a/scripts/make_basler.sh +++ b/scripts/make_basler.sh @@ -53,9 +53,10 @@ else # Download the pylon driver to temp folder wget --no-verbose $SHOW_PROGRESS $PYLON_DOWNLOAD_URL -O /tmp/pylon_${PYLON_VERSION}.tar.gz # Extract the pylon driver - tar -xzf /tmp/pylon_${PYLON_VERSION}.tar.gz -C /tmp + mkdir /tmp/pylon + tar -xzf /tmp/pylon_${PYLON_VERSION}.tar.gz -C /tmp/pylon/ # Install the pylon driver - sudo apt-get install /tmp/pylon_${PYLON_VERSION}*.deb -y + sudo apt-get install /tmp/pylon/pylon_${PYLON_VERSION}*.deb -y fi # Check if the correct blaze supplementary package BLAZE_VERSION is installed (apt) From 0d8d2f295937b6a89a669486d1812b741b958723 Mon Sep 17 00:00:00 2001 From: Jan Gutsche <34797331+jaagut@users.noreply.github.com> Date: Fri, 15 Mar 2024 12:20:27 +0100 Subject: [PATCH 55/63] pull_request_template: Remove project checklist as this process is automatic --- .github/pull_request_template.md | 1 - 1 file changed, 1 deletion(-) diff --git a/.github/pull_request_template.md b/.github/pull_request_template.md index 41cf5a85f..c6c058eff 100644 --- a/.github/pull_request_template.md +++ b/.github/pull_request_template.md @@ -16,4 +16,3 @@ - [ ] Create issues for future work - [ ] Test on your machine - [ ] Test on the robot -- [ ] This PR is on our `Software` project board From 46c40ddf3dc1ad70e2efd2107ab9138d646ac3ee Mon Sep 17 00:00:00 2001 From: Jan Gutsche <34797331+jaagut@users.noreply.github.com> Date: Fri, 15 Mar 2024 14:11:08 +0100 Subject: [PATCH 56/63] Update pull_request_template.md --- .github/pull_request_template.md | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/.github/pull_request_template.md b/.github/pull_request_template.md index c6c058eff..55512c9c3 100644 --- a/.github/pull_request_template.md +++ b/.github/pull_request_template.md @@ -13,6 +13,7 @@ - [ ] Run `colcon build` - [ ] Write documentation -- [ ] Create issues for future work - [ ] Test on your machine - [ ] Test on the robot +- [ ] Create issues for future work +- [ ] Triaged this PR and labeled it From d5395e991f248addef47669989a28737cc973ea5 Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Fri, 15 Mar 2024 13:20:53 +0000 Subject: [PATCH 57/63] Fix typo --- .../bitbots_docs/docs/manual/tutorials/vscode-dev-container.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/bitbots_misc/bitbots_docs/docs/manual/tutorials/vscode-dev-container.rst b/bitbots_misc/bitbots_docs/docs/manual/tutorials/vscode-dev-container.rst index 1aa8e8acc..ced14e11f 100644 --- a/bitbots_misc/bitbots_docs/docs/manual/tutorials/vscode-dev-container.rst +++ b/bitbots_misc/bitbots_docs/docs/manual/tutorials/vscode-dev-container.rst @@ -7,7 +7,7 @@ It should work with most other Linux distributions. Windows users might need to delete the home directory mount from `.devcontainer/devcontainer.json` and are not officially supported. Also make sure docker is installed and setup. -Install Dokcer +Install Docker -------------- To install docker visit https://docs.docker.com/engine/install/ and follow the instructions for your OS. From a17dc6a8142bc13b4c04f4c2697d89ae28c08f0a Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Fri, 15 Mar 2024 13:27:18 +0000 Subject: [PATCH 58/63] Fix ci for pip user install --- .github/workflows/ci.yml | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index 38229a086..5db46ed42 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -20,6 +20,11 @@ jobs: - name: Configure git to trust repository run: git config --global --add safe.directory /__w/bitbots_main/bitbots_main + - name: Add '$HOME/.local/bin' to PATH + run: | + mkdir -p $HOME/.local/bin + echo "::add-path::/github/home/.local/bin" + - name: Pull source code for libraries and install dependencies run: make install HTTPS=true ARGS="--ci" @@ -33,7 +38,7 @@ jobs: . /opt/ros/iron/setup.sh colcon build --symlink-install working-directory: /colcon_ws - + - name: Test packages run: | # Source workspace From 87ba902aed3639b1e48f8ff25878911322c6387f Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Fri, 15 Mar 2024 13:38:18 +0000 Subject: [PATCH 59/63] Use environment file to set path --- .github/workflows/ci.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index 5db46ed42..33b2203a0 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -23,7 +23,7 @@ jobs: - name: Add '$HOME/.local/bin' to PATH run: | mkdir -p $HOME/.local/bin - echo "::add-path::/github/home/.local/bin" + echo "$PATH='$PATH:/github/home/.local/bin'" >> "$GITHUB_ENV" - name: Pull source code for libraries and install dependencies run: make install HTTPS=true ARGS="--ci" From 512d1fced22a8607e7df7b9fb4fb60ef744ec8e4 Mon Sep 17 00:00:00 2001 From: Jan Gutsche <34797331+jaagut@users.noreply.github.com> Date: Fri, 15 Mar 2024 14:56:02 +0100 Subject: [PATCH 60/63] Update .github/pull_request_template.md Co-authored-by: Timon Engelke --- .github/pull_request_template.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/pull_request_template.md b/.github/pull_request_template.md index 55512c9c3..d377bf3a9 100644 --- a/.github/pull_request_template.md +++ b/.github/pull_request_template.md @@ -16,4 +16,4 @@ - [ ] Test on your machine - [ ] Test on the robot - [ ] Create issues for future work -- [ ] Triaged this PR and labeled it +- [ ] Triage this PR and label it From 9086398556f9279f71cf3d0243084937526b6a1d Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Fri, 15 Mar 2024 14:06:03 +0000 Subject: [PATCH 61/63] Fix path syntax --- .github/workflows/ci.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index 33b2203a0..6b352bc39 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -23,7 +23,7 @@ jobs: - name: Add '$HOME/.local/bin' to PATH run: | mkdir -p $HOME/.local/bin - echo "$PATH='$PATH:/github/home/.local/bin'" >> "$GITHUB_ENV" + echo "PATH=$PATH:/github/home/.local/bin" >> "$GITHUB_ENV" - name: Pull source code for libraries and install dependencies run: make install HTTPS=true ARGS="--ci" From aa28fb7e486c129ea143e9ea8859742038f9f00a Mon Sep 17 00:00:00 2001 From: Florian Vahl Date: Fri, 15 Mar 2024 14:31:19 +0000 Subject: [PATCH 62/63] Fix includes for docker --- .vscode/c_cpp_properties.json | 3 +++ Makefile | 2 +- 2 files changed, 4 insertions(+), 1 deletion(-) diff --git a/.vscode/c_cpp_properties.json b/.vscode/c_cpp_properties.json index a65b559c5..c08288577 100644 --- a/.vscode/c_cpp_properties.json +++ b/.vscode/c_cpp_properties.json @@ -11,6 +11,9 @@ "${env:COLCON_WS}/install/*/include/**", "${env:COLCON_WS}/build/**/include/**", "${env:COLCON_WS}/build/**/rosidl_generator_cpp/**", + "/root/colcon_ws/install/*/include/**", + "/root/colcon_ws/build/**/include/**", + "/root/colcon_ws/build/**/rosidl_generator_cpp/**", "${workspaceFolder}/**/include/**", "/opt/ros/${env:ROS_DISTRO}/include/**", "/usr/include/**" diff --git a/Makefile b/Makefile index 4ca018736..f0af605dd 100644 --- a/Makefile +++ b/Makefile @@ -24,7 +24,7 @@ install-git-filters: # The vscode settings file gets updated by the ros extension and contains the full path to the current user's home directory. # We don't want to commit this path, so we use a git filter to remove it when git adds the file to the staging area. # This does not affect the file on disk, so vscode will still work as expected. - git config filter.removeFullHomePath.clean "sed '/\/home.*\(install\|build\)/d'" + git config filter.removeFullHomePath.clean "sed '/\/\(home\|root\).*\(install\|build\)/d'" format: # Format all files in the repository From f38031bce9b5bc9a356f762ca48cc999e9136b54 Mon Sep 17 00:00:00 2001 From: ayin21 Date: Fri, 15 Mar 2024 15:25:14 +0000 Subject: [PATCH 63/63] finalizing teaching mode --- .../bitbots_buttons/CMakeLists.txt | 4 +- .../bitbots_buttons/config/buttons.yaml | 1 - bitbots_lowlevel/bitbots_buttons/package.xml | 1 + .../bitbots_buttons/src/button_node.cpp | 40 +++++------ .../bitbots_hcm/hcm_dsd/hcm_blackboard.py | 1 + teaching_mode.py | 68 ------------------- 6 files changed, 23 insertions(+), 92 deletions(-) delete mode 100644 teaching_mode.py diff --git a/bitbots_lowlevel/bitbots_buttons/CMakeLists.txt b/bitbots_lowlevel/bitbots_buttons/CMakeLists.txt index 5af3829d3..5699cd0f5 100644 --- a/bitbots_lowlevel/bitbots_buttons/CMakeLists.txt +++ b/bitbots_lowlevel/bitbots_buttons/CMakeLists.txt @@ -6,12 +6,13 @@ if(NOT CMAKE_CXX_STANDARD) set(CMAKE_CXX_STANDARD 17) endif() -find_package(std_msgs REQUIRED) find_package(ament_cmake REQUIRED) find_package(backward_ros REQUIRED) find_package(bitbots_docs REQUIRED) find_package(bitbots_msgs REQUIRED) +find_package(game_controller_hl_interfaces REQUIRED) find_package(rclcpp REQUIRED) +find_package(std_msgs REQUIRED) find_package(std_srvs REQUIRED) find_package(test_msgs REQUIRED) @@ -21,6 +22,7 @@ ament_target_dependencies( ament_cmake backward_ros bitbots_msgs + game_controller_hl_interfaces rclcpp std_msgs std_srvs diff --git a/bitbots_lowlevel/bitbots_buttons/config/buttons.yaml b/bitbots_lowlevel/bitbots_buttons/config/buttons.yaml index ec7389b84..a511544cc 100644 --- a/bitbots_lowlevel/bitbots_buttons/config/buttons.yaml +++ b/bitbots_lowlevel/bitbots_buttons/config/buttons.yaml @@ -1,7 +1,6 @@ bitbots_buttons: ros__parameters: manual_penalty: True - in_game: True speak_active: True short_time: 2.0 #[s] debounce_time: 0.1 #[s] diff --git a/bitbots_lowlevel/bitbots_buttons/package.xml b/bitbots_lowlevel/bitbots_buttons/package.xml index a840ac92e..0deeed624 100644 --- a/bitbots_lowlevel/bitbots_buttons/package.xml +++ b/bitbots_lowlevel/bitbots_buttons/package.xml @@ -20,6 +20,7 @@ backward_ros bitbots_docs bitbots_msgs + game_controller_hl_interfaces rclcpp std_msgs std_srvs diff --git a/bitbots_lowlevel/bitbots_buttons/src/button_node.cpp b/bitbots_lowlevel/bitbots_buttons/src/button_node.cpp index c1ff105be..92e8c1225 100644 --- a/bitbots_lowlevel/bitbots_buttons/src/button_node.cpp +++ b/bitbots_lowlevel/bitbots_buttons/src/button_node.cpp @@ -4,6 +4,7 @@ #include #include #include +#include #include #include #include @@ -21,25 +22,15 @@ class ButtonNode : public rclcpp::Node { this->declare_parameter("speak_active", true); this->declare_parameter("short_time", 2.0); this->declare_parameter("manual_penalty", true); - this->declare_parameter("in_game", true); this->declare_parameter("debounce_time", 0.1); this->declare_parameter("speak", true); this->get_parameter("speak_active", speaking_active_); this->get_parameter("short_time", short_time_); this->get_parameter("manual_penalty", manual_penalty_mode_); - this->get_parameter("in_game", in_game_); this->get_parameter("debounce_time", debounce_time_); this->get_parameter("speak", speak_); - // --- Class variables --- - button1_ = false; - button2_ = false; - button3_ = false; - button1_time_ = 0.0; - button2_time_ = 0.0; - button3_time_ = 0.0; - // --- Initialize Topics --- speak_pub_ = this->create_publisher("/speak", 1); @@ -48,10 +39,8 @@ class ButtonNode : public rclcpp::Node { manual_penalty_mode_ = manual_penalize_client_->wait_for_service(3s); } - if (!in_game_) { - foot_zero_client_ = this->create_client("set_foot_zero"); - foot_zero_available_ = foot_zero_client_->wait_for_service(3s); - } + foot_zero_client_ = this->create_client("set_foot_zero"); + foot_zero_available_ = foot_zero_client_->wait_for_service(3s); power_client_ = this->create_client("/core/switch_power"); while (!power_client_->wait_for_service(3s)) { @@ -65,8 +54,13 @@ class ButtonNode : public rclcpp::Node { teaching_mode_client_ = this->create_client("set_teaching_mode"); buttons_sub_ = this->create_subscription( "/buttons", 1, std::bind(&bitbots_buttons::ButtonNode::buttonCb, this, _1)); + gamestate_sub_ = this->create_subscription( + "gamestate", 1, std::bind(&bitbots_buttons::ButtonNode::gamestateCb, this, _1)); } + // Sets the in_game_ variable to true, if a Gamestate message from the Gamecontroller arrives. + void gamestateCb(const game_controller_hl_interfaces::msg::GameState::SharedPtr msg) { in_game_ = true; } + void buttonCb(const bitbots_msgs::msg::Buttons::SharedPtr msg) { // button1 - red // button2 - green @@ -130,11 +124,12 @@ class ButtonNode : public rclcpp::Node { } void setTeachingMode(bool state) { - // switch teaching mode state by calling service on HCM auto request = std::make_shared(); if (state) { + // switch teaching mode state to SWITCH request->state = bitbots_msgs::srv::SetTeachingMode::Request::SWITCH; } else { + // switch teaching mode state to OFF request->state = bitbots_msgs::srv::SetTeachingMode::Request::OFF; } teaching_mode_client_->async_send_request(request); @@ -185,17 +180,17 @@ class ButtonNode : public rclcpp::Node { bool speaking_active_; double short_time_; bool manual_penalty_mode_; - bool in_game_; + bool in_game_ = false; double debounce_time_; bool speak_; - bool button1_; - bool button2_; - bool button3_; + bool button1_ = false; + bool button2_ = false; + bool button3_ = false; bool foot_zero_available_; - double button1_time_; - double button2_time_; - double button3_time_; + double button1_time_ = 0.0; + double button2_time_ = 0.0; + double button3_time_ = 0.0; rclcpp::Publisher::SharedPtr speak_pub_; rclcpp::Client::SharedPtr manual_penalize_client_; @@ -203,6 +198,7 @@ class ButtonNode : public rclcpp::Node { rclcpp::Client::SharedPtr foot_zero_client_; rclcpp::Client::SharedPtr power_client_; rclcpp::Subscription::SharedPtr buttons_sub_; + rclcpp::Subscription::SharedPtr gamestate_sub_; }; } // namespace bitbots_buttons diff --git a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py index c6c351791..5711896ba 100644 --- a/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py +++ b/bitbots_motion/bitbots_hcm/bitbots_hcm/hcm_dsd/hcm_blackboard.py @@ -141,6 +141,7 @@ def set_teaching_mode_callback( RobotControlState.CONTROLLABLE, RobotControlState.PICKED_UP, RobotControlState.PENALTY, + RobotControlState.RECORD, ]: # Respond that we can not activate the teaching mode in the current state response.success = False diff --git a/teaching_mode.py b/teaching_mode.py deleted file mode 100644 index 79629b852..000000000 --- a/teaching_mode.py +++ /dev/null @@ -1,68 +0,0 @@ -#!/usr/bin/env python3 - - -import rclpy -from rclpy.node import Node -from sensor_msgs.msg import JointState -from std_srvs.srv import SetBool - -from bitbots_msgs.msg import JointCommand, JointTorque - - -class TeachingNode(Node): - def __init__(self): - super().__init__("teaching_node") - self.is_button_pressed = False - self.timer = self.create_timer(0.1, self.publish_command) - self.get_logger().info("Teaching Node has been started") - self.joint_states: JointState | None = None - self.default_velocity = 5.0 - self.default_accelerations = -1.0 - self.default_max_currents = -1.0 - - self.joint_command_publisher = self.create_publisher(JointCommand, "DynamixelController/command", 10) - self.torque_publisher = self.create_publisher(JointTorque, "ros_control/set_torque_individual", 10) - self.subscription = self.create_subscription(JointState, "/joint_states", self.joint_states_callback, 10) - - self.activation_service = self.create_service(SetBool, "set_teaching_mode", self.activation_service_callback) - - def activation_service_callback(self, request: SetBool.Request, response: SetBool.Response) -> SetBool.Response: - if self.joint_states is None: - self.get_logger().warning( - "Cannot set joint stiffness for teaching mode because no joint states where recived!" - ) - response.success = False - return response - - self.torque_publisher.publish( - JointTorque(joint_names=self.joint_states.name, on=[not request.data] * len(self.joint_states.name)) - ) - if not request.data: - self.joint_command_publisher.publish( - JointCommand( - joint_names=self.joint_states.name, - positions=self.joint_states.position, - accelerations=[self.default_accelerations] * len(self.joint_states.name), - max_currents=[self.default_max_currents] * len(self.joint_states.name), - velocities=[self.default_velocity] * len(self.joint_states.name), - ) - ) - response.success = True - return response - - def joint_states_callback(self, msg: JointState): - self.joint_states = msg - - -if __name__ == "__main__": - rclpy.init() - node = TeachingNode() - try: - rclpy.spin(node) - except KeyboardInterrupt: - pass - node.destroy_node() - -# where publish -# were subscribe -# set torque benutzen