Skip to content
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
9 changes: 4 additions & 5 deletions ros2action/ros2action/command/action.py
Original file line number Diff line number Diff line change
Expand Up @@ -12,19 +12,18 @@
# See the License for the specific language governing permissions and
# limitations under the License.

from ros2cli.command import add_subparsers
from ros2cli.command import add_subparsers_on_demand
from ros2cli.command import CommandExtension
from ros2cli.verb import get_verb_extensions


class ActionCommand(CommandExtension):
"""Various action related sub-commands."""

def add_arguments(self, parser, cli_name):
self._subparser = parser
# Get verb extensions and let them add their arguments and sub-commands
verb_extensions = get_verb_extensions('ros2action.verb')
add_subparsers(parser, cli_name, '_verb', verb_extensions, required=False)
# add arguments and sub-commands of verbs
add_subparsers_on_demand(
parser, cli_name, '_verb', 'ros2action.verb', required=False)

def main(self, *, parser, args):
if not hasattr(args, '_verb'):
Expand Down
12 changes: 5 additions & 7 deletions ros2cli/ros2cli/cli.py
Original file line number Diff line number Diff line change
Expand Up @@ -16,8 +16,7 @@
import argparse
import signal

from ros2cli.command import add_subparsers
from ros2cli.command import get_command_extensions
from ros2cli.command import add_subparsers_on_demand


def main(*, script_name='ros2', argv=None, description=None, extension=None):
Expand All @@ -35,14 +34,13 @@ def main(*, script_name='ros2', argv=None, description=None, extension=None):
if extension:
extension.add_arguments(parser, script_name)
else:
# get command extensions
extensions = get_command_extensions('ros2cli.command')
# get command entry points as needed
selected_extension_key = '_command'
add_subparsers(
parser, script_name, selected_extension_key, extensions,
add_subparsers_on_demand(
parser, script_name, selected_extension_key, 'ros2cli.command',
# hide the special commands in the help
hide_extensions=['extension_points', 'extensions'],
required=False)
required=False, argv=argv)

# register argcomplete hook if available
try:
Expand Down
167 changes: 165 additions & 2 deletions ros2cli/ros2cli/command/__init__.py
Original file line number Diff line number Diff line change
Expand Up @@ -14,7 +14,9 @@
# limitations under the License.

import argparse
import types

from ros2cli.entry_points import get_entry_points
from ros2cli.entry_points import get_first_line_doc
from ros2cli.plugin_system import instantiate_extensions
from ros2cli.plugin_system import PLUGIN_SYSTEM_VERSION
Expand Down Expand Up @@ -49,8 +51,9 @@ def main(self, *, parser, args):
raise NotImplementedError()


