blob: f8338328d60af70a39432dad630b9050d0c735d2 [file] [log] [blame]
Brian Harring984988f2012-10-10 22:53:30 -07001# Copyright (c) 2012 The Chromium OS Authors. All rights reserved.
2# Use of this source code is governed by a BSD-style license that can be
3# found in the LICENSE file.
4
David Pursellffb90042015-03-23 09:21:41 -07005"""Module that contains meta-logic related to CLI commands.
6
7CLI commands are the subcommands available to the user, such as "deploy" in
8`cros deploy` or "shell" in `brillo shell`.
Brian Harring984988f2012-10-10 22:53:30 -07009
David Pursellf1c27c12015-03-18 09:51:38 -070010This module contains two important definitions used by all commands:
David Pursellffb90042015-03-23 09:21:41 -070011 CliCommand: The parent class of all CLI commands.
Brian Harring984988f2012-10-10 22:53:30 -070012 CommandDecorator: Decorator that must be used to ensure that the command shows
David Pursellffb90042015-03-23 09:21:41 -070013 up in |_commands| and is discoverable.
David Pursellf1c27c12015-03-18 09:51:38 -070014
15Commands can be either imported directly or looked up using this module's
16ListCommands() function.
Brian Harring984988f2012-10-10 22:53:30 -070017"""
18
Mike Frysinger383367e2014-09-16 15:06:17 -040019from __future__ import print_function
20
David Pursellf1c27c12015-03-18 09:51:38 -070021import glob
22import os
David Pursellffb90042015-03-23 09:21:41 -070023import sys
David Pursellf1c27c12015-03-18 09:51:38 -070024
Bertrand SIMONNET2b1ed052015-03-02 11:17:40 -080025from chromite.lib import brick_lib
David Pursellf80b8c52015-04-03 12:46:45 -070026from chromite.lib import commandline
27from chromite.lib import cros_build_lib
David Pursellf1c27c12015-03-18 09:51:38 -070028from chromite.lib import cros_import
29
Brian Harring984988f2012-10-10 22:53:30 -070030
31_commands = dict()
32
33
David Pursellffb90042015-03-23 09:21:41 -070034def _GetToolset():
35 """Return the CLI toolset invoked by the user.
36
37 For example, if the user is executing `cros flash`, this will return 'cros'.
38
39 This won't work for unittests so if a certain toolset must be loaded for
40 a unittest this should be mocked out to return the desired string.
41 """
42 return os.path.basename(sys.argv[0])
43
44
45def _FindModules(subdir_path, toolset):
46 """Returns a list of all the relevant python modules in |subdir_path|.
47
48 The modules returned are based on |toolset|, so if |toolset| is 'cros'
49 then cros_xxx.py modules will be found.
50
51 Args:
52 subdir_path: directory (string) to search for modules in.
53 toolset: toolset (string) to find.
54
55 Returns:
56 List of filenames (strings).
57 """
David Pursellf1c27c12015-03-18 09:51:38 -070058 modules = []
David Pursellffb90042015-03-23 09:21:41 -070059 for file_path in glob.glob(os.path.join(subdir_path, toolset + '_*.py')):
David Pursellf1c27c12015-03-18 09:51:38 -070060 if not file_path.endswith('_unittest.py'):
61 modules.append(file_path)
David Pursellf1c27c12015-03-18 09:51:38 -070062 return modules
63
64
David Pursellffb90042015-03-23 09:21:41 -070065def _ImportCommands(toolset):
66 """Directly imports all |toolset| python modules.
David Pursellf1c27c12015-03-18 09:51:38 -070067
David Pursellffb90042015-03-23 09:21:41 -070068 This method imports the |toolset|_[!unittest] modules which may contain
David Pursellf1c27c12015-03-18 09:51:38 -070069 commands. When these modules are loaded, declared commands (those that use
David Pursellffb90042015-03-23 09:21:41 -070070 CommandDecorator) will automatically get added to |_commands|.
71
72 Args:
73 toolset: toolset (string) to import.
David Pursellf1c27c12015-03-18 09:51:38 -070074 """
David Pursellffb90042015-03-23 09:21:41 -070075 subdir_path = os.path.join(os.path.dirname(__file__), toolset)
76 for file_path in _FindModules(subdir_path, toolset):
David Pursellf1c27c12015-03-18 09:51:38 -070077 file_name = os.path.basename(file_path)
78 mod_name = os.path.splitext(file_name)[0]
David Pursellffb90042015-03-23 09:21:41 -070079 cros_import.ImportModule(('chromite', 'cli', toolset, mod_name))
David Pursellf1c27c12015-03-18 09:51:38 -070080
81
David Pursellffb90042015-03-23 09:21:41 -070082def ListCommands(toolset=None):
83 """Return a dictionary mapping command names to classes.
84
85 Args:
86 toolset: toolset (string) to list, None to determine from the commandline.
87
88 Returns:
89 A dictionary mapping names (strings) to commands (classes).
90 """
91 _ImportCommands(toolset or _GetToolset())
David Pursellf1c27c12015-03-18 09:51:38 -070092 return _commands.copy()
93
94
Brian Harring984988f2012-10-10 22:53:30 -070095class InvalidCommandError(Exception):
96 """Error that occurs when command class fails sanity checks."""
97 pass
98
99
100def CommandDecorator(command_name):
101 """Decorator that sanity checks and adds class to list of usable commands."""
102
103 def InnerCommandDecorator(original_class):
104 """"Inner Decorator that actually wraps the class."""
105 if not hasattr(original_class, '__doc__'):
106 raise InvalidCommandError('All handlers must have docstrings: %s' %
107 original_class)
108
David Pursellffb90042015-03-23 09:21:41 -0700109 if not issubclass(original_class, CliCommand):
110 raise InvalidCommandError('All Commands must derive from CliCommand: %s' %
111 original_class)
Brian Harring984988f2012-10-10 22:53:30 -0700112
113 _commands[command_name] = original_class
Ryan Cui47f80e42013-04-01 19:01:54 -0700114 original_class.command_name = command_name
115
Brian Harring984988f2012-10-10 22:53:30 -0700116 return original_class
117
118 return InnerCommandDecorator
119
120
David Pursellffb90042015-03-23 09:21:41 -0700121class CliCommand(object):
122 """All CLI commands must derive from this class.
Brian Harring984988f2012-10-10 22:53:30 -0700123
David Pursellffb90042015-03-23 09:21:41 -0700124 This class provides the abstract interface for all CLI commands. When
Brian Harring984988f2012-10-10 22:53:30 -0700125 designing a new command, you must sub-class from this class and use the
126 CommandDecorator decorator. You must specify a class docstring as that will be
127 used as the usage for the sub-command.
128
129 In addition your command should implement AddParser which is passed in a
130 parser that you can add your own custom arguments. See argparse for more
131 information.
132 """
Ryan Cui47f80e42013-04-01 19:01:54 -0700133 # Indicates whether command stats should be uploaded for this command.
134 # Override to enable command stats uploading.
135 upload_stats = False
136 # We set the default timeout to 1 second, to prevent overly long waits for
137 # commands to complete. From manual tests, stat uploads usually take
138 # between 0.35s-0.45s in MTV.
139 upload_stats_timeout = 1
140
Ryo Hashimoto8bc997b2014-01-22 18:46:17 +0900141 # Indicates whether command uses cache related commandline options.
142 use_caching_options = False
143
Brian Harring984988f2012-10-10 22:53:30 -0700144 def __init__(self, options):
145 self.options = options
Bertrand SIMONNET2b1ed052015-03-02 11:17:40 -0800146 brick = brick_lib.FindBrickInPath()
Bertrand SIMONNET79e077d2015-03-12 18:31:12 -0700147 self.curr_brick_locator = brick.brick_locator if brick else None
Brian Harring984988f2012-10-10 22:53:30 -0700148
149 @classmethod
150 def AddParser(cls, parser):
151 """Add arguments for this command to the parser."""
David Pursellffb90042015-03-23 09:21:41 -0700152 parser.set_defaults(command_class=cls)
Brian Harring984988f2012-10-10 22:53:30 -0700153
David Pursellf80b8c52015-04-03 12:46:45 -0700154 @classmethod
155 def AddDeviceArgument(cls, parser, schemes=commandline.DEVICE_SCHEME_SSH,
156 optional=None):
157 """Add a device argument to the parser.
158
159 This has a few advantages over adding a device argument directly:
160 - Standardizes the device --help message for all tools.
161 - May allow `brillo` and `cros` to use the same source.
162
163 The device argument is normally positional in cros but optional in
164 brillo. If that is the only difference between a cros and brillo
165 tool, this function allows the same source be shared for both.
166
167 Args:
168 parser: The parser to add the device argument to.
169 schemes: List of device schemes or single scheme to allow.
170 optional: Whether the device is an optional or positional
171 argument; None to auto-determine based on toolset.
172 """
173 if optional is None:
174 optional = (_GetToolset() == 'brillo')
175 help_strings = []
176 schemes = list(cros_build_lib.iflatten_instance(schemes))
177 if commandline.DEVICE_SCHEME_SSH in schemes:
178 help_strings.append('Target a device with [user@]hostname[:port].')
179 if commandline.DEVICE_SCHEME_USB in schemes:
180 help_strings.append('Target removable media with usb://[path].')
181 if commandline.DEVICE_SCHEME_FILE in schemes:
182 help_strings.append('Target a local file with file://path.')
183 parser.add_argument('--device' if optional else 'device',
184 type=commandline.DeviceParser(schemes),
185 help=' '.join(help_strings))
186
Brian Harring984988f2012-10-10 22:53:30 -0700187 def Run(self):
188 """The command to run."""
189 raise NotImplementedError()