def get_command_extensions(group_name):
extensions = instantiate_extensions(group_name)
def get_command_extensions(group_name, *, exclude_names=None):
extensions = instantiate_extensions(
group_name, exclude_names=exclude_names)
for name, extension in extensions.items():
extension.NAME = name
return extensions
Expand All @@ -69,6 +72,12 @@ def add_subparsers(
For each extension a subparser is created.
If the extension has an ``add_arguments`` method it is being called.

This method is deprecated.
Use the function ``add_subparsers_on_demand`` instead.
Their signatures are almost identical.
Instead of passing the extensions the new function expects the group name
of these extensions.

:param parser: the parent argument parser
:type parser: :py:class:`argparse.ArgumentParser`
:param str cli_name: name of the command line command to which the
Expand All @@ -78,6 +87,10 @@ def add_subparsers(
:param dict command_extensions: dict of command extensions by their name
where each contributes a command with specific arguments
"""
import warnings
warnings.warn(
"'ros2cli.command.add_subparsers' is deprecated, use "
"`ros2cli.command.add_subparsers_on_demand` instead", stacklevel=2)
# add subparser with description of available subparsers
description = ''
if command_extensions:
Expand Down Expand Up @@ -112,3 +125,153 @@ def add_subparsers(
command_parser, '{cli_name} {name}'.format_map(locals()))

return subparser


class MutableString:
"""Behave like str with the ability to change the value of an instance."""

def __init__(self):
self.value = ''

def __getattr__(self, name):
return getattr(self.value, name)

def __iter__(self):
return self.value.__iter__()


def add_subparsers_on_demand(
parser, cli_name, dest, group_name, hide_extensions=None,
required=True, argv=None
):
"""
Create argparse subparser for each extension on demand.

The ``cli_name`` is used for the title and description of the
``add_subparsers`` function call.

For each extension a subparser is created is necessary.
If no extension has been selected by command line arguments all first level
extension must be loaded and instantiated.
If a specific extension has been selected by command line arguments the
sibling extension can be skipped and only that one extension (as well as
potentially its recursive extensions) are loaded and instantiated.
If the extension has an ``add_arguments`` method it is being called.

:param parser: the parent argument parser
:type parser: :py:class:`argparse.ArgumentParser`
:param str cli_name: name of the command line command to which the
subparsers are being added
:param str dest: name of the attribute under which the selected extension
will be stored
:param str group_name: the name of the ``entry_point`` group identifying
the extensions to be added
:param list hide_extensions: an optional list of extension names which
should be skipped
:param bool required: a flag if the command is a required argument
:param list argv: the list of command line arguments (default:
``sys.argv``)
"""
# add subparser without a description for now
mutable_description = MutableString()
metavar = 'Call `{cli_name} <command> -h` for more detailed ' \
'usage.'.format_map(locals())
subparser = parser.add_subparsers(
title='Commands', description=mutable_description, metavar=metavar)
# use a name which doesn't collide with any argument
# but is readable when shown as part of the the usage information
subparser.dest = ' ' + dest.lstrip('_')
subparser.required = required

# add entry point specific sub-parsers but without a description and
# arguments for now
entry_points = get_entry_points(group_name)
command_parsers = {}
for name in sorted(entry_points.keys()):
entry_point = entry_points[name]
command_parser = subparser.add_parser(
name,
formatter_class=argparse.RawDescriptionHelpFormatter)
command_parsers[name] = command_parser

# temporarily attach root parser to each command parser
# in order to parse known args
root_parser = getattr(parser, '_root_parser', parser)
with SuppressUsageOutput({parser} | set(command_parsers.values())):
known_args, _ = root_parser.parse_known_args(args=argv)

# check if a specific subparser is selected
name = getattr(known_args, subparser.dest)
if name is None:
# add description for all command extensions to the root parser
command_extensions = get_command_extensions(group_name)
if command_extensions:
description = ''
max_length = max(
len(name) for name in command_extensions.keys()
if hide_extensions is None or name not in hide_extensions)
for name in sorted(command_extensions.keys()):
if hide_extensions is not None and name in hide_extensions:
continue
extension = command_extensions[name]
description += '%s %s\n' % (
name.ljust(max_length), get_first_line_doc(extension))
command_parser = command_parsers[name]
command_parser.set_defaults(**{dest: extension})
mutable_description.value = description
else:
# add description for the selected command extension to the subparser
command_extensions = get_command_extensions(
group_name, exclude_names=set(entry_points.keys() - {name}))
extension = command_extensions[name]
command_parser = command_parsers[name]
command_parser.set_defaults(**{dest: extension})
command_parser.description = get_first_line_doc(extension)

# add the arguments for the requested extension
if hasattr(extension, 'add_arguments'):
command_parser = command_parsers[name]
command_parser._root_parser = root_parser
extension.add_arguments(
command_parser, '{cli_name} {name}'.format_map(locals()))
del command_parser._root_parser

return subparser


class SuppressUsageOutput:
"""Context manager to suppress help action during `parse_known_args`."""

def __init__(self, parsers):
"""
Construct a SuppressUsageOutput.

:param parsers: The parsers
"""
self._parsers = parsers
self._callbacks = {}

def __enter__(self): # noqa: D105
for p in self._parsers:
self._callbacks[p] = p.print_help, p.exit
# temporary prevent printing usage early if help is requested
p.print_help = lambda: None
# temporary prevent help action to exit early,
# but keep exiting on invalid arguments
p.exit = types.MethodType(_ignore_zero_exit(p.exit), p)

return self

def __exit__(self, *args): # noqa: D105
for p, callbacks in self._callbacks.items():
p.print_help, p.exit = callbacks


def _ignore_zero_exit(original_exit_handler):
def exit_(self, status=0, message=None):
nonlocal original_exit_handler
if status == 0:
return
return original_exit_handler(status=status, message=message)

return exit_
10 changes: 4 additions & 6 deletions ros2cli/ros2cli/command/daemon.py
Original file line number Diff line number Diff line change
Expand Up @@ -13,20 +13,18 @@
# See the License for the specific language governing permissions and
# limitations under the License.

from ros2cli.command import add_subparsers
from ros2cli.command import add_subparsers_on_demand
from ros2cli.command import CommandExtension
from ros2cli.verb import get_verb_extensions


class DaemonCommand(CommandExtension):
"""Various daemon related sub-commands."""

def add_arguments(self, parser, cli_name):
self._subparser = parser
# get verb extensions and let them add their arguments
verb_extensions = get_verb_extensions('ros2cli.daemon.verb')
add_subparsers(
parser, cli_name, '_verb', verb_extensions, required=False)
# add arguments and sub-commands of verbs
add_subparsers_on_demand(
parser, cli_name, '_verb', 'ros2cli.daemon.verb', required=False)

def main(self, *, parser, args):
if not hasattr(args, '_verb'):
Expand Down
5 changes: 4 additions & 1 deletion ros2cli/ros2cli/entry_points.py
Original file line number Diff line number Diff line change
Expand Up @@ -71,16 +71,19 @@ def get_entry_points(group_name):
return entry_points


def load_entry_points(group_name):
def load_entry_points(group_name, *, exclude_names=None):
"""
Load the entry points for a specific group.

:param str group_name: the name of the ``entry_point`` group
:param iterable exclude_names: the names of the entry points to exclude
:returns: mapping of entry point name to loaded entry point
:rtype: dict
"""
extension_types = {}
for entry_point in get_entry_points(group_name).values():
if exclude_names and entry_point.name in exclude_names:
continue
try:
extension_type = entry_point.load()
except Exception as e: # noqa: F841
Expand Down
5 changes: 2 additions & 3 deletions ros2cli/ros2cli/plugin_system.py
Original file line number Diff line number Diff line change
Expand Up @@ -37,11 +37,10 @@ class PluginException(Exception):
def instantiate_extensions(
group_name, *, exclude_names=None, unique_instance=False
):
extension_types = load_entry_points(group_name)
extension_types = load_entry_points(
group_name, exclude_names=exclude_names)
extension_instances = {}
for extension_name, extension_class in extension_types.items():
if exclude_names and extension_name in exclude_names:
continue
extension_instance = _instantiate_extension(
group_name, extension_name, extension_class,
unique_instance=unique_instance)
Expand Down
10 changes: 4 additions & 6 deletions ros2component/ros2component/command/component.py
Original file line number Diff line number Diff line change
Expand Up @@ -12,20 +12,18 @@
# See the License for the specific language governing permissions and
# limitations under the License.

from ros2cli.command import add_subparsers
from ros2cli.command import add_subparsers_on_demand
from ros2cli.command import CommandExtension
from ros2cli.verb import get_verb_extensions


class ComponentCommand(CommandExtension):
"""Various component related sub-commands."""

def add_arguments(self, parser, cli_name):
self._subparser = parser
# get verb extensions and let them add their arguments
verb_extensions = get_verb_extensions('ros2component.verb')
add_subparsers(
parser, cli_name, '_verb', verb_extensions, required=False)
# add arguments and sub-commands of verbs
add_subparsers_on_demand(
parser, cli_name, '_verb', 'ros2component.verb', required=False)

def main(self, *, parser, args):
if not hasattr(args, '_verb'):
Expand Down
9 changes: 4 additions & 5 deletions ros2interface/ros2interface/command/interface.py
Original file line number Diff line number Diff line change
Expand Up @@ -12,19 +12,18 @@
# See the License for the specific language governing permissions and
# limitations under the License.

from ros2cli.command import add_subparsers
from ros2cli.command import add_subparsers_on_demand
from ros2cli.command import CommandExtension
from ros2cli.verb import get_verb_extensions


class InterfaceCommand(CommandExtension):
"""Show information about ROS interfaces."""

def add_arguments(self, parser, cli_name):
self._subparser = parser
verb_extension = get_verb_extensions('ros2interface.verb')
add_subparsers(
parser, cli_name, '_verb', verb_extension, required=False)
# add arguments and sub-commands of verbs
add_subparsers_on_demand(
parser, cli_name, '_verb', 'ros2interface.verb', required=False)

def main(self, *, parser, args):
if not hasattr(args, '_verb'):
Expand Down
10 changes: 4 additions & 6 deletions ros2lifecycle/ros2lifecycle/command/lifecycle.py
Original file line number Diff line number Diff line change
Expand Up @@ -12,9 +12,8 @@
# See the License for the specific language governing permissions and
# limitations under the License.

from ros2cli.command import add_subparsers
from ros2cli.command import add_subparsers_on_demand
from ros2cli.command import CommandExtension
from ros2cli.verb import get_verb_extensions


class LifecycleCommand(CommandExtension):
Expand All @@ -23,10 +22,9 @@ class LifecycleCommand(CommandExtension):
def add_arguments(self, parser, cli_name):
self._subparser = parser

# get verb extensions and let them add their arguments
verb_extensions = get_verb_extensions('ros2lifecycle.verb')
add_subparsers(
parser, cli_name, '_verb', verb_extensions, required=False)
# add arguments and sub-commands of verbs
add_subparsers_on_demand(
parser, cli_name, '_verb', 'ros2lifecycle.verb', required=False)

def main(self, *, parser, args):
if not hasattr(args, '_verb'):
Expand Down
Loading